diff --git a/.gitattributes b/.gitattributes index 82f77bad..d80b97b0 100644 --- a/.gitattributes +++ b/.gitattributes @@ -1 +1,2 @@ src/deprecations.csv merge=union +src/*.csv merge=union diff --git a/scripts/assign-sense-key.py b/scripts/assign-sense-key.py index f2f64dd1..57b76a0a 100644 --- a/scripts/assign-sense-key.py +++ b/scripts/assign-sense-key.py @@ -3,133 +3,18 @@ from glob import glob import re from sys import exit - -lex_filenums = { - "src/wn-adj.all.xml": 0, - "src/wn-adj.pert.xml": 1, - "src/wn-adv.all.xml": 2, - "src/wn-noun.Tops.xml": 3, - "src/wn-noun.act.xml": 4, - "src/wn-noun.animal.xml": 5, - "src/wn-noun.artifact.xml": 6, - "src/wn-noun.attribute.xml": 7, - "src/wn-noun.body.xml": 8, - "src/wn-noun.cognition.xml": 9, - "src/wn-noun.communication.xml": 10, - "src/wn-noun.event.xml": 11, - "src/wn-noun.feeling.xml": 12, - "src/wn-noun.food.xml": 13, - "src/wn-noun.group.xml": 14, - "src/wn-noun.location.xml": 15, - "src/wn-noun.motive.xml": 16, - "src/wn-noun.object.xml": 17, - "src/wn-noun.person.xml": 18, - "src/wn-noun.phenomenon.xml": 19, - "src/wn-noun.plant.xml": 20, - "src/wn-noun.possession.xml": 21, - "src/wn-noun.process.xml": 22, - "src/wn-noun.quantity.xml": 23, - "src/wn-noun.relation.xml": 24, - "src/wn-noun.shape.xml": 25, - "src/wn-noun.state.xml": 26, - "src/wn-noun.substance.xml": 27, - "src/wn-noun.time.xml": 28, - "src/wn-verb.body.xml": 29, - "src/wn-verb.change.xml": 30, - "src/wn-verb.cognition.xml": 31, - "src/wn-verb.communication.xml": 32, - "src/wn-verb.competition.xml": 33, - "src/wn-verb.consumption.xml": 34, - "src/wn-verb.contact.xml": 35, - "src/wn-verb.creation.xml": 36, - "src/wn-verb.emotion.xml": 37, - "src/wn-verb.motion.xml": 38, - "src/wn-verb.perception.xml": 39, - "src/wn-verb.possession.xml": 40, - "src/wn-verb.social.xml": 41, - "src/wn-verb.stative.xml": 42, - "src/wn-verb.weather.xml": 43, - "src/wn-adj.ppl.xml": 44, - "src/wn-contrib.colloq.xml": 50, - "src/wn-contrib.plwn.xml": 51 } - -ss_types = { - PartOfSpeech.NOUN: 1, - PartOfSpeech.VERB: 2, - PartOfSpeech.ADJECTIVE: 3, - PartOfSpeech.ADVERB: 4, - PartOfSpeech.ADJECTIVE_SATELLITE: 5 - } - -sense_id_lex_id = re.compile(".*%\d:\d\d:(\d\d):.*") -id_lemma = re.compile("ewn-(.*)-a-\d{8}-\d{2}") - -def gen_lex_id(swn, e, s): - max_id = 0 - unseen = 1 - seen = False - for s2 in e.senses: - if s2.sense_key: - m = re.match(sense_id_lex_id, s2.sense_key) - max_id = max(max_id, int(m.group(1))) - else: - if not seen: - if s2.id == s.id: - seen = True - else: - unseen += 1 - return max_id + unseen - - -def sense_for_entry_synset_id(wn, ss_id, lemma): - return [ - s for e in wn.entry_by_lemma(lemma) - for s in wn.entry_by_id(e).senses - if s.synset == ss_id][0] - -def get_head_word(wn, s): - ss = wn.synset_by_id(s.synset) - srs = [r for r in ss.synset_relations if r.rel_type == SynsetRelType.SIMILAR] - if len(srs) != 1: - print(srs) - print(s.id) - print("Could not deduce target of satellite") - else: - s2s = [sense_for_entry_synset_id(wn, srs[0].target, m) for m in wn.members_by_id(srs[0].target)] - s2s = sorted(s2s, key = lambda s2: s2.id[-2:]) - s2 = s2s[0] - - entry_id = re.match(id_lemma, s2.id).group(1) - if s2.sense_key: - return entry_id, re.match(sense_id_lex_id, s2.sense_key).group(1) - else: - print("No sense key for target of satellite! Marking as 99... please fix for " + s.id) - return entry_id, "99" - print("Failed to find target for satellite synset") - exit(-1) - - - +import sense_keys def assign_keys(wn, wn_file): swn = parse_wordnet(wn_file) for e in swn.entries: for s in e.senses: if not s.sense_key: - lemma = e.lemma.written_form.replace(" ", "_").replace("&apos","'").lower() - ss_type = ss_types[e.lemma.part_of_speech] - lex_filenum = lex_filenums[wn_file] - lex_id = gen_lex_id(swn, e, s) - if e.lemma.part_of_speech == PartOfSpeech.ADJECTIVE_SATELLITE: - head_word, head_id = get_head_word(wn, s) - else: - head_word = "" - head_id = "" - s.sense_key = "%s%%%d:%02d:%02d:%s:%s" % (lemma, ss_type, lex_filenum, - lex_id, head_word, head_id) + s.sense_key = sense_keys.get_sense_key(wn, swn, e, s, wn_file) with open(wn_file, "w") as outp: swn.to_xml(outp, True) + if __name__ == "__main__": wn = change_manager.load_wordnet() for f in glob ("src/wn-*.xml"): diff --git a/scripts/change-definition.py b/scripts/change-definition.py index 1f9d2478..3a6f35d3 100644 --- a/scripts/change-definition.py +++ b/scripts/change-definition.py @@ -22,6 +22,14 @@ def update_def(wn, synset, defn, add): with open("src/wn-%s.xml" % synset.lex_name, "w") as out: wn_synset.to_xml(out, True) +def update_ili_def(wn, synset, defn): + wn_synset = wordnet.parse_wordnet("src/wn-%s.xml" % synset.lex_name) + ss = wn_synset.synset_by_id(synset.id) + ss.ili_definition = wordnet.Definition(defn) + with open("src/wn-%s.xml" % synset.lex_name, "w") as out: + wn_synset.to_xml(out, True) + + def main(): parser = argparse.ArgumentParser(description="Change a definition within the wordnet") parser.add_argument('id', metavar='ID', type=str, nargs="?", @@ -30,6 +38,8 @@ def main(): help="Add the new definition and retain the previous definition (otherwise this definition replaces previous definitions)") parser.add_argument('--defn', type=str, help="The new definition") + parser.add_argument('--ili', action='store_true', + help="Set the ILI definition") args = parser.parse_args() @@ -52,13 +62,19 @@ def main(): print("Could not find the synset %s" % args.id) sys.exit(-1) - if not args.defn: - print("Definition : " + synset.definitions[0].text) - defn = input("New Definition : ") + if args.ili: + if not args.defn: + args.defn = synset.definitions[0].text + + update_ili_def(wn, synset, args.defn) else: - defn = args.defn + if not args.defn: + print("Definition : " + synset.definitions[0].text) + defn = input("New Definition : ") + else: + defn = args.defn - update_def(wn, synset, defn, args.add) + update_def(wn, synset, defn, args.add) if __name__ == "__main__": main() diff --git a/scripts/change_manager.py b/scripts/change_manager.py index dada912e..b3faa36f 100644 --- a/scripts/change_manager.py +++ b/scripts/change_manager.py @@ -307,7 +307,7 @@ def change_sense_idx(wn, sense_id, new_idx): for f in glob("src/wn-*.xml"): with fileinput.FileInput(f, inplace=True) as file: for line in file: - print(line.replace(sense_id, new_sense_id), end='') + print(line.replace(sense_id, new_sense_id).rstrip()) def sense_ids_for_synset(wn, synset): return [sense.id for lemma in wn.members_by_id(synset.id) diff --git a/scripts/merge.py b/scripts/merge.py index 1915aff6..9008666d 100644 --- a/scripts/merge.py +++ b/scripts/merge.py @@ -63,9 +63,9 @@ def wn_merge(): """) lex_entries = {} diff --git a/scripts/sense_keys.py b/scripts/sense_keys.py new file mode 100644 index 00000000..fc7c52f6 --- /dev/null +++ b/scripts/sense_keys.py @@ -0,0 +1,132 @@ +from wordnet import * +import change_manager +from glob import glob +import re +from sys import exit + +lex_filenums = { + "src/wn-adj.all.xml": 0, + "src/wn-adj.pert.xml": 1, + "src/wn-adv.all.xml": 2, + "src/wn-noun.Tops.xml": 3, + "src/wn-noun.act.xml": 4, + "src/wn-noun.animal.xml": 5, + "src/wn-noun.artifact.xml": 6, + "src/wn-noun.attribute.xml": 7, + "src/wn-noun.body.xml": 8, + "src/wn-noun.cognition.xml": 9, + "src/wn-noun.communication.xml": 10, + "src/wn-noun.event.xml": 11, + "src/wn-noun.feeling.xml": 12, + "src/wn-noun.food.xml": 13, + "src/wn-noun.group.xml": 14, + "src/wn-noun.location.xml": 15, + "src/wn-noun.motive.xml": 16, + "src/wn-noun.object.xml": 17, + "src/wn-noun.person.xml": 18, + "src/wn-noun.phenomenon.xml": 19, + "src/wn-noun.plant.xml": 20, + "src/wn-noun.possession.xml": 21, + "src/wn-noun.process.xml": 22, + "src/wn-noun.quantity.xml": 23, + "src/wn-noun.relation.xml": 24, + "src/wn-noun.shape.xml": 25, + "src/wn-noun.state.xml": 26, + "src/wn-noun.substance.xml": 27, + "src/wn-noun.time.xml": 28, + "src/wn-verb.body.xml": 29, + "src/wn-verb.change.xml": 30, + "src/wn-verb.cognition.xml": 31, + "src/wn-verb.communication.xml": 32, + "src/wn-verb.competition.xml": 33, + "src/wn-verb.consumption.xml": 34, + "src/wn-verb.contact.xml": 35, + "src/wn-verb.creation.xml": 36, + "src/wn-verb.emotion.xml": 37, + "src/wn-verb.motion.xml": 38, + "src/wn-verb.perception.xml": 39, + "src/wn-verb.possession.xml": 40, + "src/wn-verb.social.xml": 41, + "src/wn-verb.stative.xml": 42, + "src/wn-verb.weather.xml": 43, + "src/wn-adj.ppl.xml": 44, + "src/wn-contrib.colloq.xml": 50, + "src/wn-contrib.plwn.xml": 51 } + +ss_types = { + PartOfSpeech.NOUN: 1, + PartOfSpeech.VERB: 2, + PartOfSpeech.ADJECTIVE: 3, + PartOfSpeech.ADVERB: 4, + PartOfSpeech.ADJECTIVE_SATELLITE: 5 + } + +sense_id_lex_id = re.compile(".*%\d:\d\d:(\d\d):.*") +id_lemma = re.compile("ewn-(.*?)(-(a|ip|p))?-[as]-\d{8}-\d{2}") + +def gen_lex_id(swn, e, s): + max_id = 0 + unseen = 1 + seen = False + for s2 in e.senses: + if s2.sense_key: + m = re.match(sense_id_lex_id, s2.sense_key) + max_id = max(max_id, int(m.group(1))) + else: + if not seen: + if s2.id == s.id: + seen = True + else: + unseen += 1 + return max_id + unseen + +def extract_lex_id(sense_key): + return int(re.match(sense_id_lex_id, sense_key).group(1)) + + +def sense_for_entry_synset_id(wn, ss_id, lemma): + return [ + s for e in wn.entry_by_lemma(lemma) + for s in wn.entry_by_id(e).senses + if s.synset == ss_id][0] + +def get_head_word(wn, s): + ss = wn.synset_by_id(s.synset) + # The hack here is we don't care about satellites in non-Princeton sets + srs = [r for r in ss.synset_relations if r.rel_type == SynsetRelType.SIMILAR and not r.target.startswith("ewn-9") and not r.target.startswith("ewn-8")] + if len(srs) != 1: + print([r.target for r in srs]) + print(s.id) + print("Could not deduce target of satellite") + else: + s2s = [sense_for_entry_synset_id(wn, srs[0].target, m) for m in wn.members_by_id(srs[0].target)] + s2s = sorted(s2s, key = lambda s2: s2.id[-2:]) + s2 = s2s[0] + + if not re.match(id_lemma, s2.id): + print(s2.id) + entry_id = re.match(id_lemma, s2.id).group(1) + if s2.sense_key: + return entry_id, re.match(sense_id_lex_id, s2.sense_key).group(1) + else: + print("No sense key for target of satellite! Marking as 99... please fix for " + s.id) + return entry_id, "99" + print("Failed to find target for satellite synset") + exit(-1) + +def get_sense_key(wn, swn, e, s, wn_file): + """Calculate the sense key for a sense of an entry""" + lemma = e.lemma.written_form.replace(" ", "_").replace("&apos","'").lower() + ss_type = ss_types[e.lemma.part_of_speech] + lex_filenum = lex_filenums[wn_file] + if s.sense_key: + lex_id = extract_lex_id(s.sense_key) + else: + lex_id = gen_lex_id(swn, e, s) + if e.lemma.part_of_speech == PartOfSpeech.ADJECTIVE_SATELLITE: + head_word, head_id = get_head_word(wn, s) + else: + head_word = "" + head_id = "" + return "%s%%%d:%02d:%02d:%s:%s" % (lemma, ss_type, lex_filenum, + lex_id, head_word, head_id) diff --git a/scripts/validate.py b/scripts/validate.py index 02b2c6b5..bd87f03b 100644 --- a/scripts/validate.py +++ b/scripts/validate.py @@ -1,6 +1,8 @@ from wordnet import * import re import sys +import glob +import sense_keys def check_symmetry(wn, fix): errors = [] @@ -8,11 +10,26 @@ def check_symmetry(wn, fix): for rel in synset.synset_relations: if rel.rel_type in inverse_synset_rels: synset2 = wn.synset_by_id(rel.target) - if not any(r for r in synset2.synset_relations if r.target == synset.id and r.rel_type == inverse_synset_rels[rel.rel_type]): - if fix: - errors.append("python scripts/change-relation.py --add --new-relation %s %s %s" % (inverse_synset_rels[rel.rel_type].value, synset2.id, synset.id)) - else: - errors.append("No symmetric relation for %s =%s=> %s" % (synset.id, rel.rel_type, synset2.id)) + if not synset2: + # This error only happens if the XML validation is not being carried out! + print("Referencing bad synset ID %s from %s" % (rel.target, synset.id)) + else: + if not any(r for r in synset2.synset_relations if r.target == synset.id and r.rel_type == inverse_synset_rels[rel.rel_type]): + if fix: + errors.append("python3 scripts/change-relation.py --add --new-relation %s %s %s" % (inverse_synset_rels[rel.rel_type].value, synset2.id, synset.id)) + else: + errors.append("No symmetric relation for %s =%s=> %s" % (synset.id, rel.rel_type, synset2.id)) + for entry in wn.entries: + for sense in entry.senses: + for rel in sense.sense_relations: + if rel.rel_type in inverse_sense_rels: + sense2 = wn.sense_by_id(rel.target) + if not any(r for r in sense2.sense_relations if r.target == sense.id and r.rel_type == inverse_sense_rels[rel.rel_type]): + if fix: + errors.append("python3 scripts/change-relation.py --add --new-relation %s %s %s" % (inverse_sense_rels[rel.rel_type].value, sense2.id, sense.id)) + else: + errors.append("No symmetric relation for %s =%s=> %s" % (sense.id, rel.rel_type, sense2.id)) + return errors def check_transitive(wn, fix): @@ -30,25 +47,78 @@ def check_transitive(wn, fix): return errors def check_no_loops(wn): - errors = [] - chains = [] + hypernyms = {} for synset in wn.synsets: - c2 = [] - i = 0 - while i < len(chains): - if chains[i][-1] == synset.id: - c2.append(chains.pop(i)) - else: - i += 1 + hypernyms[synset.id] = set() for rel in synset.synset_relations: if rel.rel_type == SynsetRelType.HYPERNYM: - for c in c2: - c3 = c.copy() - if any(y for y in c3 if y == rel.target): - errors.append("Loop in chain %s => %s " % (c3, rel.target)) - c3.append(rel.target) - chains.append(c3) + hypernyms[synset.id].add(rel.target) + changed = True + while changed: + changed = False + for synset in wn.synsets: + n_size = len(hypernyms[synset.id]) + for c in hypernyms[synset.id]: + hypernyms[synset.id] = hypernyms[synset.id].union(hypernyms.get(c, [])) + if len(hypernyms[synset.id]) != n_size: + changed = True + if synset.id in hypernyms[synset.id]: + return ["Loop for %s" % (synset.id)] + return [] +def check_not_empty(wn, ss): + if not wn.members_by_id(ss.id): + return False + else: + return True + +def check_ili(ss, fix): + errors = 0 + if (not ss.ili or ss.ili == "in") and not ss.ili_definition: + if fix: + print("python3 scripts/change-definition.py --ili %s" % ss.id) + else: + print("%s does not have an ILI definition" % ss.id) + errors += 1 + return errors + + +def check_lex_files(wn, fix): + pos_map = { + "nou": PartOfSpeech.NOUN, + "ver": PartOfSpeech.VERB, + "adj": PartOfSpeech.ADJECTIVE, + "adv": PartOfSpeech.ADVERB + } + errors = 0 + for f in glob.glob("src/wn-*.xml"): + lexfile = f[7:-4] + lex_pos = pos_map[lexfile[:3]] + swn = parse_wordnet(f) + for synset in swn.synsets: + if synset.lex_name != lexfile: + print("%s declared in %s but listed as %s" % (synset.id, lexfile, synset.lex_name)) + errors += 1 + if not equal_pos(lex_pos, synset.part_of_speech): + print("%s declared in %s but has wrong POS %s" % (synset.id, lexfile, synset.part_of_speech)) + errors += 1 + for entry in swn.entries: + if len(entry.senses) == 0: + print("%s is empty in %s" % (entry.id, lexfile)) + errors += 1 + for sense in entry.senses: + if not sense.sense_key: + print("%s does not have a sense key" % (sense.id)) + errors += 1 + calc_sense_key = sense_keys.get_sense_key(wn, swn, entry, sense, f) + if sense.sense_key != calc_sense_key: + if fix: + print("sed -i 's/%s/%s/' src/*" % (sense.sense_key, calc_sense_key)) + else: + print("%s has declared key %s but should be %s" % (sense.id, + sense.sense_key, calc_sense_key)) + errors += 1 + return errors valid_id = re.compile("^ewn-[A-Za-z0-9_\\-.]*$") @@ -76,7 +146,12 @@ def main(): errors = 0 + errors += check_lex_files(wn, fix) + for entry in wn.entries: + if entry.id[-1:] != entry.lemma.part_of_speech.value: + print("ERROR: Entry ID not same as part of speech %s as %s" % (entry.id, entry.lemma.part_of_speech.value)) + errors += 1 if not is_valid_id(entry.id): if fix: sys.stderr.write("Cannot be fixed") @@ -90,13 +165,70 @@ def main(): sys.exit(-1) print("ERROR: Invalid ID " + sense.id) errors += 1 + synset = wn.synset_by_id(sense.synset) + if entry.lemma.part_of_speech != synset.part_of_speech: + print("ERROR: Part of speech of entry not the same as synset %s in %s" % (entry.id, synset.id)) + errors += 1 + for sr in sense.sense_relations: + if sr.rel_type == SenseRelType.PERTAINYM: + ss_source = wn.synset_by_id(sense.synset) + if ((not equal_pos(ss_source.part_of_speech, PartOfSpeech.ADJECTIVE) + and not equal_pos(ss_source.part_of_speech, PartOfSpeech.ADVERB))): + print("ERROR: Pertainyms should be between adjectives %s => %s" % (sense.id, sr.target)) + errors += 1 + #if sr.target == sense.id: + # print("ERROR: Reflexive sense relation %s" % (sense.id)) + # errors += 1 for synset in wn.synsets: + if synset.id[-1:] != synset.part_of_speech.value: + print("ERROR: Synset ID not same as part of speech %s as %s" % (synset.id, synset.part_of_speech.value)) + errors += 1 if not is_valid_synset_id(synset.id): if fix: sys.stderr.write("Cannot be fixed") sys.exit(-1) print("ERROR: Invalid ID " + synset.id) errors += 1 + if not check_not_empty(wn, synset): + print("ERROR: Empty synset " + synset.id) + errors += 1 + + errors += check_ili(synset, fix) + + similars = 0 + for sr in synset.synset_relations: + if (sr.rel_type == SynsetRelType.HYPERNYM and + not equal_pos(synset.part_of_speech, wn.synset_by_id(sr.target).part_of_speech)): + print("ERROR: Cross-part-of-speech hypernym %s => %s" % (synset.id, sr.target)) + errors += 1 + if sr.rel_type == SynsetRelType.SIMILAR: + if (not equal_pos(synset.part_of_speech, PartOfSpeech.VERB) and + not equal_pos(synset.part_of_speech, PartOfSpeech.ADJECTIVE)): + print("ERROR: similar not between verb/adjective %s => %s" % (synset.id, sr.target)) + errors += 1 + similars += 1 + if similars > 1 and synset.part_of_speech == PartOfSpeech.ADJECTIVE_SATELLITE: + print("ERROR: satellite of more than one synset %s" % (synset.id)) + errors += 1 + if sr.rel_type == SynsetRelType.ANTONYM: + print("ERROR: antonymy should be at the sense level %s => %s" % (synset.id, sr.target)) + errors += 1 + #if sense.id == sr.target: + # print("ERROR: reflexive synset relation for %s" % (synset.id)) + # errors += 1 + + if synset.part_of_speech == PartOfSpeech.ADJECTIVE_SATELLITE and similars == 0: + print("ERROR: satellite must have at least one similar link %s" % (synset.id)) + errors += 1 + + if len(synset.definitions) == 0: + print("ERROR: synset without definition %s" % (synset.id)) + errors += 1 + for defn in synset.definitions: + if len(defn.text) == 0: + print("ERROR: empty definition for %s" % (synset.id)) + errors += 1 + for error in check_symmetry(wn, fix): if fix: diff --git a/scripts/wordnet.py b/scripts/wordnet.py index 0637df93..f4315b25 100644 --- a/scripts/wordnet.py +++ b/scripts/wordnet.py @@ -18,8 +18,10 @@ def __init__(self, id, label, language, email, license, version, url): self.comments = {} self.id2synset = {} self.id2entry = {} + self.id2sense = {} self.member2entry = {} self.members = {} + self.sense2synset = {} def __str__(self): return "Lexicon with ID %s and %d entries and %d synsets" % (self.id, @@ -33,6 +35,8 @@ def add_entry(self, entry): if sense.synset not in self.members: self.members[sense.synset] = [] self.members[sense.synset].append(entry.lemma.written_form) + self.sense2synset[sense.id] = sense.synset + self.id2sense[sense.id] = sense if entry.lemma.written_form not in self.member2entry: self.member2entry[entry.lemma.written_form] = [] self.member2entry[entry.lemma.written_form].append(entry.id) @@ -48,12 +52,18 @@ def entry_by_id(self, id): def synset_by_id(self, id): return self.id2synset.get(id) + def sense_by_id(self, id): + return self.id2sense.get(id) + def entry_by_lemma(self, lemma): return self.member2entry.get(lemma) def members_by_id(self, synset_id): return self.members.get(synset_id) + def sense_to_synset(self, sense_id): + return self.sense2synset[sense_id] + def to_xml(self, xml_file, part=True): xml_file.write("""\n""") if part: @@ -132,21 +142,24 @@ def to_xml(self, xml_file): class Sense: """The sense links an entry to a synset""" - def __init__(self, id, synset, sense_key, n=-1): + def __init__(self, id, synset, sense_key, n=-1, adjposition=None): self.id = id self.synset = synset self.n = n self.sense_key = sense_key self.sense_relations = [] + self.adjposition = adjposition def add_sense_relation(self, relation): self.sense_relations.append(relation) def to_xml(self, xml_file, comments): - if self.n >= 0: - n_str = " n=\"%d\"" % self.n + if self.adjposition: + n_str = " adjposition=\"%s\"" % self.adjposition else: n_str = "" + if self.n >= 0: + n_str = "%s n=\"%d\"" % (n_str, self.n) if self.sense_key: sk_str = " dc:identifier=\"%s\"" % escape_xml_lit(self.sense_key) else: @@ -165,7 +178,7 @@ def to_xml(self, xml_file, comments): class Synset: """The synset is a collection of synonyms""" - def __init__(self, id, ili, part_of_speech, lex_name): + def __init__(self, id, ili, part_of_speech, lex_name, source=None): self.id = id self.ili = ili self.part_of_speech = part_of_speech @@ -174,6 +187,7 @@ def __init__(self, id, ili, part_of_speech, lex_name): self.ili_definition = None self.synset_relations = [] self.examples = [] + self.source = source def add_definition(self, definition, is_ili=False): if is_ili: @@ -193,8 +207,11 @@ def to_xml(self, xml_file, comments): if self.id in comments: xml_file.write(""" """ % comments[self.id]) - xml_file.write(""" -""" % (self.id, self.ili, self.part_of_speech.value, self.lex_name)) + source_tag = "" + if self.source: + source_tag = " dc:source=\"%s\"" % (self.source) + xml_file.write(""" +""" % (self.id, self.ili, self.part_of_speech.value, self.lex_name, source_tag)) for defn in self.definitions: defn.to_xml(xml_file) if self.ili_definition: @@ -289,6 +306,11 @@ class PartOfSpeech(Enum): OTHER = 'x' UNKNOWN = 'u' +def equal_pos(pos1, pos2): + return (pos1 == pos2 + or pos1 == PartOfSpeech.ADJECTIVE and pos2 == PartOfSpeech.ADJECTIVE_SATELLITE + or pos2 == PartOfSpeech.ADJECTIVE and pos1 == PartOfSpeech.ADJECTIVE_SATELLITE) + class SynsetRelType(Enum): AGENT = 'agent' ALSO = 'also' @@ -491,11 +513,12 @@ def startElement(self, name, attrs): else: n = -1 self.sense = Sense(attrs["id"], attrs["synset"], - attrs.get("dc:identifier") or "", n) + attrs.get("dc:identifier") or "", n, attrs.get("adjposition")) elif name == "Synset": self.synset = Synset(attrs["id"], attrs["ili"], PartOfSpeech(attrs["partOfSpeech"]), - attrs.get("dc:subject","")) + attrs.get("dc:subject",""), + attrs.get("dc:source","")) elif name == "Definition": self.defn = "" elif name == "ILIDefinition": diff --git a/src/deprecations.csv b/src/deprecations.csv index 86878a60..aec8ddf7 100644 --- a/src/deprecations.csv +++ b/src/deprecations.csv @@ -31,3 +31,9 @@ "ewn-11339239-n","i97029","ewn-11339805-n","i97033","Duplicate (#75)" "ewn-14981196-n","i115736","ewn-14936538-n","i115455","Duplicated (#130)" "ewn-08659519-n","i82371","ewn-08242255-n","i80334","Duplicate synset (#133)" +"ewn-11661096-n","i98542","ewn-84481488-n","in","Split sense (#78)" +"ewn-11654084-n","i98507","ewn-86491841-n","in","Split sense (#78)" +"ewn-11657017-n","i98522","ewn-80945361-n","in","Split sense (#78)" +"ewn-11662414-n","i98548","ewn-83153902-n","in","Split sense (#78)" +"ewn-11662694-n","i98549","ewn-80820791-n","in","Split sense (#78)" +"ewn-11662881-n","i98550","ewn-85319713-n","in","Split sense (#78)" diff --git a/src/sensekey-maps.csv b/src/sensekey-maps.csv index c2805e54..9726345a 100644 --- a/src/sensekey-maps.csv +++ b/src/sensekey-maps.csv @@ -56,3 +56,21 @@ sir_richard_steele%1:18:00::,sir_richrd_steele%1:18:00:: steel_oneself_for%2:30:00::,steel_onself_for%2:30:00:: toyonaka%1:15:00::,toyonaki%1:15:00:: veg_out%2:29:00::,vege_out%2:29:00:: +john_mccormack%1:18:00::,john_mccormick%1:18:00:: +william_paterson%1:18:00::,william_patterson%1:18:00:: +1st%3:00:00::,1st%5:00:00:ordinal:00 +narrow-minded%3:00:00::,narrow-minded%5:00:00:sectarian:00 +denominational%3:00:00::,denominational%5:00:00:sectarian:00 +upper%5:00:00:top:00,upper%3:00:00:: +swamp_cypress%1:20:00::,swamp_cypress%1:20:02:: swamp_cypress%1:20:01:: +pond_cypress%1:20:00::,pond_cypress%1:20:01:: pond_cypress%1:20:02:: +juniper%1:20:00::,juniper%1:20:01:: juniper%1:20:03:: +bald_cypress%1:20:00::,bald_cypress%1:20:03:: bald_cypress%1:20:05:: +bald_cypress%1:20:02::,bald_cypress%1:20:04:: bald_cypress%1:20:06:: +southern_cypress%1:20:00::,southern_cypress%1:20:01:: southern_cypress%1:20:02:: +pond_bald_cypress%1:20:00::,pond_bald_cypress%1:20:01:: pond_bald_cypress%1:20:02:: +cypress_pine%1:20:00::,cypress_pine%1:20:01:: cypress_pine%1:20:02:: +redwood%1:20:00::,redwood%1:20:03:: redwood%1:20:04:: +montezuma_cypress%1:20:00::,montezuma_cypress%1:20:01:: montezuma_cypress%1:20:02:: +mexican_swamp_cypress%1:20:00::,mexican_swamp_cypress%1:20:01:: mexican_swamp_cypress%1:20:02:: +sequoia%1:20:00::,sequoia%1:20:01:: sequoia%1:20:02:: diff --git a/src/wn-adj.all.xml b/src/wn-adj.all.xml index dc7fd444..79eb0383 100644 --- a/src/wn-adj.all.xml +++ b/src/wn-adj.all.xml @@ -346,6 +346,7 @@ + @@ -981,7 +982,7 @@ - + @@ -1042,7 +1043,7 @@ - + @@ -1145,7 +1146,7 @@ - + @@ -2566,7 +2567,7 @@ - + @@ -2750,7 +2751,7 @@ - + @@ -3377,6 +3378,7 @@ + @@ -4121,7 +4123,7 @@ - + @@ -4239,7 +4241,7 @@ - + @@ -4637,10 +4639,10 @@ - + - + @@ -5315,7 +5317,7 @@ - + @@ -6360,10 +6362,10 @@ - + - + @@ -6570,11 +6572,12 @@ + - + @@ -6814,6 +6817,7 @@ + @@ -7068,7 +7072,7 @@ - + @@ -7821,10 +7825,10 @@ - + - + @@ -9448,7 +9452,7 @@ - + @@ -9583,7 +9587,7 @@ - + @@ -9932,7 +9936,7 @@ - + @@ -10049,6 +10053,7 @@ + @@ -10404,7 +10409,7 @@ - + @@ -10512,6 +10517,7 @@ + @@ -11113,7 +11119,7 @@ - + @@ -11381,6 +11387,9 @@ + + + @@ -12572,7 +12581,7 @@ - + @@ -13062,8 +13071,8 @@ - - + + @@ -13655,6 +13664,7 @@ + @@ -13859,7 +13869,7 @@ - + @@ -13963,6 +13973,7 @@ + @@ -15769,7 +15780,7 @@ - + @@ -16318,6 +16329,7 @@ + @@ -16473,7 +16485,7 @@ - + @@ -16689,7 +16701,7 @@ - + @@ -16932,7 +16944,7 @@ - + @@ -17788,7 +17800,7 @@ - + @@ -17853,7 +17865,7 @@ - + @@ -18129,11 +18141,11 @@ - + - + @@ -18198,6 +18210,7 @@ + @@ -18272,6 +18285,7 @@ + @@ -18311,6 +18325,7 @@ + @@ -18496,6 +18511,7 @@ + @@ -21479,7 +21495,7 @@ - + @@ -22242,7 +22258,7 @@ - + @@ -23254,7 +23270,7 @@ - + @@ -23320,7 +23336,7 @@ - + @@ -24879,8 +24895,8 @@ - - + + @@ -24921,7 +24937,7 @@ - + @@ -25276,6 +25292,7 @@ + @@ -25429,7 +25446,7 @@ - + @@ -26602,7 +26619,7 @@ - + @@ -26988,6 +27005,9 @@ + + + @@ -27688,7 +27708,7 @@ - + @@ -28501,9 +28521,6 @@ - - - @@ -28958,6 +28975,7 @@ + @@ -29088,9 +29106,9 @@ - - - + + + @@ -29435,6 +29453,7 @@ + @@ -30153,7 +30172,6 @@ - @@ -30392,7 +30410,7 @@ - + @@ -30619,7 +30637,7 @@ - + @@ -30645,7 +30663,7 @@ - + @@ -30792,7 +30810,7 @@ - + @@ -31036,6 +31054,7 @@ + @@ -31487,6 +31506,7 @@ + @@ -32054,6 +32074,9 @@ + + + @@ -32559,6 +32582,7 @@ + @@ -33282,6 +33306,7 @@ + @@ -33444,7 +33469,7 @@ - + @@ -34044,6 +34069,7 @@ + @@ -35276,6 +35302,7 @@ + @@ -35470,6 +35497,7 @@ + @@ -36391,7 +36419,7 @@ - + @@ -37131,8 +37159,8 @@ - - + + @@ -37244,6 +37272,7 @@ + @@ -37805,6 +37834,7 @@ + @@ -38726,7 +38756,13 @@ - + + + + + + + @@ -39140,7 +39176,7 @@ - + @@ -39826,6 +39862,7 @@ + @@ -41249,6 +41286,7 @@ + @@ -41388,6 +41426,7 @@ + @@ -42348,7 +42387,7 @@ - + @@ -42360,7 +42399,7 @@ - + @@ -42641,7 +42680,7 @@ - + @@ -43491,8 +43530,8 @@ - - + + @@ -43889,6 +43928,8 @@ + + @@ -43929,6 +43970,7 @@ + @@ -44770,7 +44812,7 @@ - + @@ -45070,10 +45112,10 @@ - + - + @@ -45097,7 +45139,7 @@ - + @@ -45801,6 +45843,7 @@ + @@ -46584,6 +46627,7 @@ + @@ -47400,8 +47444,8 @@ - - + + @@ -47755,6 +47799,7 @@ + @@ -48214,7 +48259,7 @@ - + @@ -48461,7 +48506,7 @@ - + @@ -48500,6 +48545,7 @@ + @@ -48509,6 +48555,7 @@ + @@ -48766,6 +48813,7 @@ + @@ -48924,7 +48972,7 @@ - + @@ -49758,6 +49806,7 @@ + @@ -50011,6 +50060,8 @@ + + @@ -50317,7 +50368,7 @@ - + @@ -50817,6 +50868,7 @@ + @@ -51155,6 +51207,7 @@ + @@ -52102,7 +52155,7 @@ - + @@ -54232,7 +54285,7 @@ - + @@ -54471,6 +54524,7 @@ + @@ -54651,7 +54705,7 @@ - + @@ -55175,6 +55229,7 @@ + @@ -56332,6 +56387,7 @@ + @@ -56408,7 +56464,7 @@ - + @@ -57325,7 +57381,7 @@ - + @@ -57647,7 +57703,7 @@ - + @@ -58112,7 +58168,7 @@ - + @@ -58586,9 +58642,12 @@ - + + + + @@ -59497,7 +59556,7 @@ - + @@ -59668,7 +59727,7 @@ - + @@ -59813,6 +59872,7 @@ + @@ -60981,12 +61041,6 @@ - - - - - - @@ -61021,8 +61075,8 @@ - - + + @@ -61084,7 +61138,7 @@ - + @@ -61232,6 +61286,7 @@ + @@ -61322,7 +61377,7 @@ - + @@ -61593,7 +61648,7 @@ - + @@ -63980,8 +64035,8 @@ - - + + @@ -64463,7 +64518,7 @@ - + @@ -66059,6 +66114,7 @@ + @@ -66272,7 +66328,7 @@ - + @@ -66518,6 +66574,7 @@ + @@ -66813,7 +66870,7 @@ - + @@ -69075,7 +69132,7 @@ - + @@ -69148,6 +69205,7 @@ + @@ -69176,6 +69234,7 @@ + @@ -69398,7 +69457,7 @@ - + @@ -69846,6 +69905,7 @@ + @@ -70334,8 +70394,8 @@ - - + + @@ -70399,6 +70459,7 @@ + @@ -70923,6 +70984,7 @@ + @@ -71877,7 +71939,7 @@ - + @@ -72097,7 +72159,7 @@ - + @@ -74698,6 +74760,7 @@ + @@ -74927,7 +74990,7 @@ - + @@ -75196,6 +75259,7 @@ + @@ -75263,6 +75327,7 @@ + @@ -75655,6 +75720,8 @@ + + @@ -76708,7 +76775,7 @@ - + @@ -77411,6 +77478,7 @@ + @@ -78022,7 +78090,7 @@ - + @@ -78108,6 +78176,7 @@ + @@ -78161,7 +78230,7 @@ - + @@ -78717,6 +78786,8 @@ + + @@ -79238,6 +79309,7 @@ + @@ -79293,6 +79365,7 @@ + @@ -80161,7 +80234,7 @@ - + @@ -80611,7 +80684,7 @@ - + @@ -82011,7 +82084,7 @@ - + @@ -82229,7 +82302,7 @@ - + @@ -82657,6 +82730,7 @@ + @@ -84197,8 +84271,8 @@ - - + + @@ -85109,6 +85183,7 @@ + @@ -85702,7 +85777,7 @@ - + @@ -87464,7 +87539,7 @@ - + @@ -88794,6 +88869,7 @@ + @@ -89232,7 +89308,7 @@ - + @@ -90024,6 +90100,7 @@ + @@ -90610,7 +90687,7 @@ - + @@ -90686,10 +90763,10 @@ - + - + @@ -92376,6 +92453,7 @@ + @@ -92630,7 +92708,7 @@ - + @@ -94465,7 +94543,7 @@ - + @@ -94890,6 +94968,7 @@ + @@ -94940,6 +95019,7 @@ + @@ -96117,6 +96197,7 @@ + @@ -96124,6 +96205,8 @@ + + @@ -96814,6 +96897,7 @@ + @@ -97967,7 +98051,7 @@ - + @@ -98240,7 +98324,7 @@ - + @@ -98408,6 +98492,7 @@ + @@ -99988,6 +100073,7 @@ + @@ -101229,6 +101315,7 @@ + @@ -101760,7 +101847,7 @@ - + @@ -102389,6 +102476,7 @@ + @@ -102413,7 +102501,7 @@ - + @@ -102716,6 +102804,7 @@ + @@ -102872,7 +102961,7 @@ - + @@ -102978,13 +103067,13 @@ - + - + - + @@ -103650,7 +103739,7 @@ - + @@ -105239,6 +105328,7 @@ + @@ -105637,9 +105727,9 @@ - - - + + + @@ -106910,8 +107000,8 @@ - - + + @@ -107171,6 +107261,7 @@ + @@ -107292,7 +107383,7 @@ - + @@ -107436,6 +107527,7 @@ + @@ -107591,7 +107683,7 @@ - + @@ -108131,6 +108223,7 @@ + @@ -108342,6 +108435,7 @@ + @@ -108509,6 +108603,7 @@ + @@ -108668,6 +108763,7 @@ + @@ -108810,115 +108906,266 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - - + + + + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + (usually followed by `to') having the necessary means or skill or know-how or authority to do something @@ -112093,6 +112340,7 @@ + "agitated parents" @@ -116163,6 +116411,7 @@ + @@ -117343,6 +117592,8 @@ + + "an ugly face" "ugly furniture" @@ -119640,7 +119891,7 @@ "a wide unbridgeable river" "unbridgeable generation gap" - + emitting or reflecting light readily or in large amounts @@ -119669,7 +119920,7 @@ bright with a steady but subdued shining - + "from the plane we saw the city below agleam with lights" "the gleaming brass on the altar" "Nereids beneath the nitid moon" @@ -119677,7 +119928,7 @@ softly bright or radiant - + "a house aglow with lights" "glowing embers" "lambent tongues of flame" @@ -119687,7 +119938,7 @@ having brief brilliant points or flashes of light - + "bugle beads all aglitter" "glinting eyes" "glinting water" @@ -119702,14 +119953,14 @@ small and round and shiny like a shiny bead or button - + "bright beady eyes" "black buttony eyes" radiating or as if radiating light - + "the beaming sun" "the effulgent daffodils" "a radiant sunrise" @@ -119718,7 +119969,7 @@ shining intensely - + "the blazing sun" "blinding headlights" "dazzling snow" @@ -119728,32 +119979,32 @@ (metaphor) shining brightly - + full of light; shining intensely - + "a brilliant star" "brilliant chandeliers" glowing or shining like fire - + "from rank to rank she darts her ardent eyes"- Alexander Pope "frightened by his ardent burning eyes" shining softly and intermittently - + "glimmery candlelight" reflecting light - + "glistening bodies of swimmers" "the horse's glossy coat" "lustrous auburn hair" @@ -119763,7 +120014,7 @@ having a play of lustrous rainbow colors - + "an iridescent oil slick" "nacreous (or pearlescent) clouds looking like mother-of-pearl" "a milky opalescent (or opaline) luster" @@ -119771,20 +120022,20 @@ shining with an unnatural red glow as of fire seen through smoke - + "a lurid sunset" "lurid flames" shining or glowing by night - + "the noctilucent eyes of a cat" having a smooth, gleaming surface reflecting light; being of a smooth, soft and lustrous quality, resembling silk - + "satiny gardenia petals" "sleek black fur" "silken eyelashes" @@ -119796,26 +120047,26 @@ having in itself the property of emitting light - + glistening tremulously - + "the shimmery surface of the lake" "a dress of shimmery satin" having the white lustrous sheen of silver - + "a land of silver (or silvern) rivers where the salmon leap" "repeated scrubbings have given the wood a silvery sheen" shining intermittently with a sparkling light - + "twinkling stars" @@ -119880,6 +120131,7 @@ + "a prejudiced judge" @@ -120663,6 +120915,7 @@ + "capable of winning" "capable of hard work" "capable of walking on two feet" @@ -126007,6 +126260,7 @@ + @@ -139569,6 +139823,7 @@ + "a noisy crowd of intoxicated sailors" "helplessly inebriated" @@ -139894,6 +140149,7 @@ + "a lively discussion" "lively and attractive parents" "a lively party" @@ -140760,7 +141016,7 @@ having a build with little fat or muscle but with long limbs - + @@ -146888,7 +147144,7 @@ "men are portly and women are stout" - + lacking excess flesh @@ -146912,18 +147168,19 @@ + "you can't be too rich or too thin" "Yon Cassius has a lean and hungry look"-Shakespeare suffering from anorexia nervosa; pathologically thin - + very thin especially from disease or hunger or cold - + "a nightmare population of gaunt men and skeletal boys" "eyes were haggard and cavernous" "small pinched faces" @@ -146932,44 +147189,44 @@ characteristic of the bony face of a cadaver - + tall and thin - + long and lean - + having a lean and bony physique - + "a rawboned cow hand" resembling a reed in being upright and slender - + thin as a twig - + resembling a scarecrow in being thin and ragged - + "a forlorn scarecrowish figure" being very thin - + "a child with skinny freckled legs" "a long scrawny neck" "pale bony hands" @@ -146977,7 +147234,7 @@ lean and wrinkled by shrinkage as from age or illness - + "the old woman's shriveled skin" "he looked shriveled and ill" "a shrunken old man" @@ -146988,7 +147245,7 @@ being of delicate or slender build - + "she was slender as a willow shoot is slender"- Frank Norris "a slim girl with straight blonde hair" "watched her slight figure cross the street" @@ -146996,35 +147253,35 @@ having a small waist - + thin and fit - + "the spare figure of a marathon runner" "a body kept trim by exercise" having long slender legs - + lean and sinewy - + (of a woman or girl) slender and graceful like a sylph (of a woman or girl) slender and graceful like a sylph - + thin and weak - + "a wispy little fellow with small hands and feet"- Edmund Wilson @@ -152285,6 +152542,8 @@ + + "good news from the hospital" "a good report card" "when she was good she was very very good" @@ -162515,6 +162774,7 @@ + "a little dining room" "a little house" "a small car" @@ -163751,6 +164011,7 @@ + "recorded music" @@ -164193,6 +164454,7 @@ + "a long road" "a long distance" "contained many long words" @@ -164397,6 +164659,7 @@ + "a long life" "a long boring speech" "a long time" @@ -165493,6 +165756,7 @@ + "loving parents" "loving glances" @@ -166653,6 +166917,7 @@ indicating a lack of maturity + "childish tantrums" "infantile behavior" @@ -170312,6 +170577,7 @@ + "what a nice fellow you are and we all thought you so nasty"- George Meredith "nice manners" "a nice dress" @@ -178863,6 +179129,7 @@ + "an unpleasant personality" "unpleasant repercussions" "unpleasant odors" @@ -179279,7 +179546,7 @@ perfected or made shiny and smooth - + "his polished prose" @@ -190072,12 +190339,12 @@ "her dress was scanty and revealing" - + adhering or confined to a particular sect or denomination "denominational prejudice" - + rigidly adhering to a particular sect or its doctrines @@ -199501,6 +199768,7 @@ + "a strong radio signal" "strong medicine" "a strong man" @@ -203047,7 +203315,7 @@ of relatively small extent from one surface to the opposite or in cross section - + @@ -204200,7 +204468,6 @@ - "the top shelf" @@ -204223,10 +204490,9 @@ "on the topmost step" - + the topmost one of two; upper - - + @@ -204234,7 +204500,6 @@ - "the bottom drawer" @@ -208397,6 +208662,7 @@ + "ill from the monotony of his suffering" @@ -209583,7 +209849,6 @@ so unreasonable as to invite derision - "the absurd excuse that the dog ate his homework" "that's a cockeyed idea" "ask a nonsensical question and get a nonsensical answer" @@ -210657,27 +210922,224 @@ as a rival in a competition + as a rival in a competition - + causing indignation due to hypocrisy - + causing indignation due to hypocrisy - + the bottom one of two - - + the bottom one of two + involved with others in an activity that is unlawful or morally wrong + involved with others in an activity that is unlawful or morally wrong having albinism + having albinism of the blue-green color that is a primary subtractive color of light + of the blue-green color that is a primary subtractive color of light + + Opposed to people of European ancestry + Opposed to people of European ancestry + + + Good for the environment + Good for the environment + + + + funny and spooky at the same time + funny and spooky at the same time + + + + + + Extremely muscled + Extremely muscled + + + + + being impressive due to extreme attitude or style + being impressive due to extreme attitude or style + + + Having a tendency to bite aggressively + Having a tendency to bite aggressively + + + capable of being charged + capable of being charged + + + + excessively emotional and attached + excessively emotional and attached + + + + + of things that should cause embarrassment and shame + of things that should cause embarrassment and shame + + + embarrassing such that it would cause cringing + embarrassing such that it would cause cringing + + + + + Legitimate or valid (frequently used ironically) + Legitimate or valid (frequently used ironically) + + + of high quality especially of marijuana + of high quality especially of marijuana + + + appearing silly or stupid especially in a cute manner + appearing silly or stupid especially in a cute manner + + + + + having a tendency to flap + having a tendency to flap + + + Severly damaged, in disarray or incorrect + Severly damaged, in disarray or incorrect + + + High on a drug such as cocaine + High on a drug such as cocaine + + + + Neat, really together, knowing where one's towel is + Neat, really together, knowing where one's towel is + + + Suffering the aftereffects of the consumption of alcohol + Suffering the aftereffects of the consumption of alcohol + + + + + likely to get many upvotes on Instagram + likely to get many upvotes on Instagram + + + + Very long in the spatial sense + Very long in the spatial sense + + + + not having a good appearance + not having a good appearance + + + + Without access to an electrical or communication network + Without access to an electrical or communication network + + + Of a network of two or more computers connected as equal partners and able to share processing, control and access to data and peripherals + Of a network of two or more computers connected as equal partners and able to share processing, control and access to data and peripherals + + + + Of an event that is taking place and is lively + Of an event that is taking place and is lively + + + + + in favour of rape, used derogatively + in favour of rape, used derogatively + + + deserving of being punched + deserving of being punched + + + provoking laughter by means of word play + provoking laughter by means of word play + + + having a manner or nature that is easy to relate to + having a manner or nature that is easy to relate to + + + + + (of a video) recorded by the performers + (of a video) recorded by the performers + + + + + of a female with a large bottom and a slim waist + of a female with a large bottom and a slim waist + + + + + + + Very small and cute + Very small and cute + + + + + having many tattooes + having many tattooes + + + Prejudiced against transgender people + Prejudiced against transgender people + + + + extermely excited, especially about or at a part + extermely excited, especially about or at a part + + + + + Very ugly + Very ugly + + + + persistent to the point of annoying + persistent to the point of annoying + + + Of a social network of equal partners able to conduct business without using a middle man + Of a social network of equal partners able to conduct business without using a middle man + + + appearing to be glowing + appearing to be glowing + + + Very long in the temporal sense + Very long in the temporal sense + + diff --git a/src/wn-adj.pert.xml b/src/wn-adj.pert.xml index ae854445..a7ae4f0c 100644 --- a/src/wn-adj.pert.xml +++ b/src/wn-adj.pert.xml @@ -3689,6 +3689,8 @@ + + @@ -7540,7 +7542,7 @@ - + @@ -7967,7 +7969,7 @@ - + @@ -8277,6 +8279,7 @@ + @@ -13249,6 +13252,8 @@ + + diff --git a/src/wn-adv.all.xml b/src/wn-adv.all.xml index 244df935..a1f2fc6c 100644 --- a/src/wn-adv.all.xml +++ b/src/wn-adv.all.xml @@ -86,7 +86,7 @@ - + @@ -3582,7 +3582,7 @@ - + @@ -3642,7 +3642,7 @@ - + @@ -6116,7 +6116,7 @@ - + @@ -7146,7 +7146,7 @@ - + @@ -7257,7 +7257,7 @@ - + @@ -10646,7 +10646,7 @@ - + @@ -12348,7 +12348,7 @@ - + @@ -12974,7 +12974,7 @@ - + @@ -18589,7 +18589,7 @@ - + @@ -22636,7 +22636,7 @@ - + @@ -23278,7 +23278,7 @@ - + @@ -26382,19 +26382,31 @@ - + - + - + - + + + + + + + + + + + + + @@ -30603,7 +30615,7 @@ in conjunction with; combined - + "our salaries collectively couldn't pay for the damage" @@ -33544,6 +33556,7 @@ a figure of speech used as a way to provide further information, or to be more specific or exact about something + @@ -33767,7 +33780,7 @@ in collaboration or cooperation - + "this paper was written jointly" @@ -43302,6 +43315,7 @@ in a rhetorically stylistic manner + "stylistically complex" @@ -45185,10 +45199,25 @@ quickly and without warning happening unexpectedly on impulse; without premeditation + quickly and without warning "he stopped suddenly" "suddenly she felt a sharp pain in her side" "he decided to go to Chicago on the spur of the moment" "he made up his mind suddenly" + + reacting to a stupid but cute action + reacting to a stupid but cute action + + + In other words, as a result + In other words, as a result + + + + regarding the tone + regarding the tone + + diff --git a/src/wn-noun.Tops.xml b/src/wn-noun.Tops.xml index 501d2df5..3e72c192 100644 --- a/src/wn-noun.Tops.xml +++ b/src/wn-noun.Tops.xml @@ -451,6 +451,34 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + that which is perceived or known or inferred to have its own distinct existence (living or nonliving) @@ -536,6 +564,7 @@ + "it was full of rackets, balls and other objects" @@ -635,11 +664,19 @@ + organisms (plants and animals) that live at or near the bottom of a sea + + + + + + + @@ -1145,6 +1182,10 @@ + + + + "there was too much for one person to do" @@ -1237,6 +1278,7 @@ + @@ -1381,6 +1423,8 @@ + + "DNA is the substance of our genes" @@ -1439,6 +1483,8 @@ + + "physicists study both the nature of matter and the forces which govern it" @@ -1796,6 +1842,7 @@ + "he waited for along time" "it took some time before he got an answer" "time flies like an arrow" @@ -1839,6 +1886,7 @@ + @@ -1868,6 +1916,8 @@ + + "events now in process" "the process of calcification begins later for boys than for girls" @@ -1914,6 +1964,8 @@ + + @@ -1947,6 +1999,8 @@ + + @@ -2049,6 +2103,8 @@ + + @@ -2062,5 +2118,42 @@ + + The microscopic fauna of sand and mud. + The microscopic fauna of sand and mud. + + + + cyanobacteria and eukaryotic algae that live on or in association with fine-grained substrata. + cyanobacteria and eukaryotic algae that live on or in association with fine-grained substrata. + + + + organisms that are attached to submerged wood surfaces in aquatic ecosystems. + organisms that are attached to submerged wood surfaces in aquatic ecosystems. + + Some studies, however, suggest that wood and wood biofilms (epixylon) may be an important but overlooked resource. + + + organisms (plants and animals) that live specifically at or near the bottom of a sea. + organisms (plants and animals) that live specifically at or near the bottom of a sea. + + + + microscopic benthic organisms that are less than 0.1 mm in size. + microscopic benthic organisms that are less than 0.1 mm in size. + + + + Microscopic flora and fauna found on the surface of and/or attached to sand grains. + Microscopic flora and fauna found on the surface of and/or attached to sand grains. + + + + benthos consisting of organisms in pre-adult stages that later become adult in the plankton. + benthos consisting of organisms in pre-adult stages that later become adult in the plankton. + + More recent studies highlighted the role of merobenthos as cysts of planktonic organisms that spend part of their life quiescent in the sediments. + diff --git a/src/wn-noun.act.xml b/src/wn-noun.act.xml index 4f84bb82..bd0e78de 100644 --- a/src/wn-noun.act.xml +++ b/src/wn-noun.act.xml @@ -1129,6 +1129,7 @@ + @@ -8790,6 +8791,7 @@ + @@ -9000,6 +9002,8 @@ + + @@ -14849,6 +14853,7 @@ + @@ -16041,7 +16046,7 @@ - + @@ -16438,7 +16443,7 @@ - + @@ -24322,7 +24327,7 @@ - + @@ -27501,6 +27506,8 @@ + + @@ -43779,7 +43786,7 @@ - + @@ -44341,9 +44348,13 @@ - + + + - + + + @@ -51387,293 +51398,795 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -51966,6 +52479,7 @@ + @@ -53941,6 +54455,7 @@ the technical aspects of doing something + "a mechanism of social control" "mechanisms of communication" "the mechanics of prose style" @@ -55463,6 +55978,7 @@ a methodical examination or review of a condition or situation + "he made an audit of all the plants on his property" "an energy efficiency audit" "an email log audit" @@ -55972,6 +56488,7 @@ + @@ -56107,6 +56624,7 @@ + "your choice of colors was unfortunate" "you can take your pick" @@ -56280,6 +56798,8 @@ interchanging the positions of the king and a rook + + @@ -56909,6 +57429,7 @@ + "there were only 17 votes in favor of the motion" "they allowed just one vote per person" @@ -57548,6 +58069,7 @@ an adverse reaction to some political or social occurrence + "there was a backlash of intolerance" @@ -57566,6 +58088,7 @@ + "his proposals were met with rejection" @@ -59170,6 +59693,8 @@ + + "their improvements increased the value of the property" @@ -59545,6 +60070,7 @@ the act of rendering optimal + "the simultaneous optimization of growth and profitability" "in an optimization problem we seek values of the variables that lead to an optimal value of the function that is to be optimized" "to promote the optimization and diversification of agricultural products" @@ -59919,6 +60445,8 @@ the job of a professional coach + + @@ -62307,6 +62835,7 @@ + @@ -63442,6 +63971,7 @@ the act of making something more noticeable than usual + "the dance involved a deliberate exaggeration of his awkwardness" @@ -64249,6 +64779,7 @@ + "he had surgery for the removal of a malignancy" @@ -65285,6 +65816,7 @@ + @@ -65363,6 +65895,7 @@ + "it required unnatural torturing to extract a confession" @@ -65607,6 +66140,8 @@ + + @@ -65654,6 +66189,7 @@ + "his gambling cost him a fortune" "there was heavy play at the blackjack table" @@ -65731,6 +66267,7 @@ an auxiliary activity + @@ -65757,6 +66294,8 @@ + + @@ -66736,6 +67275,7 @@ + "it is my turn" "it is still my play" @@ -66790,6 +67330,8 @@ a game played against a computer + + @@ -68497,6 +69039,7 @@ + @@ -68596,6 +69139,7 @@ + "he did it on a bet" @@ -69350,6 +69894,9 @@ + + + @@ -71266,6 +71813,7 @@ + "she checked several points needing further work" @@ -71320,6 +71868,7 @@ + @@ -72504,6 +73053,8 @@ + + "he learned his trade as an apprentice" @@ -72911,6 +73462,7 @@ a method of surveying; the area is divided into triangles and the length of one side and its angles with the other two are measured, then the lengths of the other sides can be calculated + @@ -73204,6 +73756,7 @@ + "the doctor recommended regular exercise" "he did some exercising" "the physical exertion required by his work kept him fit" @@ -73245,8 +73798,9 @@ - + + @@ -73271,10 +73825,11 @@ - + a weightlift in which the barbell is lifted to shoulder height and then smoothly lifted overhead + @@ -73536,6 +74091,12 @@ + + + + + + @@ -73569,6 +74130,8 @@ scientific tests or techniques used in the investigation of crimes + + @@ -74033,6 +74596,10 @@ (stock exchange) the use of fundamentals as an investment strategy + + + + @@ -74046,6 +74613,7 @@ + @@ -77404,6 +77972,9 @@ creative activity (writing or pictures or films etc.) of no literary or artistic value other than to stimulate sexual desire + + + @@ -80370,6 +80941,8 @@ + + "he went outside for a smoke" "smoking stinks" @@ -80718,6 +81291,7 @@ + "they had sex in the back seat" @@ -80752,6 +81326,8 @@ + + @@ -81024,6 +81600,7 @@ oral stimulation of the penis + @@ -81179,6 +81756,7 @@ + "a bad reaction to the medicine" "his responses have slowed with age" @@ -81765,7 +82343,7 @@ - + "he went out to have a look" "his look was fixed on her eyes" @@ -81896,6 +82474,7 @@ + @@ -81922,18 +82501,19 @@ the act of looking out - + the act of looking or seeing or observing + "he tried to get a better view of it" "his survey of the battlefield was limited" a full view; a good look - + "they wanted to see violence and they got an eyeful" @@ -82042,6 +82622,8 @@ + + "he took a course in basket weaving" "flirting is not unknown in college classes" @@ -82301,6 +82883,7 @@ a course introducing a new situation or environment + @@ -82759,6 +83342,8 @@ + + @@ -82945,6 +83530,7 @@ creating fabric + @@ -83468,6 +84054,8 @@ + + @@ -83697,6 +84285,9 @@ + + + @@ -83744,6 +84335,7 @@ + "writing was a form of therapy for him" "it was a matter of disputed authorship" @@ -83926,6 +84518,8 @@ + + "they sponsored arts and crafts in order to encourage craftsmanship in an age of mass production" @@ -83985,6 +84579,8 @@ + + "he studied painting and sculpture for many years" @@ -84058,6 +84654,7 @@ + @@ -86098,6 +86695,9 @@ + + + "the measurements were carefully done" "his mental measurings proved remarkably accurate" @@ -86603,6 +87203,7 @@ + @@ -86633,6 +87234,7 @@ classification according to general type + @@ -86879,6 +87481,7 @@ + @@ -86986,6 +87589,7 @@ + "the procedure of obtaining a driver's license" "it was a process of trial and error" @@ -87178,6 +87782,7 @@ + @@ -87992,6 +88597,7 @@ + @@ -88106,6 +88712,7 @@ the act of encamping and living in tents in a camp + @@ -88638,6 +89245,7 @@ the act of restricting your food intake (or your intake of particular foods) + @@ -88690,6 +89298,7 @@ an activity that affords enjoyment + "he puts duty before pleasure" @@ -89189,6 +89798,7 @@ + @@ -89612,6 +90222,8 @@ + + "without competition there would be no market" "they were driven from the marketplace" @@ -89667,6 +90279,7 @@ the act of financing + @@ -89684,6 +90297,7 @@ + @@ -89952,6 +90566,8 @@ + + "no transactions are possible without him" "he has always been honest is his dealings with me" @@ -90032,6 +90648,7 @@ the act of giving something in return for something received + "deductible losses on sales or exchanges of property are allowable" @@ -90734,6 +91351,7 @@ + @@ -91278,6 +91896,7 @@ setting an order and time for planned events + @@ -93776,6 +94395,7 @@ a portrayal of something as ideal + "the idealization of rural life was very misleading" @@ -93802,6 +94422,7 @@ + @@ -93842,6 +94463,7 @@ + @@ -94110,6 +94732,7 @@ something done as an indication of intention + "a political gesture" "a gesture of defiance" @@ -94482,6 +95105,7 @@ the combination of two or more commercial companies + @@ -96779,15 +97403,627 @@ a variant of three-card monte played with 4 cards + a variant of three-card monte played with 4 cards a light kiss + a light kiss bite by a bird + bite by a bird + + euphoric experience characterized by a static-like tingling sensation on the skin that typically begins on the scalp and moves down the back of the neck and upper spine, precipitating relaxation + euphoric experience characterized by a static-like tingling sensation on the skin that typically begins on the scalp and moves down the back of the neck and upper spine, precipitating relaxation + + + + acting like an adult + acting like an adult + + + + the removal of security locks from an electronic device + the removal of security locks from an electronic device + + + + + A sexual activity where fellatio is performed on multiple men + A sexual activity where fellatio is performed on multiple men + + + + + To play a game or sport in a manner that is effective but requires little skill + To play a game or sport in a manner that is effective but requires little skill + + + + A posture or gesture of shrinking or recoiling. + A posture or gesture of shrinking or recoiling. + + + + Funding from a large number of small backers + Funding from a large number of small backers + + + + Work done by a large group of anonymous users + Work done by a large group of anonymous users + + + + A sexual act where a married person has sex with another person while their spouse watches + A sexual act where a married person has sex with another person while their spouse watches + + + + + pressing a marijuana concentrate to a hot surface in order to vaporize it and inhale the concentrate + pressing a marijuana concentrate to a hot surface in order to vaporize it and inhale the concentrate + + + + + a dance move in which the dancer simultaneously drops the head while raising an arm and the elbow in a gesture that has been noted to resemble sneezing + a dance move in which the dancer simultaneously drops the head while raising an arm and the elbow in a gesture that has been noted to resemble sneezing + + + + a weight training exercise in which a loaded barbell is lifted off the ground to the hips, then lowered back to the ground + a weight training exercise in which a loaded barbell is lifted off the ground to the hips, then lowered back to the ground + + + + Releasing someone's personal information on the Web with the intention of causing harassment + Releasing someone's personal information on the Web with the intention of causing harassment + + + + a form of mind sports where the primary aspects of the sport are facilitated by video games + a form of mind sports where the primary aspects of the sport are facilitated by video games + + + + electronic sports + electronic sports + + + + the act of putting your hand to cover your face to show disappointment or despair + the act of putting your hand to cover your face to show disappointment or despair + + + + pejorative term for when a man gives money to a woman + pejorative term for when a man gives money to a woman + + + + a fetish where the submissive is forced to give money to a dominant + a fetish where the submissive is forced to give money to a dominant + + + + An extreme feeling of pleasure caused by seeing food + An extreme feeling of pleasure caused by seeing food + + + + a well-stimulation technique in which rock is fractured by a pressurized liquid + a well-stimulation technique in which rock is fractured by a pressurized liquid + + + + A strong and vulgar rejection of an idea + A strong and vulgar rejection of an idea + + + + Making something more engaging by incorporating ideas and mechanics from games + Making something more engaging by incorporating ideas and mechanics from games + + + + Camping glamorously, i.e., with expensive equipment + Camping glamorously, i.e., with expensive equipment + + + + a play in golf where the hole is completed in a single stroke + a play in golf where the hole is completed in a single stroke + + + + Japanese pornography + Japanese pornography + + + + a day of exercise focusing on exercises using the lower body + a day of exercise focusing on exercises using the lower body + + + + Something that intentionally destabilizes, confuses or manipulates the mind of another person + Something that intentionally destabilizes, confuses or manipulates the mind of another person + + + + surveillence by a unit within a video game which would cause the unit to make an action in response to an enemy unit's action + surveillence by a unit within a video game which would cause the unit to make an action in response to an enemy unit's action + + + + An athletic discipline, in which practitioners traverse any environment in the most efficient way possible using their physical abilities, and which commonly involves running, jumping, vaulting, rolling, and other similar physical movements. + An athletic discipline, in which practitioners traverse any environment in the most efficient way possible using their physical abilities, and which commonly involves running, jumping, vaulting, rolling, and other similar physical movements. + + + + A mechanism used to limit access to only paying users + A mechanism used to limit access to only paying users + + + + + a college-level algebra and trigonometry course that is designed to prepare students for the study of calculus + a college-level algebra and trigonometry course that is designed to prepare students for the study of calculus + + + + + The hobby of playing or collecting older video games and computer games. + The hobby of playing or collecting older video games and computer games. + + + + + A considerable backlash or controversy + A considerable backlash or controversy + + + + an act of recognition + an act of recognition + + + + Sexual act where a male is forced to act effeminately and dress like a woman + Sexual act where a male is forced to act effeminately and dress like a woman + + + + Painting a picture in a very short amount of time + Painting a picture in a very short amount of time + + + + Sports of an unspecified kind, usually condescending + Sports of an unspecified kind, usually condescending + + + + the act of tweeting without tagging a user so that they will not see the post + the act of tweeting without tagging a user so that they will not see the post + + + + The act of trying to make something hopelessly weak and unattractive appear strong and appealing + The act of trying to make something hopelessly weak and unattractive appear strong and appealing + + + + A positive vote on a social media website + A positive vote on a social media website + + + + consumption of a vaporized nicotine solution + consumption of a vaporized nicotine solution + + + + torture where water is poured over the face of a captive simulating drowning + torture where water is poured over the face of a captive simulating drowning + + + + The process of determining a competitor's body weight prior to an event, especially to ensure it is within the weight restrictions + The process of determining a competitor's body weight prior to an event, especially to ensure it is within the weight restrictions + + + + a model of human personality which is principally understood and taught as a typology of nine interconnected personality types. + a model of human personality which is principally understood and taught as a typology of nine interconnected personality types. + + + + the act, or the result, of making someone into a hero. + the act, or the result, of making someone into a hero. + + Despite its great importance for Greek religious and cultural history, the heroization of historical persons in the Archaic and Classical periods has not received a full and systematic study. + + + the art and science of breeding domestic pigeons. + the art and science of breeding domestic pigeons. + + For a healthy, immune-competent person, pigeon keeping in accord with current avicultural standards is a very safe activity. + + + a merger usually between two companies in the same business sector. + a merger usually between two companies in the same business sector. + + The example of horizontal merger would be if a health care system buys another health care system. + + + the process of composing (and solving) chess problems. + the process of composing (and solving) chess problems. + + One of the underappreciated aspects of chess composition is that some problems have a sense of humor. + + + the practice of organizing and or ordering of broadcast media programs (Internet, television, radio, etc. ) in a daily, weekly, monthly, quarterly or season-long schedule. + the practice of organizing and or ordering of broadcast media programs (Internet, television, radio, etc. ) in a daily, weekly, monthly, quarterly or season-long schedule. + + In Broadcast programming, counterprogramming is the practice of offering television programs to attract an audience from another television station airing a major event. + + + a bet on a weaker competitor that is given a head start by a bookmaker. + a bet on a weaker competitor that is given a head start by a bookmaker. + + You can place a 0-2 handicap bet on Brazil vs. Cyprus. + + + the business of providing services such as webpage design and marketing advice to companies doing business on the Internet. + the business of providing services such as webpage design and marketing advice to companies doing business on the Internet. + + E-consulting for PCI program development offers a bridge to the experience and know-how that rural and community hospitals need in order to create and develop a sound program. + + + a process of mural painting in which the pigment is fixed by a series of reactions between the lime, fluosilicic acid, and water glass. + a process of mural painting in which the pigment is fixed by a series of reactions between the lime, fluosilicic acid, and water glass. + + The ground for stereochromy has been modified several times since the first introduction of this method of water-glass painting. + + + a type of formal ritual Shinto kagura dance. + a type of formal ritual Shinto kagura dance. + + Mikagura were also performed at the Imperial harvest festival and at major shrines such as Ise, Kamo, and Iwashimizu Hachiman-gū. + + + In mathematics, computer science, economics, or management science, the selection of a best element (with regard to some criteria) from some set of available alternatives. + In mathematics, computer science, economics, or management science, the selection of a best element (with regard to some criteria) from some set of available alternatives. + + High-level controllers such as Model predictive control (MPC) or Real-Time Optimization (RTO) employ mathematical optimization. These algorithms run online and repeatedly determine values for decision variables, such as choke openings in a process plant, by iteratively solving a mathematical optimization problem including constraints and a model of the system to be controlled. + + + the work, art, or trade of a one who makes or deals in articles of gold. + the work, art, or trade of a one who makes or deals in articles of gold. + + The history of Florentine goldsmithery is also the history of its economy. + + + a form of working wood by means of a cutting tool (knife) in one hand or a chisel by two hands or with one hand on a chisel and one hand on a mallet, resulting in a wooden figure or figurine, or in the sculptural ornamentation of a wooden object. + a form of working wood by means of a cutting tool (knife) in one hand or a chisel by two hands or with one hand on a chisel and one hand on a mallet, resulting in a wooden figure or figurine, or in the sculptural ornamentation of a wooden object. + + Some of the finest extant examples of early European wood carving are from the Middle Ages in Germany, Russia, Italy and France, where the typical themes of that era were Christian iconography. + + + The manufacture of salt. + The manufacture of salt. + + From the north coast of Brittany to the Vendee region there is evidence of salt-working, salt being extracted from sea brine in ovens equipped with pans and then made into blocks. + + + photography created in accordance with the vision of the artist as photographer. + photography created in accordance with the vision of the artist as photographer. + + From there on his interest steadily transformed towards fine art photography of landscapes, both natural and manmade. + + + a structured planning method used to evaluate the strengths, weaknesses, opportunities and threats involved in a project or in a business venture. + a structured planning method used to evaluate the strengths, weaknesses, opportunities and threats involved in a project or in a business venture. + + All businesses benefit from a SWOT analysis, and all businesses benefit from completing a SWOT analysis of their main competitors, which interestingly can then provide useful points back into the economic aspects of the PEST analysis. + + + An analysis of a company's assets, liabilities and equity usually conducted at set intervals, such as quarterly or annually. + An analysis of a company's assets, liabilities and equity usually conducted at set intervals, such as quarterly or annually. + + The balance sheet analysis should begin with a comparison of total assets and liabilities. + + + A review and assessment of the current condition and future prospects of a given sector of the economy. + A review and assessment of the current condition and future prospects of a given sector of the economy. + + Sector analysis of the number of manufacturer brands on the choice list is supported by manufacturer market share reports at an indicative level along with information on leasing, rental and fuel card suppliers (where available). + + + the field of forensic science relating to the acquisition, analysis, and evaluation of sound recordings that may ultimately be presented as admissible evidence in a court of law or some other official venue. + the field of forensic science relating to the acquisition, analysis, and evaluation of sound recordings that may ultimately be presented as admissible evidence in a court of law or some other official venue. + + Emergency calls can be analyzed using audio forensics if the context and situation of the caller has to be identified. + + + (formerly) the occupation or practice of a barber practicing surgery and dentistry. + (formerly) the occupation or practice of a barber practicing surgery and dentistry. + + Paradoxically, formal recognition of master surgeons led to expansion of French barber-surgery because physicians supported the barbers in an attempt to mitigate the increasing influence of the surgeons of the long robe. + + + printing from an intaglio plate that has been converted to a relief print by making a plaster cast of it, thereby causing lines that were originally incised to stand out above the surface. + printing from an intaglio plate that has been converted to a relief print by making a plaster cast of it, thereby causing lines that were originally incised to stand out above the surface. + + Plaster printing has been around for quite a while, but unfortunately I don't have knowledge of the artist who actually invented the process. + + + photography producing images that appear to have depth and solidness and that are created by using a special device (called a stereoscope) to look at two slightly different photographs of something at the same time. + photography producing images that appear to have depth and solidness and that are created by using a special device (called a stereoscope) to look at two slightly different photographs of something at the same time. + + That sparked the tremendous popularity of stereo photography and stereoscopes that lasted well into the later 19th century. + + + A review of an organization's strengths and weaknesses that focuses on those factors within its domain. + A review of an organization's strengths and weaknesses that focuses on those factors within its domain. + + The internal analysis of your organization should include its culture, expertise, resources, and unique qualities within the market place. + + + Excessive or unfairly harsh criticism. + Excessive or unfairly harsh criticism. + + Hypercriticism of the body appears more common in women's writings than in men's. + + + Single most important technique of financial analysis in which quantities are converted into ratios for meaningful comparisons, with past ratios and ratios of other firms in the same or different industries. + Single most important technique of financial analysis in which quantities are converted into ratios for meaningful comparisons, with past ratios and ratios of other firms in the same or different industries. + + When a financial advisor talks to you about your car and house payments in comparison to your alcohol purchases, he or she may use a ratio analysis in order to provide a better example. + + + one of a class of computational models for simulating the actions and interactions of autonomous agents (both individual or collective entities such as organizations or groups) with a view to assessing their effects on the system as a whole. + one of a class of computational models for simulating the actions and interactions of autonomous agents (both individual or collective entities such as organizations or groups) with a view to assessing their effects on the system as a whole. + + Agent-based models have been used since the mid-1990s to solve a variety of business and technology problems. Examples of applications include the modeling of organizational behaviour and cognition, team working, supply chain optimization and logistics, modeling of consumer behavior, including word of mouth, social network effects, distributed computing, workforce management, and portfolio management. + + + the art of modeling in wax. + the art of modeling in wax. + + Although too late in date for Piranesi to have been directly influenced by this set, the Italian origins of ceroplastics went back to the late seventeenth century. + + + The act or result of hierarchizing; the establishment of a hierarchy. + The act or result of hierarchizing; the establishment of a hierarchy. + + We consider a new hierarchization algorithm for sparse grids of high dimension and low level. + + + An action game characterised by short levels, simple and intuitive control schemes, and rapidly increasing difficulty. + An action game characterised by short levels, simple and intuitive control schemes, and rapidly increasing difficulty. + + The term "arcade game" is also used to refer to an action video game that was designed to play similarly to an arcade game with frantic, addictive gameplay. + + + the market for the sale of goods or services to consumers rather than producers or intermediaries. + the market for the sale of goods or services to consumers rather than producers or intermediaries. + + + + A program of specialized activities that a higher education institution organizes to orient, acclimate, socialize, and welcome new college students to campus prior to the start of the semester. + A program of specialized activities that a higher education institution organizes to orient, acclimate, socialize, and welcome new college students to campus prior to the start of the semester. + + Our unique pre-orientation programs offer an exciting and inspiring start to your first year at Washington College. + + + The writing of annals. + The writing of annals. + + Herodotus is so rich a master of anecdote, asides, anticipations, reflexions, anachronisms, and all the ancillary devices of story-telling, that his work never presents the bald mechanics of a chronicle, the bare bones of mere annalism. + + + Admiration or emulation of the poet Lord Byron. + Admiration or emulation of the poet Lord Byron. + + Lermontov's Byronism apparently wasn't merely a kinship of contemporarality and random similarity in soul with Byron. + + + the branch of satellite geodesy in which geodetic problems are solved on the basis of positional (angular) observations of artificial earth satellites. + the branch of satellite geodesy in which geodetic problems are solved on the basis of positional (angular) observations of artificial earth satellites. + + Efforts are now under way to extend and tie together existing continental networks by satellite triangulation so as to facilitate the adjustment of all major geodetic surveys into a single world datum and determine the size and shape of the Earth spheroid with much greater accuracy than heretofore obtained. + + + the investigation of deviations in financial performance from the standards defined in organizational budgets. + the investigation of deviations in financial performance from the standards defined in organizational budgets. + + However, the variance analysis of manufacturing overhead costs is very important as manufacturing overhead costs have become a very large percentage of a product's costs. + + + superstitious worship or veneration of the dead. + superstitious worship or veneration of the dead. + + We have already seen that necrolatry existed in ancient Japan, and, as necrolatry is a worship of the dead in general, if descendants are to have a worship of their dead ancestors as a necrolatry, in that case a form of ancestor worship naturally comes to pass. + + + a transaction in which a party purchases or sales a given product, and agrees to deliver it at a specific future time. + a transaction in which a party purchases or sales a given product, and agrees to deliver it at a specific future time. + + + + an exchange in which an exporter receives goods from an importer as a part of the payment. + an exchange in which an exporter receives goods from an importer as a part of the payment. + + + + a business management strategy, originally pioneered in the early 1990s, focusing on the analysis and design of workflows and business processes within an organization. + a business management strategy, originally pioneered in the early 1990s, focusing on the analysis and design of workflows and business processes within an organization. + + This is part of an effort by the DoD to provide an overarching methodology for improvement projects, and it includes business process reengineering as one of the key methods to achieve process improvement. + + + the market for the sale of goods to a retailer; that is, a wholesaler receives large quantities of goods from a manufacturer and distributes them to stores, where they are sold to consumers. + the market for the sale of goods to a retailer; that is, a wholesaler receives large quantities of goods from a manufacturer and distributes them to stores, where they are sold to consumers. + + + + a practice with the aim of helping clients determine and achieve personal goals. + a practice with the aim of helping clients determine and achieve personal goals. + + We specialize in transition life coaching for personal and professional empowerment. + + + a course of study like a graduate seminar but often open to advanced undergraduates. + a course of study like a graduate seminar but often open to advanced undergraduates. + + They, in turn, would invite me to join a proseminar where I spent a semester developing a dissertation on American bandit crime with Eric Hobsbawm. + + + The act or process of placing or defining in time relations. + The act or process of placing or defining in time relations. + + In contrast to the topos common in Stifter scholarship that his descriptions bring about a standstill of motion and time, I argue that Stifter decidedly works on the temporalization of description. + + + the practice of buying and holding a security, portfolio or investment strategy for a term of longer than one year. + the practice of buying and holding a security, portfolio or investment strategy for a term of longer than one year. + + + + a type of personal or human resource development that provides positive support, feedback and advice to an individual or group to improve their personal effectiveness in the business setting. + a type of personal or human resource development that provides positive support, feedback and advice to an individual or group to improve their personal effectiveness in the business setting. + + Often these people have very little available time and have to fit their business coaching sessions in between important meetings and other work commitments. + + + Assessment of the (1) effectiveness with which funds (investment and debt) are employed in a firm, (2) efficiency and profitability of its operations, and (3) value and safety of debtors' claims against the firm's assets. + Assessment of the (1) effectiveness with which funds (investment and debt) are employed in a firm, (2) efficiency and profitability of its operations, and (3) value and safety of debtors' claims against the firm's assets. + + + It was clear to the investment banker after reviewing the company's financial analysis that the annual loan renewal would be denied. + + + The determination of liquid density by weighing the liquid in a container (pycnometer) of known volume. + The determination of liquid density by weighing the liquid in a container (pycnometer) of known volume. + + Measurement of the density of fine powders by pycnometry is subject to error especially when the particles are porous. + + + The act of excerpting or selecting from a larger work. + The act of excerpting or selecting from a larger work. + + But the phenomenon of excerption can help us create a possible scenario for how the commentary preserved in Berol. 9780, a papyrus from Hermoupolis dating to the second century C.E., was created. + + + castling on the queenside. + castling on the queenside. + + This is in part because the a file can be weak after long castling. + + + a forensic investigation technique that deals with identification of humans based on lip traces. + a forensic investigation technique that deals with identification of humans based on lip traces. + + Lip prints and their study, cheiloscopy, have been the topic of research and are also occasionally mentioned in literature by a detective, a crime scene investigator, or an examiner in another field of evidence comparison. + + + in marketing and strategic management, an assessment of the strengths and weaknesses of current and potential competitors. + in marketing and strategic management, an assessment of the strengths and weaknesses of current and potential competitors. + + If you are looking at one specific communications area, such as a website, conduct a competitor analysis of that in a bit more detail. + + + The branch of spectroscopy concerned with the measurement of the intervals between atomic or molecular energy levels that are separated by frequencies from about 105 to 109 hertz, as compared to the frequencies that separate optical energy levels of about 6 × 1014 hertz. + The branch of spectroscopy concerned with the measurement of the intervals between atomic or molecular energy levels that are separated by frequencies from about 105 to 109 hertz, as compared to the frequencies that separate optical energy levels of about 6 × 1014 hertz. + + Radio-frequency spectroscopy of nuclei in a magnetic field has been employed in a medical technique called magnetic resonance imaging (MRI) to visualize the internal soft tissue of the body with unprecedented resolution. + + + the process of modifying a software system to make some aspect of it work more efficiently or use fewer resources. + the process of modifying a software system to make some aspect of it work more efficiently or use fewer resources. + + Over time, the stakes in software optimization and compliance have risen exponentially as license types proliferate and grow more complex, especially as licensing and delivery models continue to change and grow more complex with virtualization and cloud. + + + a programming paradigm that describes computation in terms of statements that change a program state. + a programming paradigm that describes computation in terms of statements that change a program state. + + Procedural programming, on the other hand, is a specific type (or subset) of Imperative programming, where you use procedures (i.e., functions) to describe the commands the computer should perform. + + + Castling on the kingside. + Castling on the kingside. + + Since a positional player will always keep his options open and his king safe, castling short would be a good option, and is played most of the time at top level. + + + analysis and examination of information use, resources and flows, with verification to documents and people, in order to improve the quality of the recorded information. + analysis and examination of information use, resources and flows, with verification to documents and people, in order to improve the quality of the recorded information. + + As regards the applicability of this method, it should be noted that the costing stage was not included in either study and that this might suggest it is not required in an information audit. + + + creating carpets, both machine-made and hand-woven. + creating carpets, both machine-made and hand-woven. + + The archaeological excavations on the territory of Azerbaijan testifies to the well developing of carpet-weaving that date as far back as to the 2nd millennium BC. + + + A market assessment tool designed to provide a business with an idea of the complexity of a particular industry. + A market assessment tool designed to provide a business with an idea of the complexity of a particular industry. + + Before purchasing the pig farm from Ezekiel, Biohazies R Us conducted an in depth industry analysis on profit margins for developing anthrax. + + + the act of making a person or a thing seem little or unimportant. + the act of making a person or a thing seem little or unimportant. + + an unconscionable belittlement of his spouse in public + + + A systematic collection and evaluation of past and present economical, political, social, and technological data, aimed at (1) identification of internal and external forces that may influence the organization's performance and choice of strategies, and (2) assessment of the organization's current and future strengths, weaknesses, opportunities, and strengths. + A systematic collection and evaluation of past and present economical, political, social, and technological data, aimed at (1) identification of internal and external forces that may influence the organization's performance and choice of strategies, and (2) assessment of the organization's current and future strengths, weaknesses, opportunities, and strengths. + + The situation analysis looks at both the macro-environmental factors that affect many firms within the environment and the micro-environmental factors that specifically affect the firm. + + + a catchall term given to the systematic process by which environmental factors in a business are identified, their impact is assessed and a strategy is developed to mitigate and/or take advantage of them. + a catchall term given to the systematic process by which environmental factors in a business are identified, their impact is assessed and a strategy is developed to mitigate and/or take advantage of them. + + There are also many other business environment reforms that have taken place over the past two years, having their genesis in the IDB's business environment analysis of nearly a decade ago, but these will require another article to document. + + + measuring how many people are in an audience. + measuring how many people are in an audience. + + + + + The world's largest audience measurement conference, AM X.0, is presented annually by the Advertising Research Foundation. + + + a stately dance of the Shinto religion that now forms a part of Japanese village festivals. + a stately dance of the Shinto religion that now forms a part of Japanese village festivals. + + + Kagura, in particular those forms that involve storytelling or reenactment of fables, is also one of the primary influences on the Noh theatre. + + + a weight training exercise, typically performed while standing, in which a weight is pressed straight upwards from the shoulders until the arms are locked out overhead + a weight training exercise, typically performed while standing, in which a weight is pressed straight upwards from the shoulders until the arms are locked out overhead + + + + to watch a show or television one more time + to watch a show or television one more time + + diff --git a/src/wn-noun.animal.xml b/src/wn-noun.animal.xml index 09ff2af3..61bcf79e 100644 --- a/src/wn-noun.animal.xml +++ b/src/wn-noun.animal.xml @@ -37049,10 +37049,10 @@ - - - - + + + + @@ -58891,50 +58891,86 @@ - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + taxonomic kingdom comprising all living or extinct animals @@ -61679,6 +61715,8 @@ + + @@ -77897,6 +77935,9 @@ any part of the mouth of an insect or other arthropod especially one adapted to a specific way of feeding + + + @@ -78518,6 +78559,7 @@ + @@ -83077,6 +83119,7 @@ any animals kept for use or profit + @@ -84670,6 +84713,7 @@ + @@ -86754,6 +86798,7 @@ + @@ -94181,6 +94226,7 @@ + @@ -107658,6 +107704,7 @@ + @@ -109156,6 +109203,7 @@ + @@ -115659,27 +115707,78 @@ a jackal native to Europe and Asia with a golden coat + a jackal native to Europe and Asia with a golden coat a jackal native to Africa with a black back + a jackal native to Africa with a black back a jackal native to Southern Africa with a stripe down its side + a jackal native to Southern Africa with a stripe down its side a canid living in the deserts of Northern Africa related to the goldn jackal and the grey wolf + a canid living in the deserts of Northern Africa related to the goldn jackal and the grey wolf an animal with congenital albinism + an animal with congenital albinism branching, hair-like structure that grows on the bodies of birds + branching, hair-like structure that grows on the bodies of birds + + human, mispronounced for comic effect + human, mispronounced for comic effect + + + + An animal whose characteristics match a part of a person's behavior + An animal whose characteristics match a part of a person's behavior + + + + small animals hunted for sport or food. + small animals hunted for sport or food. + + Small game includes small animals, such as rabbits, pheasants, geese or ducks. + + + small domesticated animals (chickens, geese, rabbits, hogs, ducks, pigeons, etc.) kept for use or profit. + small domesticated animals (chickens, geese, rabbits, hogs, ducks, pigeons, etc.) kept for use or profit. + + + + plankton that inhabit rivers + plankton that inhabit rivers + + + + microscopic organisms found in plankton + microscopic organisms found in plankton + + + + + One of the external filaments or leaflike plates connected with the tracheae of the inside of the body that form part of the respiratory system of some aquatic insect larvae and nymphs but rarely persist in the adult. + One of the external filaments or leaflike plates connected with the tracheae of the inside of the body that form part of the respiratory system of some aquatic insect larvae and nymphs but rarely persist in the adult. + + + + One of a set of three paired appendages on the thorax of a decapod crustacean, located just posterior to the maxillae and used in feeding. + One of a set of three paired appendages on the thorax of a decapod crustacean, located just posterior to the maxillae and used in feeding. + + + + An appendage which is modified to assist in feeding is known as a maxilliped or gnathopod. + diff --git a/src/wn-noun.artifact.xml b/src/wn-noun.artifact.xml index 50975d32..eb1ce247 100644 --- a/src/wn-noun.artifact.xml +++ b/src/wn-noun.artifact.xml @@ -3728,6 +3728,7 @@ + @@ -8340,6 +8341,7 @@ + @@ -12675,6 +12677,7 @@ + @@ -13290,6 +13293,7 @@ + @@ -13707,6 +13711,7 @@ + @@ -20055,6 +20060,7 @@ + @@ -30690,6 +30696,7 @@ + @@ -36556,6 +36563,7 @@ + @@ -37035,6 +37043,7 @@ + @@ -40465,6 +40474,7 @@ + @@ -41245,7 +41255,7 @@
- + @@ -41465,6 +41475,7 @@ + @@ -43204,6 +43215,7 @@ + @@ -47332,6 +47344,7 @@ + @@ -48663,6 +48676,7 @@ + @@ -52138,6 +52152,7 @@ + @@ -54714,6 +54729,7 @@ + @@ -59287,6 +59303,7 @@ + @@ -65555,6 +65572,7 @@ + @@ -67742,6 +67760,7 @@ + @@ -68563,11 +68582,13 @@ + + @@ -71901,6 +71922,7 @@ + @@ -71964,6 +71986,7 @@ + @@ -72600,7 +72623,7 @@ - + @@ -74286,243 +74309,3420 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -74633,6 +77833,8 @@ an abstract genre of art; artistic content depends on internal form rather than pictorial representation + + @@ -74729,6 +77931,7 @@ + @@ -74898,6 +78101,7 @@ + @@ -74959,6 +78163,7 @@ + "the piano had a very stiff action" @@ -74977,6 +78182,7 @@ a mechanism that puts something into automatic action + @@ -75022,6 +78228,7 @@ + @@ -75334,6 +78541,7 @@ a cushion usually made of rubber or plastic that can be inflated + @@ -75549,6 +78757,7 @@ + @@ -76373,6 +79582,7 @@ + @@ -76883,6 +80093,16 @@ + + + + + + + + + + @@ -77492,6 +80712,7 @@ + "an art exhibition" "a collection of fine art" @@ -77582,6 +80803,7 @@ + @@ -78234,6 +81456,7 @@ + @@ -78262,6 +81485,8 @@ + + @@ -78474,6 +81699,7 @@ a handsaw that is stiffened by metal reinforcement along the upper edge + @@ -78652,6 +81878,7 @@ + @@ -79061,6 +82288,7 @@ + @@ -79230,6 +82458,8 @@ + + "there were bars in the windows to prevent escape" @@ -79443,6 +82673,7 @@ + @@ -79554,6 +82785,7 @@ + @@ -79918,6 +83150,10 @@ projecting part of a rampart or other fortification + + + + @@ -80348,6 +83584,8 @@ + + @@ -80476,6 +83714,7 @@ + "he sat on the edge of the bed" "the room had only a bed and chair" @@ -80833,6 +84072,7 @@ + @@ -80999,6 +84239,7 @@ + @@ -81936,6 +85177,7 @@ + @@ -82121,6 +85363,7 @@ + @@ -82274,6 +85517,7 @@ + @@ -82325,6 +85569,8 @@ + + @@ -82407,6 +85653,7 @@ + @@ -82589,6 +85836,8 @@ + + "he used a large book as a doorstop" @@ -82698,6 +85947,8 @@ + + @@ -82867,6 +86118,7 @@ + @@ -83554,6 +86806,7 @@ a wooden or plastic board on which dough is kneaded or bread is sliced + @@ -83711,6 +86964,7 @@ + @@ -84142,6 +87396,7 @@ + @@ -85101,6 +88356,7 @@ + @@ -85746,6 +89002,9 @@ + + + @@ -85970,6 +89229,7 @@ + @@ -85978,6 +89238,7 @@ + @@ -86015,6 +89276,7 @@ + @@ -86182,6 +89444,8 @@ + + "he needs a car to get to work" @@ -86201,6 +89465,7 @@ + "three cars had jumped the rails" @@ -86221,6 +89486,7 @@ an oblong metal ring with a spring clip; used in mountaineering to attach a rope to a piton or to connect two ropes + @@ -86407,6 +89673,7 @@ + @@ -86645,6 +89912,7 @@ + @@ -86977,6 +90245,8 @@ a black garment reaching down to the ankles; worn by priests or choristers + + @@ -87440,6 +90710,7 @@ a hand-held mobile radiotelephone for use in an area divided into small sections, each with its own short-range transmitter/receiver + @@ -87773,6 +91044,8 @@ + + "he put his coat over the back of the chair and sat down" @@ -87896,6 +91169,7 @@ + @@ -88910,6 +92184,7 @@ + @@ -89028,6 +92303,7 @@ + @@ -89296,6 +92572,10 @@ + + + + @@ -89331,7 +92611,6 @@ a butcher's knife having a large square blade - @@ -89387,6 +92666,7 @@ a tool used to clinch nails or bolts or rivets + @@ -89531,6 +92811,7 @@ + @@ -89674,6 +92955,7 @@ + @@ -89960,6 +93242,8 @@ + + @@ -90285,6 +93569,7 @@ a structure consisting of something wound in a continuous series of loops + "a coil of rope" @@ -90630,6 +93915,7 @@ + @@ -90712,6 +93998,7 @@ + @@ -90770,6 +94057,7 @@ + @@ -90998,6 +94286,7 @@ + @@ -91055,6 +94344,7 @@ + @@ -91161,6 +94451,7 @@ + @@ -91648,6 +94939,7 @@ + @@ -91663,6 +94955,7 @@ + @@ -91707,6 +95000,8 @@ + + @@ -91890,6 +95185,7 @@ + "the bundle was tied with a cord" @@ -92152,6 +95448,10 @@ + + + + @@ -92170,6 +95470,7 @@ + "he won the prize for best costume" @@ -92266,6 +95567,7 @@ a compartment on a European passenger train; contains 4 to 6 berths for sleeping + @@ -92680,6 +95982,7 @@ + @@ -93253,6 +96556,7 @@ + @@ -93463,6 +96767,7 @@ medieval body armor that covers the chest and back + @@ -93496,6 +96801,8 @@ a farm implement used to break up the surface of the soil (for aeration and weed control and conservation of moisture) + + @@ -93531,6 +96838,7 @@ + "he put the cup back in the saucer" "the handle of the cup was missing" @@ -93658,6 +96966,7 @@ + @@ -93792,6 +97101,7 @@ + @@ -94135,6 +97445,8 @@ + + @@ -94599,6 +97911,8 @@ + + @@ -94813,6 +98127,7 @@ + @@ -95006,6 +98321,22 @@ + + + + + + + + + + + + + + + + "the device is small enough to wear on your wrist" "a device intended to conserve water" @@ -95209,6 +98540,7 @@ + @@ -95264,6 +98596,7 @@ a device used for shaping metal + @@ -95275,6 +98608,7 @@ an internal-combustion engine that burns heavy oil + @@ -95454,6 +98788,7 @@ a vibrating device that substitutes for an erect penis to provide vaginal stimulation + @@ -95624,11 +98959,14 @@ a semiconductor that consists of a p-n junction + + a thermionic tube having two electrodes; used as a rectifier + @@ -96172,6 +99510,7 @@ a collar for a dog + @@ -96472,6 +99811,7 @@ + @@ -96681,6 +100021,7 @@ + @@ -96825,6 +100166,7 @@ colored chalks used by artists + @@ -96918,6 +100260,8 @@ + + @@ -97141,6 +100485,8 @@ a mechanism by which force or power is transmitted in a machine + + "a variable speed drive permitted operation through a range of speeds" @@ -97458,6 +100804,7 @@ + @@ -97781,6 +101128,7 @@ + "he built a modest dwelling near the pond" "they raise money to provide homes for the homeless" @@ -97863,6 +101211,7 @@ jewelry to ornament the ear; usually clipped to the earlobe or fastened through a hole in the lobe + @@ -98024,6 +101373,7 @@ + "the coin bears an effigy of Lincoln" "the emperor's tomb had his image carved in stone" @@ -98192,6 +101542,9 @@ + + + @@ -98259,6 +101612,7 @@ any furnace in which the heat is provided by an electric current + @@ -98277,6 +101631,7 @@ + @@ -98335,6 +101690,8 @@ + + @@ -98401,6 +101758,8 @@ + + @@ -98511,6 +101870,11 @@ + + + + + @@ -98556,6 +101920,7 @@ + @@ -98830,6 +102195,8 @@ + + @@ -99132,6 +102499,7 @@ + @@ -99238,6 +102606,7 @@ a coffee maker that forces live steam under pressure through dark roasted coffee grounds + @@ -99258,6 +102627,7 @@ + @@ -99524,6 +102894,8 @@ + + @@ -99533,6 +102905,7 @@ + @@ -99694,6 +103067,7 @@ makeup consisting of a cosmetic substance used to darken the eyes + @@ -99875,6 +103249,9 @@ + + + "the fabric in the curtains was light and semitransparent" "woven cloth originated in Mesopotamia around 5000 BC" "she measured off enough material for a dress" @@ -99944,6 +103321,8 @@ cosmetic powder for the face + + @@ -100085,6 +103464,7 @@ a pulley-block used to guide a rope forming part of a ship's rigging to avoid chafing + @@ -100283,6 +103663,7 @@ + @@ -100346,6 +103727,7 @@ + @@ -100451,6 +103833,7 @@ a pen with a writing tip made of felt (trade name Magic Marker) + @@ -100470,6 +103853,7 @@ + @@ -100754,6 +104138,7 @@ + "he made a figure of Santa Claus" @@ -100911,6 +104296,10 @@ + + + + @@ -101384,6 +104773,7 @@ + @@ -102005,6 +105395,7 @@ a soft loosely twisted thread used in embroidery + @@ -102182,6 +105573,7 @@ + @@ -102423,6 +105815,7 @@ film that has been shot + "they had stock footage of lightning, tornados, and hurricanes" "he edited the news footage" @@ -102497,6 +105890,7 @@ a trunk for storing personal possessions; usually kept at the foot of a bed (as in a barracks) + @@ -102623,6 +106017,7 @@ an adjustable stay from the foremast to the deck or bowsprit; controls the bending of the mast + @@ -102661,6 +106056,7 @@ + @@ -102734,6 +106130,9 @@ + + + @@ -102748,6 +106147,7 @@ + @@ -102989,6 +106389,7 @@ + @@ -103324,6 +106725,7 @@ mechanical system to inject atomized fuel directly into the cylinders of an internal-combustion engine; avoids the need for a carburetor + @@ -103459,6 +106861,10 @@ + + + + @@ -103759,11 +107165,13 @@ + a large medieval vessel with a single deck propelled by sails and oars with guns at stern and prow; a complement of 1,000 men; used mainly in the Mediterranean for war and trading + @@ -104445,6 +107853,7 @@ + @@ -104662,6 +108071,8 @@ + + @@ -104777,6 +108188,7 @@ a beam made usually of steel; a main support in a structure + @@ -104834,6 +108246,7 @@ + @@ -105569,6 +108982,7 @@ armor plate that protects legs below the knee + @@ -105667,6 +109081,7 @@ a machine tool that polishes metal + @@ -105912,6 +109327,7 @@ + @@ -106347,6 +109763,7 @@ a decorative hinged clip that girls and women put in their hair to hold it in place + @@ -106481,6 +109898,7 @@ + @@ -106545,6 +109963,7 @@ + @@ -106639,6 +110058,7 @@ a calculator small enough to hold in the hand or carry in a pocket + @@ -106656,6 +110076,7 @@ + "he used a handcart to carry the rocks away" "their pushcart was piled high with groceries" @@ -106673,6 +110094,7 @@ a small portable drill held and operated by hand + @@ -106685,6 +110107,7 @@ a mirror intended to be held in the hand + @@ -106904,6 +110327,8 @@ + + @@ -107146,6 +110571,8 @@ a cultivator that pulverizes or smooths the soil + + @@ -107213,6 +110640,7 @@ + @@ -107417,6 +110845,7 @@ + @@ -107474,6 +110903,8 @@ + + @@ -107647,6 +111078,7 @@ device that transfers heat from one liquid to another without allowing them to mix + @@ -107767,6 +111199,9 @@ + + + @@ -107833,6 +111268,7 @@ + @@ -107847,6 +111283,7 @@ + @@ -108428,6 +111865,9 @@ + + + @@ -108583,6 +112023,7 @@ + @@ -109497,6 +112938,7 @@ an ax used by mountain climbers for cutting footholds in ice + @@ -109798,6 +113240,7 @@ commodities (goods or services) bought from a foreign country + @@ -109810,6 +113253,7 @@ a school of late 19th century French painters who pictured appearances by strokes of unmixed colors to give the impression of reflected light + @@ -109821,6 +113265,7 @@ a creation spoken or written or composed extemporaneously (without prior preparation) + @@ -110000,6 +113445,7 @@ the basic structure or features of a system or organization + @@ -110014,6 +113460,7 @@ + @@ -110136,6 +113583,7 @@ + @@ -110188,6 +113636,9 @@ + + + @@ -110300,6 +113751,7 @@ + @@ -110327,6 +113779,7 @@ any measuring instrument that uses interference patterns to make accurate measurements of waves + @@ -110390,6 +113843,7 @@ a computer network consisting of a worldwide network of computer networks that use the TCP/IP network protocols to facilitate data transmission and exchange + @@ -110536,6 +113990,7 @@ + @@ -110806,6 +114261,7 @@ a loom with an attachment for forming openings for the passage of the shuttle between the warp threads; used in weaving figured fabrics + @@ -110928,6 +114384,7 @@ + @@ -111058,6 +114515,9 @@ any triangular fore-and-aft sail (set forward of the foremast) + + + @@ -111178,6 +114638,7 @@ + @@ -111890,6 +115351,7 @@ + @@ -111940,6 +115402,9 @@ + + + @@ -112040,7 +115505,6 @@ - @@ -112051,10 +115515,11 @@ - + + @@ -112068,6 +115533,8 @@ + + @@ -112552,6 +116019,7 @@ + @@ -112934,6 +116402,9 @@ + + + @@ -113512,6 +116983,7 @@ + "he raised the piano lid" @@ -113678,6 +117150,7 @@ + "he stopped the car and turned off the lights" @@ -113711,6 +117184,7 @@ + "do you have a light?" @@ -113739,6 +117213,7 @@ + @@ -113760,6 +117235,7 @@ + @@ -113876,6 +117352,9 @@ + + + "a washing line" @@ -113903,6 +117382,7 @@ + "a nice line of shoes" @@ -114107,6 +117587,7 @@ soap in liquid form + @@ -114138,6 +117619,7 @@ a print produced by lithography + @@ -114293,6 +117775,7 @@ a battle-ax formerly used by Scottish Highlanders + @@ -114672,6 +118155,9 @@ + + + @@ -115024,6 +118510,37 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -115088,6 +118605,11 @@ + + + + + @@ -115529,6 +119051,7 @@ + @@ -115722,6 +119245,7 @@ + @@ -116201,6 +119725,7 @@ a kind of pick that is used for digging; has a flat blade set at right angles to the handle + @@ -116400,6 +119925,20 @@ + + + + + + + + + + + + + + @@ -116418,6 +119957,7 @@ a mill for grinding meat + @@ -116499,6 +120039,8 @@ + + @@ -116597,6 +120139,12 @@ + + + + + + @@ -116690,6 +120238,11 @@ + + + + + @@ -116783,6 +120336,7 @@ + "a memory and the CPU form the central part of a computer to which peripherals are attached" @@ -116805,6 +120359,9 @@ + + + @@ -117297,6 +120854,8 @@ + + @@ -117524,6 +121083,7 @@ machine tool in which metal that is secured to a carriage is fed against rotating cutters that shape it + @@ -117800,6 +121360,7 @@ + @@ -117872,6 +121433,10 @@ + + + + @@ -118048,6 +121613,10 @@ + + + + @@ -118214,6 +121783,8 @@ a typesetting machine operated from a keyboard that sets separate characters + + @@ -118436,6 +122007,8 @@ + + @@ -118576,6 +122149,7 @@ a hand-operated electronic device that controls the coordinates of a cursor on your computer screen as you move it around on a pad; on the bottom of the device is a ball that rolls on the surface of the pad + "a mouse takes much more room than a trackball" @@ -119409,6 +122983,7 @@ + @@ -119427,6 +123002,7 @@ + "he stood in front of the mirror tightening his necktie" "he wore a vest and tie" @@ -120564,6 +124140,8 @@ + + @@ -121145,6 +124723,7 @@ electronic or electromechanical equipment connected to a computer and used to transfer data out of the computer in the form of text, images, sounds, or other media + @@ -121206,6 +124785,7 @@ + @@ -121830,6 +125410,7 @@ fortification consisting of a strong fence made of stakes driven into the ground + @@ -123284,6 +126865,7 @@ + @@ -123642,6 +127224,10 @@ + + + + @@ -123673,6 +127259,7 @@ light-sensitive paper on which photograph can be printed + @@ -123866,6 +127453,7 @@ + "they showed us the pictures of their wedding" "a movie is a series of images projected so rapidly that the eye integrates them" @@ -123943,6 +127531,7 @@ + @@ -124042,7 +127631,6 @@ medieval weapon consisting of a spearhead attached to a long pole or pikestaff; superseded by the bayonet - @@ -124081,6 +127669,7 @@ a machine that drives piling into the ground + @@ -124314,6 +127903,7 @@ an oral beta blocker (trade name Visken) used in treating hypertension + @@ -124673,6 +128263,7 @@ a metal spike with a hole for a rope; mountaineers drive it into ice or rock to use as a hold + @@ -125268,6 +128859,8 @@ + + @@ -125322,6 +128915,7 @@ + @@ -125341,12 +128935,14 @@ + a sharp steel wedge that cuts loose the top layer of soil + @@ -125360,6 +128956,8 @@ + + @@ -125710,6 +129308,7 @@ a battle ax used in the Middle Ages; a long handled ax and a pick + @@ -126586,6 +130185,10 @@ + + + + @@ -126595,6 +130198,7 @@ + @@ -126731,6 +130335,7 @@ + @@ -126899,6 +130504,7 @@ + "they improve their product every year" "they export most of their agricultural production" @@ -126960,6 +130566,7 @@ + @@ -127023,6 +130630,7 @@ a support placed beneath or against something to keep it from shaking or falling + @@ -127112,6 +130720,7 @@ + @@ -127223,7 +130832,6 @@ a knife with a curved or hooked blade - @@ -127247,6 +130855,7 @@ a hallucinogenic compound obtained from a mushroom + @@ -127438,6 +131047,8 @@ + + @@ -127481,6 +131092,7 @@ + @@ -127617,6 +131229,7 @@ a wide broom that is pushed ahead of the sweeper + @@ -127984,6 +131597,7 @@ the standard typewriter keyboard; the keys for Q, W, E, R, T, and Y are the first six from the left on the top row of letter keys + @@ -128502,6 +132116,7 @@ gauge consisting of an instrument to measure the quantity of precipitation + @@ -128905,6 +132520,7 @@ + @@ -128934,6 +132550,7 @@ + @@ -129365,6 +132982,7 @@ + @@ -129386,6 +133004,8 @@ + + @@ -129594,6 +133214,7 @@ antihypertensive consisting of an alkaloid extracted from the plant Rauwolfia serpentina (trade names Raudixin or Rau-Sed or Sandril or Serpasil) + @@ -129717,6 +133338,7 @@ + @@ -129886,6 +133508,7 @@ a pistol with a revolving cylinder (usually having six chambers for bullets) + @@ -130085,6 +133708,7 @@ + @@ -130407,6 +134031,7 @@ + @@ -130461,6 +134086,7 @@ + @@ -130481,6 +134107,8 @@ + + @@ -130574,6 +134202,7 @@ steel mill where metal is rolled into sheets and bars + @@ -130833,6 +134462,7 @@ + @@ -131006,6 +134636,7 @@ makeup consisting of a pink or red powder applied to the cheeks + @@ -131061,6 +134692,7 @@ round piece of armor plate that protects the armpit + @@ -131673,6 +135305,7 @@ + @@ -132177,6 +135810,7 @@ a thin straight surgical knife used in dissection and surgery + @@ -132201,6 +135835,8 @@ an electronic device that generates a digital representation of an image for data input to a computer + + @@ -132375,6 +136011,7 @@ + @@ -132562,6 +136199,8 @@ + + @@ -132920,6 +136559,7 @@ + "there were not enough seats for all the guests" @@ -133270,6 +136910,7 @@ + @@ -133578,6 +137219,10 @@ + + + + @@ -133766,6 +137411,7 @@ + @@ -133924,6 +137570,8 @@ + + @@ -134002,6 +137650,7 @@ + @@ -134069,6 +137718,7 @@ + @@ -134250,6 +137900,7 @@ + @@ -134428,6 +138079,7 @@ + @@ -134564,6 +138216,7 @@ + "he bought it at a shop on Cape Cod" @@ -135089,6 +138742,7 @@ + @@ -135506,6 +139160,8 @@ narrow wood or metal or plastic runners used in pairs for gliding over snow + + @@ -135537,6 +139193,7 @@ a tractor used to haul logs over rough terrain + @@ -135610,6 +139267,7 @@ a pole with metal points used as an aid in skiing + @@ -135653,6 +139311,7 @@ armor plate that protects the body below the waist + @@ -135790,6 +139449,7 @@ + @@ -135843,6 +139503,7 @@ large padded bag designed to be slept in outdoors; usually rolls up like a bedroll + @@ -135901,6 +139562,7 @@ knife especially designed for slicing particular foods, as cheese + @@ -136797,6 +140459,7 @@ a machine for sorting things (such as punched cards or letters) into classes + @@ -136917,6 +140580,7 @@ + @@ -137250,6 +140914,7 @@ + @@ -137773,6 +141438,7 @@ + @@ -138640,6 +142306,7 @@ + @@ -138721,6 +142388,7 @@ a cooking utensil that can be used to cook food by steaming it + @@ -138764,6 +142432,7 @@ turbine in which steam strikes blades and makes them turn + @@ -139047,6 +142716,8 @@ a long thin implement resembling a length of wood + + "cinnamon sticks" "a stick of dynamite" @@ -139259,6 +142930,7 @@ + @@ -139282,6 +142954,7 @@ + @@ -139542,6 +143215,8 @@ any heating apparatus + + @@ -139905,6 +143580,7 @@ + @@ -139988,6 +143664,7 @@ + @@ -140263,6 +143940,7 @@ a torpedo designed to be launched from a submarine + @@ -140318,6 +143996,8 @@ a loudspeaker that is designed to reproduce very low bass frequencies + + @@ -140340,6 +144020,7 @@ + @@ -140575,6 +144256,7 @@ + "he was wearing a pair of mirrored shades" @@ -140756,6 +144438,7 @@ + "the statue stood on a marble support" @@ -140831,6 +144514,7 @@ + "there is a special cleaner for these surfaces" "the cloth had a pattern of red dots on a white surface" @@ -140984,6 +144668,7 @@ + @@ -141349,6 +145034,7 @@ cyclotron in which the electric field is maintained at a constant frequency + @@ -141379,6 +145065,7 @@ + @@ -141414,6 +145101,8 @@ + + "he bought a new stereo system" "the system consists of a motor and a small computer" @@ -141690,6 +145379,7 @@ + @@ -142317,6 +146007,10 @@ apparatus used to communicate at a distance over a wire (usually in Morse code) + + + + @@ -142445,6 +146139,7 @@ + @@ -142492,6 +146187,7 @@ + @@ -142934,6 +146630,10 @@ + + + + @@ -143127,6 +146827,7 @@ + @@ -143188,6 +146889,10 @@ + + + + "I couldn't tell what the thing was" @@ -143282,6 +146987,9 @@ + + + @@ -143753,6 +147461,7 @@ + @@ -143872,6 +147581,7 @@ a kitchen appliance (usually electric) for toasting bread + @@ -143901,6 +147611,7 @@ + @@ -144076,6 +147787,9 @@ + + + @@ -144223,6 +147937,7 @@ measuring instrument for measuring tension or pressure (especially for measuring intraocular pressure in testing for glaucoma) + @@ -144260,6 +147975,9 @@ + + + @@ -144385,6 +148103,7 @@ + @@ -144434,6 +148153,7 @@ + @@ -144741,6 +148461,7 @@ + @@ -144956,6 +148677,8 @@ + + @@ -145099,6 +148822,7 @@ + @@ -145679,6 +149403,7 @@ + "he had a sharp crease in his trousers" @@ -145715,6 +149440,7 @@ + @@ -145868,6 +149594,7 @@ + @@ -145890,6 +149617,7 @@ + @@ -145959,6 +149687,7 @@ armor plate that protects the hip and thigh + @@ -146048,6 +149777,7 @@ + @@ -146185,12 +149915,14 @@ + a high close-fitting turnover collar + @@ -146465,6 +150197,7 @@ + @@ -146816,6 +150549,9 @@ + + + @@ -147074,6 +150810,7 @@ + @@ -147359,6 +151096,7 @@ + @@ -147418,6 +151156,7 @@ a mechanical device that vibrates + "a reed is the vibrator that produces the sound" @@ -147458,6 +151197,7 @@ + @@ -147612,6 +151352,9 @@ + + + @@ -147654,6 +151397,7 @@ a piece of chain mail covering a place unprotected by armor plate + @@ -148416,6 +152160,7 @@ a faucet for drawing water from a pipe or cask + @@ -148500,6 +152245,7 @@ plaything consisting of a toy pistol that squirts water + @@ -148565,6 +152311,7 @@ + @@ -148603,6 +152350,7 @@ a hollow metal conductor that provides a path to guide microwaves; used in radar + @@ -148651,7 +152399,6 @@ - @@ -148661,6 +152408,8 @@ + + "he was licensed to carry a weapon" @@ -148837,6 +152586,7 @@ a hand tool for removing weeds + @@ -149139,6 +152889,7 @@ + @@ -149373,6 +153124,8 @@ + + @@ -149568,6 +153321,7 @@ + @@ -150029,6 +153783,7 @@ a strong worktable for a carpenter or mechanic + @@ -150197,6 +153952,7 @@ computer network consisting of a collection of internet sites that offer text and graphics and sound and animation resources through the hypertext transfer protocol + @@ -150294,6 +154050,7 @@ + @@ -150416,6 +154173,7 @@ an expensive vessel propelled by sail or power and used for cruising or racing + @@ -150450,6 +154208,9 @@ + + + @@ -150637,31 +154398,3055 @@ branded products meant to promote another product, especially films and pop groups + branded products meant to promote another product, especially films and pop groups catapult that uses a swinging arm to throw a projectile + catapult that uses a swinging arm to throw a projectile catapult operated by manpower pulling cords attached to a lever and slign to launch projectiles + catapult operated by manpower pulling cords attached to a lever and slign to launch projectiles small catapult used by the Romans + small catapult used by the Romans ancient missile weapon that throws bolts or stones + ancient missile weapon that throws bolts or stones late version of the crossbow with a steel bow + late version of the crossbow with a steel bow military submarine operated by Germany during the First and Second World Wars + military submarine operated by Germany during the First and Second World Wars + + An industrial explosive made of the mix of ammonium nitrate and fuel oil + An industrial explosive made of the mix of ammonium nitrate and fuel oil + + + + A photographic (or other) image in which the subject is shown at a relatively large scale, and occupies most or all of the frame + A photographic (or other) image in which the subject is shown at a relatively large scale, and occupies most or all of the frame + + + + a four-sided die + a four-sided die + + + + A photo on the Instagram website, which is related to homosexuality + A photo on the Instagram website, which is related to homosexuality + + + + a partially tensioned line for balance or walking + a partially tensioned line for balance or walking + + + + That luggage or baggage which is taken onto an airplane with a passenger, rather than checked + That luggage or baggage which is taken onto an airplane with a passenger, rather than checked + + + + A camera filming from the dashboard of a car + A camera filming from the dashboard of a car + + + + + a restaurant where food can be picked up without leaving the car + a restaurant where food can be picked up without leaving the car + + + + all things that are of importance to a person + all things that are of importance to a person + + + + footage of a celebrity taken by a fan + footage of a celebrity taken by a fan + + + + an image of promoting proper exercise and diet + an image of promoting proper exercise and diet + + + + a sequence of photos composed into a video + a sequence of photos composed into a video + + + + A form of rapping in which the emcee makes up lyrics while rapping. + A form of rapping in which the emcee makes up lyrics while rapping. + + + + A full body animal suit + A full body animal suit + + + + an action or object one always chooses first + an action or object one always chooses first + + + + A device resembling a skateboard without wheels that can hover above the ground + A device resembling a skateboard without wheels that can hover above the ground + + + + something that is so good that it deserves to be instantly voted for on social media + something that is so good that it deserves to be instantly voted for on social media + + + + A form of cannabis from Morocco and Algeria + A form of cannabis from Morocco and Algeria + + + + a photo to be posted to Instagram at a later date + a photo to be posted to Instagram at a later date + + + + A portable rod used for illumination. + A portable rod used for illumination. + + + + + a generic, mass-produced luxury home + a generic, mass-produced luxury home + + + + something which is considered required to see + something which is considered required to see + + + + a machine of the size of close to one nanometre + a machine of the size of close to one nanometre + + + + a store that is open for a limited period of time on temporary premises + a store that is open for a limited period of time on temporary premises + + + + Tight, white underwear worn by men + Tight, white underwear worn by men + + + + an electronic cigarette, that produces a nicotine containing vapor + an electronic cigarette, that produces a nicotine containing vapor + + + + a defensive missile designed to shoot down incoming intercontinental ballistic missiles; "the Strategic Arms Limitation Talks placed limits on the deployment of ABMs" + a defensive missile designed to shoot down incoming intercontinental ballistic missiles; "the Strategic Arms Limitation Talks placed limits on the deployment of ABMs" + + + + a mobile phone with more advanced computing capability and connectivity than basic feature phones + a mobile phone with more advanced computing capability and connectivity than basic feature phones + + + + + a smartphone designed and marketed by Apple Inc. + a smartphone designed and marketed by Apple Inc. + + + + a system of watercourses or drains for carrying off excess water + a system of watercourses or drains for carrying off excess water + + + + a type of hair clip with interlocking teeth connected by a spring + a type of hair clip with interlocking teeth connected by a spring + + + + a wrench for Allen screws + a wrench for Allen screws + + + + an electrical device used to create artificial light by use of an electric lamp; all light fixtures have a fixture body and a light socket to hold the lamp and allow for its replacement + an electrical device used to create artificial light by use of an electric lamp; all light fixtures have a fixture body and a light socket to hold the lamp and allow for its replacement + + + + + An electronic logic circuit for calculating the difference between two binary numbers. + An electronic logic circuit for calculating the difference between two binary numbers. + + + + chalk of a reddish-brown colour that resembles dried blood + chalk of a reddish-brown colour that resembles dried blood + + + + any of various clasps and clips used for holding hair in place. + any of various clasps and clips used for holding hair in place. + + + + + + a machine mainly used for the compaction of waste, cardboard, plastic and other recyclable materials. + a machine mainly used for the compaction of waste, cardboard, plastic and other recyclable materials. + + + + A very short dress that does not cover knees. + A very short dress that does not cover knees. + + A mini dress is not appropriate for a formal meeting. + + + A tool used to scrub dead skin from soles of feet. + A tool used to scrub dead skin from soles of feet. + + + + an ointment containing horse chestnut extract, used to relieve muscle pain and joint pain. + an ointment containing horse chestnut extract, used to relieve muscle pain and joint pain. + + I use horse balsam after working out to soothe muscle pain. + + + a meat chopping machine used for food processing, including mixing, particle reduction and emulsifying. + a meat chopping machine used for food processing, including mixing, particle reduction and emulsifying. + + + + an elongated, two-pronged fork used to lift and turn food while being cooked as in the case of barbecue. + an elongated, two-pronged fork used to lift and turn food while being cooked as in the case of barbecue. + + + + any very small device manufactured using microfabrication. + any very small device manufactured using microfabrication. + + + + a system for improving the signal-to-noise ratio of a signal at a transmitter or recorder by first compressing the volume range of the signal and then restoring it to its original amplitude level at the receiving or reproducing apparatus. + a system for improving the signal-to-noise ratio of a signal at a transmitter or recorder by first compressing the volume range of the signal and then restoring it to its original amplitude level at the receiving or reproducing apparatus. + + + + + + a loudspeaker in which the magnet-and-coil assembly remains stationary; originated in sonar technology. + a loudspeaker in which the magnet-and-coil assembly remains stationary; originated in sonar technology. + + Magnetostrictive speaker drivers have some special advantages: they can provide greater force (with smaller excursions) than other technologies; low excursion can avoid distortions from large excursion as in other designs; the magnetizing coil is stationary and therefore more easily cooled; they are robust because delicate suspensions and voice coils are not required. + + + A type of short chunky heel. + A type of short chunky heel. + + Shoes with nan heels look terrible to me, but they are actually more comfortable than ballet flats. + + + the characteristic style in Neo-Impressionist painting defined by the separation of colors into individual dots or patches which interacted optically. + the characteristic style in Neo-Impressionist painting defined by the separation of colors into individual dots or patches which interacted optically. + + It was this form of divisionism, of which Sluijters was a chief representative, that brought about avant-garde painting in Amsterdam. + + + a form of abstract art in which paint is dripped or poured onto the canvas. + a form of abstract art in which paint is dripped or poured onto the canvas. + + Pollock found drip painting to his liking; later using the technique almost exclusively, he would make use of such unconventional tools as sticks, hardened brushes and even basting syringes to create large and energetic abstract works. + + + a steel rolling mill for making slabs. + a steel rolling mill for making slabs. + + + + A kitten heel is a type of low stiletto heel, popularized by Audrey Hepburn. + A kitten heel is a type of low stiletto heel, popularized by Audrey Hepburn. + + Kitten heels are worth considering when you are too tall for stilettos, but don't feel good in flats. + + + An instrument that indicates small changes in an aircraft's altitude by recording small variations in atmospheric pressure. + An instrument that indicates small changes in an aircraft's altitude by recording small variations in atmospheric pressure. + + + + A ceiling light fixture in which the light source is hidden behind a translucent dome typically made of glass, with some combination of frosting and surface texturing to diffuse the light. + A ceiling light fixture in which the light source is hidden behind a translucent dome typically made of glass, with some combination of frosting and surface texturing to diffuse the light. + + + + a piece of safety equipment that primarily protects the skull of a climber against falling debris (such as rocks or dropped pieces of protection) and impact forces during a fall. + a piece of safety equipment that primarily protects the skull of a climber against falling debris (such as rocks or dropped pieces of protection) and impact forces during a fall. + + + Climbers may decide whether to wear a climbing helmet based on a number of factors such as the type of climb being attempted, concerns about weight, reductions in agility, added encumbrances, or simple vanity. + + + A type of heavy leather lace-up boot adopted mainly by heavy metal, punk and goth subcultures; comes in different colors and heights which are measured in the number of eyelets. + A type of heavy leather lace-up boot adopted mainly by heavy metal, punk and goth subcultures; comes in different colors and heights which are measured in the number of eyelets. + + + My daughter bought herself twenty eyelet combat boots and now she has to wake up thirty minutes earlier if she wants to lace them up before leaving for school. + + + a stationary or rotating brush usually consisting of one horizontal and one vertical brush that cows use for scratching and grooming. + a stationary or rotating brush usually consisting of one horizontal and one vertical brush that cows use for scratching and grooming. + + + + fabric decorated with small holes with finely stitched edges that form an ornamental pattern. + fabric decorated with small holes with finely stitched edges that form an ornamental pattern. + + + + a machine for removing the woody portion of flax from the fibrous. + a machine for removing the woody portion of flax from the fibrous. + + + + a type of rail car that has two levels of passenger accommodation, as opposed to one, increasing passenger capacity. + a type of rail car that has two levels of passenger accommodation, as opposed to one, increasing passenger capacity. + + When double-deck carriages (bilevel cars) were introduced on North American railways (railroads) they identified a problem in that it would be physically difficult - if not impossible - for the conductor to verify, collect payment and sell tickets to such a large concentration of passengers in one car, especially in suburban passenger service, owing to the short distance between stops. + + + A device used to detect hidden cracks, voids, porosity and other internal irregularities in metals, composites, plastics and ceramics. + A device used to detect hidden cracks, voids, porosity and other internal irregularities in metals, composites, plastics and ceramics. + + + + a boot that reaches to or just above the ankle. + a boot that reaches to or just above the ankle. + + + + a device which measures the frequency of occurrence of atmospherics. + a device which measures the frequency of occurrence of atmospherics. + + + + A subwoofer with a built-in amplifier. + A subwoofer with a built-in amplifier. + + + + a textile machine used for warping any natural or manmade yarns. + a textile machine used for warping any natural or manmade yarns. + + + + a microscope with one objective and one eyepiece, designed for monocular vision. + a microscope with one objective and one eyepiece, designed for monocular vision. + + + + A manual or automatic device that is used to cap bottles. + A manual or automatic device that is used to cap bottles. + + + + an electronic device that creates the effect of more than one sound from a single source by combining a short delay with slight deviations in pitch + an electronic device that creates the effect of more than one sound from a single source by combining a short delay with slight deviations in pitch + + + + a machine with a large, heated roller that irons and dries sheets, table linens, pillow cases etc. + a machine with a large, heated roller that irons and dries sheets, table linens, pillow cases etc. + + + + A small vise used in jewelry making. + A small vise used in jewelry making. + + + + a furnace used for removing the strain hardening in the steel strip as an alternative to continuous annealing. + a furnace used for removing the strain hardening in the steel strip as an alternative to continuous annealing. + + + + a fur-lined coat decorated with braid, worn in the sixteenth century. + a fur-lined coat decorated with braid, worn in the sixteenth century. + + + + An instrument for measuring the degree of hardness; especially, an instrument for testing the relative hardness of steel rails and the like. + An instrument for measuring the degree of hardness; especially, an instrument for testing the relative hardness of steel rails and the like. + + + The term durometer is often used to refer to the measurement as well as the instrument itself. + + + a filter made up of a thin film of collodion, cellulose acetate, or other material, available in a wide range of defined pore sizes, the smaller ones being capable of retaining all the known viruses. + a filter made up of a thin film of collodion, cellulose acetate, or other material, available in a wide range of defined pore sizes, the smaller ones being capable of retaining all the known viruses. + + + + A large pile driving device. + A large pile driving device. + + + + + + + a network device that connects multiple network segments. + a network device that connects multiple network segments. + + + + A monitors that sits upright on the side of the stage, used to provide sound to the areas of the stage not covered by the floor monitors. + A monitors that sits upright on the side of the stage, used to provide sound to the areas of the stage not covered by the floor monitors. + + + + + facilities and systems serving a country, city, or area, necessary for its economy to function. + facilities and systems serving a country, city, or area, necessary for its economy to function. + + + + second outermost triangular sail at the front of the large square-rigged ship. + second outermost triangular sail at the front of the large square-rigged ship. + + + + the genre of art depicting military themes. + the genre of art depicting military themes. + + The military art of Robert Chapman represents the fighting man from the late 17th Century to the present day. + + + a chair of the 18th century used at game tables, having a padded top rail on which spectators could lean. + a chair of the 18th century used at game tables, having a padded top rail on which spectators could lean. + + + + Lupulin is a powder separated from the strobiles of common hop. + Lupulin is a powder separated from the strobiles of common hop. + + Lupulin, or its tincture, has many medicinal uses. + + + A set of eyeshadows in a box. + A set of eyeshadows in a box. + + + The new eyeshadow pallete from Sleek has lovely colours. + + + a finely carved and decorated wooden seat where the clergy sit, stand or kneel during services. + a finely carved and decorated wooden seat where the clergy sit, stand or kneel during services. + + + The use of choir stalls (as opposed to benches) is more traditional in monasteries and collegiate churches. + + + a small or medium containment area for holding animals. + a small or medium containment area for holding animals. + + + + A mitt made of coarse fiber used to wash and scrub the body + A mitt made of coarse fiber used to wash and scrub the body + + + + a transparent screen coated on one side with a phosphor that fluoresces when exposed to X-rays or cathode rays. + a transparent screen coated on one side with a phosphor that fluoresces when exposed to X-rays or cathode rays. + + + + a device used for the vulcanization of rubber. + a device used for the vulcanization of rubber. + + + + a type of screw press in which the screw shaft is driven by a flywheel or a pair of fly weights at the ends of a bar. + a type of screw press in which the screw shaft is driven by a flywheel or a pair of fly weights at the ends of a bar. + + The wheel of a fly press can either be cranked by hand or driven by a motor using a friction coupling. + + + a torpedo that carries a warhead of at least 450 kg, used primarily as a standoff weapon, particularly by submerged submarines. + a torpedo that carries a warhead of at least 450 kg, used primarily as a standoff weapon, particularly by submerged submarines. + + Although lightweight torpedoes are fairly easily handled, the transport and handling of heavyweight torpedoes is difficult, especially in the small space of a submarine. + + + a pot or vessel in which anything is washed. + a pot or vessel in which anything is washed. + + + + A rich moisturizing cream with high oil content. + A rich moisturizing cream with high oil content. + + Body butter is recommended for dry skin. + + + a machine used to typeset printed matter. + a machine used to typeset printed matter. + + + For the monotype caster to produce types with the shape of the desired character on their face, a matrix with that character incised in it must be moved to the top of the mold in which the type slug will be cast. + + + a machine used for the production of lace. + a machine used for the production of lace. + + + + a window blind that consists of a series of thin slats that hang in front of a window, which can be turned as a group close with a slight overlap to block the window. + a window blind that consists of a series of thin slats that hang in front of a window, which can be turned as a group close with a slight overlap to block the window. + + + Unlike horizontal blinds, vertical blinds are less likely to collect dust because they stand vertically. + + + a ring-shaped synchrotron that accelerates protons to energies of several billion electron volts. + a ring-shaped synchrotron that accelerates protons to energies of several billion electron volts. + + + + A tap that provides water for a bidet. + A tap that provides water for a bidet. + + + + a device used to control the opening or closing of the actuator based on electric, or pneumatic signals. + a device used to control the opening or closing of the actuator based on electric, or pneumatic signals. + + + + a heavy plate armor not intended for free combat, produced in the late 15th to 16th century. + a heavy plate armor not intended for free combat, produced in the late 15th to 16th century. + + The jousting armour could weigh as much as 50 kg (100 pounds). + + + A washing implement made of nylon mesh; used to wash and scrub the body. + A washing implement made of nylon mesh; used to wash and scrub the body. + + + + a soft silk embroidery thread. + a soft silk embroidery thread. + + + + an apparatus used in beet-sugar factories to heat the juice in order to aid the diffusion. + an apparatus used in beet-sugar factories to heat the juice in order to aid the diffusion. + + + + a primitive shelter, often temporary, having a significant portion of its structure dug below ground level; commonly has sod walls and a sod roof. + a primitive shelter, often temporary, having a significant portion of its structure dug below ground level; commonly has sod walls and a sod roof. + + + + an oven that is powered by electricity. + an oven that is powered by electricity. + + + + a crane with a forklift type mechanism used in automated (computer controlled) warehouses (known as an automated storage and retrieval system). + a crane with a forklift type mechanism used in automated (computer controlled) warehouses (known as an automated storage and retrieval system). + + Stacker cranes are often used in the large freezer warehouses of frozen food manufacturers. + + + a type of sifter used in gardening for removing large, unwanted items form soil. + a type of sifter used in gardening for removing large, unwanted items form soil. + + + + A projector designed for home use. + A projector designed for home use. + + + + Any product at least partially made of consumable tobacco leaves, such as cigarettes, chewing tobacco or snuff. + Any product at least partially made of consumable tobacco leaves, such as cigarettes, chewing tobacco or snuff. + + + + + a furnace with several pots in which glass is melted. + a furnace with several pots in which glass is melted. + + + + A plug intended for washbasins, bath tubs and other similar water containers. + A plug intended for washbasins, bath tubs and other similar water containers. + + + + a dental instrument that holds various disks, cups, or burs, used to prepare a tooth to receive a restoration or to contour, clean, or polish a tooth or restoration. + a dental instrument that holds various disks, cups, or burs, used to prepare a tooth to receive a restoration or to contour, clean, or polish a tooth or restoration. + + + + a sewing machine that sews all types of buttonholes with or without the gimp thread. + a sewing machine that sews all types of buttonholes with or without the gimp thread. + + + + A high ornate headdress worn by the performers of Greek tragedy. + A high ornate headdress worn by the performers of Greek tragedy. + + Onkos added height and importance to the wearer. + + + a furnace for melting large batches of glass. + a furnace for melting large batches of glass. + + + A typical glass furnace holds hundreds of tonnes of molten glass, and so it is simply not practical to shut it down every night, or in fact in any period short of a month. + + + an intermediate that a country sources from a trading partner to produce a certain good. + an intermediate that a country sources from a trading partner to produce a certain good. + + + + A skin cleanser that comes in a thick liquid form, similar in texture to a lotion. + A skin cleanser that comes in a thick liquid form, similar in texture to a lotion. + + + Cream cleanser is recommended for dry skin. + + + A small, flat plug made of plastic, metal or wood, used to cover holes and visible screws in furniture. + A small, flat plug made of plastic, metal or wood, used to cover holes and visible screws in furniture. + + After fastening the boards with a screw use a plug button to cover it. + + + a fully automatic system for high volume carbonation of products, which consists of a carbonator, CO2 infusion tube, and finished product holding tank with transfer pump. + a fully automatic system for high volume carbonation of products, which consists of a carbonator, CO2 infusion tube, and finished product holding tank with transfer pump. + + + + A forked pole, about four feet in length, used as a support for muskets. + A forked pole, about four feet in length, used as a support for muskets. + + + + + a sensitive photographic paper with pure silver bromide emulsions that produce neutral black or 'cold' blue-black image tones. + a sensitive photographic paper with pure silver bromide emulsions that produce neutral black or 'cold' blue-black image tones. + + + + an electron tube having two diodes in the same envelope, with either a common cathode or separate cathodes. + an electron tube having two diodes in the same envelope, with either a common cathode or separate cathodes. + + + + The apparatus used to make a scintigram. + The apparatus used to make a scintigram. + + + + + An interferometer which uses a laser as a light source; because of the monochromaticity and high intrinsic brilliance of laser light, it can operate with path differences in the interfering beams of hundreds of meters, in contrast to a maximum of about 20 centimeters (8 inches) for classical interferometer. + An interferometer which uses a laser as a light source; because of the monochromaticity and high intrinsic brilliance of laser light, it can operate with path differences in the interfering beams of hundreds of meters, in contrast to a maximum of about 20 centimeters (8 inches) for classical interferometer. + + + + A cosmetic powder that comes in various shades of brown, meant to create an impression of tanned skin. + A cosmetic powder that comes in various shades of brown, meant to create an impression of tanned skin. + + Sculpting your face with a bronzing powder will make it appear slimmer. + If you don't like sunbathing, you can try a temporary tanner, like a bronzer. + + + leg coverings for women, made from an open mesh fabric resembling netting. + leg coverings for women, made from an open mesh fabric resembling netting. + + + Fishnet stockings are commonplace roller derby regalia. + + + a lathe used in metal spinning. + a lathe used in metal spinning. + + Metal spinning lathes are almost as simple as wood turning lathes, and usually are. + + + on a steam locomotive, an axle connecting a coupled pair of unpowered wheels located behind the driving wheels. + on a steam locomotive, an axle connecting a coupled pair of unpowered wheels located behind the driving wheels. + + + + a steamer for heat treatment of feeds before feeding them to farm animals, no longer used. + a steamer for heat treatment of feeds before feeding them to farm animals, no longer used. + + + + an electrode that responds to the excitation signal without affecting the composition of the solution being measured. + an electrode that responds to the excitation signal without affecting the composition of the solution being measured. + + The indicator electrode forms an electrochemical half cell with the interested ions in the test solution. + + + a system of conveying information by means of visual signals, using towers with pivoting shutters; information is encoded by the position of the mechanical elements. + a system of conveying information by means of visual signals, using towers with pivoting shutters; information is encoded by the position of the mechanical elements. + + + + + a machine used to scutch cotton, silk, or flax. + a machine used to scutch cotton, silk, or flax. + + A modern scutching machine can process up to 500 kilograms (1,100 lb) of flax every hour, and produces about 70 kilograms (150 lb) of flax fibers and 30 kilograms (66 lb) of tow. + + + a high precision tool used for finishing in a small amount of gear tooth surface after processing with hob and shaper cutter. + a high precision tool used for finishing in a small amount of gear tooth surface after processing with hob and shaper cutter. + + + + special linen which pertain to the Eucharist. + special linen which pertain to the Eucharist. + + + + + a voluminous garment worn over the inner cassock by bishops, priests, deacons, and monastics as their regular outer wear. + a voluminous garment worn over the inner cassock by bishops, priests, deacons, and monastics as their regular outer wear. + + + The outer cassock should be worn by a priest celebrating a service such as Vespers where the rubrics call for him to be less than fully vested, but it is not worn by any clergy beneath the sticharion. + + + a kind of short sword or dagger with a slightly curved blade, probably originated in Chechnya. + a kind of short sword or dagger with a slightly curved blade, probably originated in Chechnya. + + Russian Cossacks usually carried kindjals as their signature weapon. + + + a machine used for blanching, boiling or sterilizing of fruits and vegetables. + a machine used for blanching, boiling or sterilizing of fruits and vegetables. + + + + a home appliance used for dry or steam pressing of clothes. + a home appliance used for dry or steam pressing of clothes. + + + + an iron plowshare that is a part of a sokha. + an iron plowshare that is a part of a sokha. + + + + + A horizontal metal bar in a sliding bolt lock; meant to be moved manually in order to lock the door it is attached to. + A horizontal metal bar in a sliding bolt lock; meant to be moved manually in order to lock the door it is attached to. + + + + a torpedo that is electrically guided from the attacking vessel via thin wires connected between the torpedo and its guidance mechanism. + a torpedo that is electrically guided from the attacking vessel via thin wires connected between the torpedo and its guidance mechanism. + + Typically, wire-guided torpedoes initially run at low speed (in order to maximize their range and to minimize their self-generated noise) while they close the range (the approach speed) and speed up during the attack phase (the attack speed). + + + Eyeglasses with round frames, popularized by John Lennon. + Eyeglasses with round frames, popularized by John Lennon. + + Windsors are very chic this season. + + + a bastion that is filled up entirely, and has the ground even with the height of the rampart, without any empty space towards the center. + a bastion that is filled up entirely, and has the ground even with the height of the rampart, without any empty space towards the center. + + + + + an apparatus for applying disinfectants. + an apparatus for applying disinfectants. + + + + a type of ammonal that contains trinitrotoluene (TNT). + a type of ammonal that contains trinitrotoluene (TNT). + + Trinitrotoluene increases the brisance of T-ammonal. + + + a type of vacuum tube formerly used as a high-voltage rectifier. + a type of vacuum tube formerly used as a high-voltage rectifier. + + Vacuum rectifiers were made for very high voltages, such as the high voltage power supply for the cathode ray tube of television receivers, and the kenotron used for power supply in X-ray equipment. + + + a lightweight line with a weight attached at the end, thrown between two ships or a ship and the shore to pull a heavier line or rope across. + a lightweight line with a weight attached at the end, thrown between two ships or a ship and the shore to pull a heavier line or rope across. + + The monkey's fist knot is most often used as the weight in a heaving line. + + + a rewritable optical disc used in combination magnetic technology. + a rewritable optical disc used in combination magnetic technology. + + Using a magneto-optical disc is much more like using a diskette drive than a CD-RW drive. + + + Aquaristic filter made of synthetic sponge; comes in various shapes and sizes. + Aquaristic filter made of synthetic sponge; comes in various shapes and sizes. + + + + A pump suited for sampling and pumping underground water supplies. + A pump suited for sampling and pumping underground water supplies. + + + + an engine-powered, walk-behind machine used for compaction of a wide variety of sand, gravel and granular base materials. + an engine-powered, walk-behind machine used for compaction of a wide variety of sand, gravel and granular base materials. + + + + A chemical rocket engine which uses propellant in a solid state. + A chemical rocket engine which uses propellant in a solid state. + + + + A big wooden board used for kneading dough. + A big wooden board used for kneading dough. + + When it comes to making pizza dough, a good wooden kneading board makes a big difference. + + + a device consisting of two clocks and a switch for running one at a time, used in chess games to measure how much time each player spends. + a device consisting of two clocks and a switch for running one at a time, used in chess games to measure how much time each player spends. + + A chess clock that was patented in 1975 was developed by Joseph Meshi and became the first commercially available digital chess clock. + + + A steam turbine which exhausts steam from a boiler at a pressure well below atmospheric to a condenser. + A steam turbine which exhausts steam from a boiler at a pressure well below atmospheric to a condenser. + + + + (chemistry, physics) an electrode in which hydrogen gas is adsorbed on platinum. + (chemistry, physics) an electrode in which hydrogen gas is adsorbed on platinum. + + + + a spiked steel frame strapped to the boot to help in climbing trees, or poles. + a spiked steel frame strapped to the boot to help in climbing trees, or poles. + + + + A cheek-rouging cosmetic made by baking colored liquid on terra cotta tiles. + A cheek-rouging cosmetic made by baking colored liquid on terra cotta tiles. + + Baked blush is considered to give a more long-lasting and vibrant effect than a tradiional pressed powder formula. + + + a plastic or metal utensil used for cake and pastry decoration, similar in principle to a pastry bag. + a plastic or metal utensil used for cake and pastry decoration, similar in principle to a pastry bag. + + + + A drug containing diazepam, available in Lithuania and Poland. + A drug containing diazepam, available in Lithuania and Poland. + + + + a rotary encoder that maintains position information when power is removed from the system. + a rotary encoder that maintains position information when power is removed from the system. + + The output of absolute encoders indicates the current position of the shaft, making them angle transducers. + + + a cargo ship specially fitted for the transport of large quantities of cars. + a cargo ship specially fitted for the transport of large quantities of cars. + + The car carrier Auriga Leader, built in 2008 with a capacity of 6,200 cars, is the world's first partially solar powered ship. + + + a piece of cloth used in industrial environment for cleaning grease, oil, etc. + a piece of cloth used in industrial environment for cleaning grease, oil, etc. + + + + A style of satire coined by Horace, a Roman poet who lived during the 1st century BCE. + A style of satire coined by Horace, a Roman poet who lived during the 1st century BCE. + + The fountain of Horatianism in Spain was the imitation of _Epode II_, _Beatus Ille_, by the Marquis de Santillana, one of Castile's two first sonneteers, in the first half of the fifteenth century. + + + an apparatus fitted with one or more revolving disks, with weights, pulleys, etc., for illustrating physical laws and phenomena. + an apparatus fitted with one or more revolving disks, with weights, pulleys, etc., for illustrating physical laws and phenomena. + + + + a machine that cleans textile surfaces, i.e. carpets, hard floors, upholstery and mattresses. + a machine that cleans textile surfaces, i.e. carpets, hard floors, upholstery and mattresses. + + + + A wireless computer mouse that is shaped like a pen. + A wireless computer mouse that is shaped like a pen. + + + + a diode that can handle high electrical current flow (in only one direction), usually used to change alternating current into direct current. + a diode that can handle high electrical current flow (in only one direction), usually used to change alternating current into direct current. + + + + a type of bastion used in the 16th century; fell out of favor because of the difficulty of concentrating the fire of guns distributed around a curve. + a type of bastion used in the 16th century; fell out of favor because of the difficulty of concentrating the fire of guns distributed around a curve. + + + + a comb with razor sharp teeth used to remove mats and tangles from a pet's coat. + a comb with razor sharp teeth used to remove mats and tangles from a pet's coat. + + + + Any toy intended to be used on a beach or in a sand pit to play with sand. + Any toy intended to be used on a beach or in a sand pit to play with sand. + + + + a puppet constructed around a central rod secured to the head, controlled by the puppeteer moving the metal rods attached to the hands of the puppet, any other limbs and by turning the central rod secured to the head. + a puppet constructed around a central rod secured to the head, controlled by the puppeteer moving the metal rods attached to the hands of the puppet, any other limbs and by turning the central rod secured to the head. + + Many rod puppets depict only the upper half of the character, from the waist up, with the stage covering the missing remainder, but variations sometimes have legs. + + + a band that goes around the headgear of the armed forces, typically having a dark, contrasting color, often black, but may be patterned or striped. + a band that goes around the headgear of the armed forces, typically having a dark, contrasting color, often black, but may be patterned or striped. + + + General officers' caps are similar to those of field-grade officers, but the cap band is dark blue and embroidered with gold oak leaf motifs. + + + A pile driving device consisting of a large two-stroke diesel engine. + A pile driving device consisting of a large two-stroke diesel engine. + + + + the screen in a cathode-ray tube, which becomes luminous when bombarded by an electron beam. + the screen in a cathode-ray tube, which becomes luminous when bombarded by an electron beam. + + + + a small spiral type hand drill, similar to a pin vice, used for pilot holes and small precise holes for miniatures and crafts. + a small spiral type hand drill, similar to a pin vice, used for pilot holes and small precise holes for miniatures and crafts. + + + + A subwoofer which has a subwoofer driver and enclosure; it is powered by an external amplifier. + A subwoofer which has a subwoofer driver and enclosure; it is powered by an external amplifier. + + + + an additional stay that limits the amount that the upper portion of the mast can bend, and thereby enables tension to be effectively transferred from the backstay to the forestay. + an additional stay that limits the amount that the upper portion of the mast can bend, and thereby enables tension to be effectively transferred from the backstay to the forestay. + + + Jumper stays were common in the first part of the 20th century. + + + A square wooden frame used in archaeology. + A square wooden frame used in archaeology. + + + + + a woven fabric (usually cotton) used for book covers. + a woven fabric (usually cotton) used for book covers. + + + + A drivetrain with no freewheel mechanism; it is used in fixed-gear bicycles. + A drivetrain with no freewheel mechanism; it is used in fixed-gear bicycles. + + A fixed-gear drivetrain has the drive sprocket (or cog) threaded or bolted directly to the hub of the back wheel, so that the rider cannot stop pedalling. + + + a long, collared garment coming to the feet, with narrow, tapered sleeves, worn by all major and minor clergy, monastics, and often by male seminarians. + a long, collared garment coming to the feet, with narrow, tapered sleeves, worn by all major and minor clergy, monastics, and often by male seminarians. + + + The inner rason is the basic garment, and is worn at all times, even when working. + + + A type of wide heel that is usually square; comes in various heights. + A type of wide heel that is usually square; comes in various heights. + + + Shoes with block heels will give you a few additional inches while still being fairly comfortable. + + + a type of dynamic microphone that uses the same dynamic principle as in a loudspeaker, only reversed. + a type of dynamic microphone that uses the same dynamic principle as in a loudspeaker, only reversed. + + + + a fortification build around a sieged target by the besiegers to prevent attacks by the defenders. + a fortification build around a sieged target by the besiegers to prevent attacks by the defenders. + + + + climbing equipment that consists of a lanyard and two carabiners. + climbing equipment that consists of a lanyard and two carabiners. + + After a fatal via ferrata accident in August 2012 where both elastic lanyards on the energy-absorbing systems (EAS) in a via ferrata set failed, the UIAA (International Mountaineering and Climbing Federation) worked with manufacturers to identify and recall several models of EAS systems. + + + A sweater with a short turtleneck collar that does not fold down. + A sweater with a short turtleneck collar that does not fold down. + + + + + A French school of art originating in the 1950s and characterized by irregular dabs and splotches of color applied haphazardly to the canvas; comparable to American abstract expressionism. + A French school of art originating in the 1950s and characterized by irregular dabs and splotches of color applied haphazardly to the canvas; comparable to American abstract expressionism. + + Around 1945 a number of European and American painters established a crucial phase in modern art known broadly as Art Informel. + + + a machine used in the core shooting process for the production of sand cores. + a machine used in the core shooting process for the production of sand cores. + + + + A side-fill monitor for drummers. + A side-fill monitor for drummers. + + Drum monitors are typically large 2 or 3 way speakers with one or more large woofers capable of extremely high volumes. + + + An espresso machine which automatically grinds the coffee, tamps it, and extracts the espresso shot; some models contain an automated milk frothing and dispensing device. + An espresso machine which automatically grinds the coffee, tamps it, and extracts the espresso shot; some models contain an automated milk frothing and dispensing device. + + Super-automatic machines take away the ability to manually tamp and grind the coffee, which may affect the quality of the espresso. + + + an axle which turns but does not communicate motion. + an axle which turns but does not communicate motion. + + + + a machine tool that uses a toothed tool, called a broach, to remove material. + a machine tool that uses a toothed tool, called a broach, to remove material. + + The two ram pull-down machine is the most common type of broaching machine. + + + a braided cord worn on one shoulder with certain uniforms. + a braided cord worn on one shoulder with certain uniforms. + + + + A toaster into which bread slices are inserted vertically into the slots and pop up after the toasting cycle is complete. + A toaster into which bread slices are inserted vertically into the slots and pop up after the toasting cycle is complete. + + My pop-up toaster is terrible, it always throws my toast on the ground. + + + a machine that uses an abrasive and a work wheel for polishing the surfaces of various materials and articles. + a machine that uses an abrasive and a work wheel for polishing the surfaces of various materials and articles. + + + + a network topology in which nodes are connected in a daisy chain by a linear sequence of buses. + a network topology in which nodes are connected in a daisy chain by a linear sequence of buses. + + In a bus network, every station receives all network traffic, and the traffic generated by each station has equal transmission priority. + + + Any eyeglasses with photochromic lenses with darken when exposed to sunlight. + Any eyeglasses with photochromic lenses with darken when exposed to sunlight. + + + + a broom for sweeping the streets. + a broom for sweeping the streets. + + + + a corkscrew-like device used to remove unspent charges from the barrel of a musket. + a corkscrew-like device used to remove unspent charges from the barrel of a musket. + + The design of a corkscrew may have derived from the gun worm. + + + a cutting implement used to cut leading (spacing between lines) and slugs (thicker pieces of lead to provide support to set type forms). + a cutting implement used to cut leading (spacing between lines) and slugs (thicker pieces of lead to provide support to set type forms). + + + + An instrument for measuring the diameters of minute particles or fibers, from the size of the colored rings produced by the diffraction of the light in which the objects are viewed. + An instrument for measuring the diameters of minute particles or fibers, from the size of the colored rings produced by the diffraction of the light in which the objects are viewed. + + + + a boiler in which the fuel is burned in a fluidized bed. + a boiler in which the fuel is burned in a fluidized bed. + + + + the bed upon which a person lies sick. + the bed upon which a person lies sick. + + + + a sewing machine for joining two pieces of fabric so that the stitch thread is invisible, or nearly invisible. + a sewing machine for joining two pieces of fabric so that the stitch thread is invisible, or nearly invisible. + + + + any telegraph that uses visual signals to convey a message, including the use of smoke signals, beacons or reflected light, which have existed since ancient times. + any telegraph that uses visual signals to convey a message, including the use of smoke signals, beacons or reflected light, which have existed since ancient times. + + + + An engine which converts the energy of falling water into shaft power. + An engine which converts the energy of falling water into shaft power. + + + + + a machine for wall rendering. + a machine for wall rendering. + + + + a leather or steel helmet similar to a nasal helmet but with a convex nasal and frontal head stripe that forms an ocular, popular in medieval Scandinavia. + a leather or steel helmet similar to a nasal helmet but with a convex nasal and frontal head stripe that forms an ocular, popular in medieval Scandinavia. + + + + a two- or three-masted sailing vessel formerly used for transporting cargo in the Baltic Sea. + a two- or three-masted sailing vessel formerly used for transporting cargo in the Baltic Sea. + + + + a computation system that makes direct use of quantum-mechanical phenomena, such as superposition and entanglement, to perform operations on data. + a computation system that makes direct use of quantum-mechanical phenomena, such as superposition and entanglement, to perform operations on data. + + As of 2015, the development of actual quantum computers is still in its infancy, but experiments have been carried out in which quantum computational operations were executed on a very small number of quantum bits. + + + a weapon with a hammer on one side and an axe on the other. + a weapon with a hammer on one side and an axe on the other. + + + + a stick made of dried leaves of an Asian species of mugwort, used in moxibustion. + a stick made of dried leaves of an Asian species of mugwort, used in moxibustion. + + + + Any knife used in gardening. + Any knife used in gardening. + + + + a type of skidder with dangling tongs between the rolling wheels that raise the end of the log off the ground, used in the 19th and early 20th centuries. + a type of skidder with dangling tongs between the rolling wheels that raise the end of the log off the ground, used in the 19th and early 20th centuries. + + + + + an acoustical calibrator (sound source) that uses a closed coupling volume to generate a precise sound pressure for the calibration of measurement microphones. + an acoustical calibrator (sound source) that uses a closed coupling volume to generate a precise sound pressure for the calibration of measurement microphones. + + Pistonphones are highly dependent on ambient pressure (always requiring a correction to ambient pressure conditions) and are generally only made to reproduce low frequencies (for practical reasons), typically 250 Hz. + + + a boiler tube through which the water flows. + a boiler tube through which the water flows. + + + The Stirling boiler has near-vertical, almost-straight watertubes that zig-zag between a number of steam and water drums. + + + a tray used in horticulture for sowing and taking plant cuttings and growing plugs. + a tray used in horticulture for sowing and taking plant cuttings and growing plugs. + + Hand sowing may be combined with pre-sowing in seed trays. + + + a rain gage in which a float resting on the surface of the water measures the level of collected rainwater. + a rain gage in which a float resting on the surface of the water measures the level of collected rainwater. + + + + a weeder with steel claws that grab weeds by the root for clean removal. + a weeder with steel claws that grab weeds by the root for clean removal. + + + + a necktie that is narrower than the standard tie, and often all-black. + a necktie that is narrower than the standard tie, and often all-black. + + Skinny ties were first popularized in the late 1950s and early 1960s by British bands such as the Beatles and the Kinks, alongside the subculture that embraced such bands, the mods. + + + a member attached to a beam web to prevent loss of strength due to web buckling. + a member attached to a beam web to prevent loss of strength due to web buckling. + + + + a crystal, powder, or liquid preparation that foams in, scents, and softens bathwater. + a crystal, powder, or liquid preparation that foams in, scents, and softens bathwater. + + + + A medical device used during and after surgical procedure in order to remove fluids, tissues or gases. + A medical device used during and after surgical procedure in order to remove fluids, tissues or gases. + + + Surgical vacuum pumps are being used not only for general surgery, but also for liposuction and endoscopy. + + + a historical type of personal armor made from iron or steel plates entirely encasing the wearer. + a historical type of personal armor made from iron or steel plates entirely encasing the wearer. + + Full plate armour was expensive to produce and remained therefore restricted to the upper strata of society; lavishly decorated suits of armour remained the fashion with 18th-century nobles and generals long after they had ceased to be militarily useful on the battlefield due to the advent of inexpensive muskets. + + + A hooked tool, usually of metal, used to clean the hooves of a horse; some designs include a small, very stiff brush for removing additional mud or dirt. + A hooked tool, usually of metal, used to clean the hooves of a horse; some designs include a small, very stiff brush for removing additional mud or dirt. + + It is best to work the hoof pick from heel to toe, so to avoid accidentally jabbing the horse's leg, the frog of the hoof, or the person using the pick. + + + yarn that has undergone the carding process, but not the combing process. + yarn that has undergone the carding process, but not the combing process. + + + + An electric motor with a squirrel-cage rotor. + An electric motor with a squirrel-cage rotor. + + + + a hand tool used for joining two pieces of metal or other ductile material (usually a wire and a metal plate) by deforming one or both of them to hold the other. + a hand tool used for joining two pieces of metal or other ductile material (usually a wire and a metal plate) by deforming one or both of them to hold the other. + + + Stripped wire (often stranded) is inserted through the correctly sized opening of the connector, and a crimper is used to tightly squeeze the opening against the wire. + + + a wooden barrier or fence used in jousting to prevent collisions and to keep the combatants at an optimal angle for breaking the lance. + a wooden barrier or fence used in jousting to prevent collisions and to keep the combatants at an optimal angle for breaking the lance. + + The introduction of the tilt barrier seems to have originated in the south, as it only became a standard feature of jousting in Germany in the 16th century, and was there called the Italian or "welsch" mode. + + + a light cruiser in which torpedo tubes and 6-inch low-angle guns were replaced by ten 4-inch high-angle guns to provide larger warships with protection against high-altitude bombers. + a light cruiser in which torpedo tubes and 6-inch low-angle guns were replaced by ten 4-inch high-angle guns to provide larger warships with protection against high-altitude bombers. + + Having sacrificed anti-ship weapons for anti-aircraft armament, the converted anti-aircraft cruisers might need protection themselves against surface units. + + + a radio receiving device used on ships that rings an alarm bell when a distress signal is received. + a radio receiving device used on ships that rings an alarm bell when a distress signal is received. + + + + equipment that enables a sophisticated separation, e.g. gas chromatographic or liquid chromatographic separation. + equipment that enables a sophisticated separation, e.g. gas chromatographic or liquid chromatographic separation. + + A chromatogram is the visual output of the chromatograph. + + + a diesel engine that has injectors mounted at the top of the combustion chamber; the injectors are activated either by hydraulic pressure from the fuel pump, or an electronic signal from an engine controller. + a diesel engine that has injectors mounted at the top of the combustion chamber; the injectors are activated either by hydraulic pressure from the fuel pump, or an electronic signal from an engine controller. + + Fuel consumption of direct injection diesels is about 15–20% lower than indirect injection diesels. + + + a yard on which a topgallant sail is carried, above the topsail or topsails. + a yard on which a topgallant sail is carried, above the topsail or topsails. + + + + a mixture of a liquid soap with formaldehyde, used as an antiseptic. + a mixture of a liquid soap with formaldehyde, used as an antiseptic. + + + + + a stove that is cheap and easy to make, burns either free or low-cost fuel. + a stove that is cheap and easy to make, burns either free or low-cost fuel. + + + + a small backsaw used to cut dovetails. + a small backsaw used to cut dovetails. + + Although most dovetail saw teeth are set for cross-cutting, a rip saw tooth pattern is more efficient. + + + emulsion explosive and blasting agent + emulsion explosive and blasting agent + + + + the innermost jib (just ahead of the foremast) on a large square-rigged ship. + the innermost jib (just ahead of the foremast) on a large square-rigged ship. + + + + A basic coil for storing rope. + A basic coil for storing rope. + + Tie your rope in a gasket coil to prevent it from tangling. + + + a vacuum cleaner in which the dust is separated in a detachable cylindrical collection vessel or bin. + a vacuum cleaner in which the dust is separated in a detachable cylindrical collection vessel or bin. + + Cyclonic cleaners do not use filtration bags. + + + a white linen cloth which is used to wipe the chalice after each communicant partakes. + a white linen cloth which is used to wipe the chalice after each communicant partakes. + + + + a plow that consists of a gang of concave steel cutting disks, used for work in hard dry soils. + a plow that consists of a gang of concave steel cutting disks, used for work in hard dry soils. + + + + a small canister vacuum strapped onto the user's back, commonly used for commercial cleaning. + a small canister vacuum strapped onto the user's back, commonly used for commercial cleaning. + + + + a scanner that is moved over the subject to be imaged by hand. + a scanner that is moved over the subject to be imaged by hand. + + Older hand scanners were monochrome, and produced light from an array of green LEDs to illuminate the image; later ones scan in monochrome or color, as desired. + + + a transducer for receiving waves from an electric system and delivering waves to a mechanical system, or vice versa. + a transducer for receiving waves from an electric system and delivering waves to a mechanical system, or vice versa. + + + + a machine used for cleaning and improving the quality of grain going into storage or the market. + a machine used for cleaning and improving the quality of grain going into storage or the market. + + + + A headdress worn among Orthodox Christian monastics and clergy. + A headdress worn among Orthodox Christian monastics and clergy. + + + The kamilavka is a hat in the form of a rigid cylindrical head covering. + + + an instrument which sets the fuze time on projectiles with mechanical time fuzes. + an instrument which sets the fuze time on projectiles with mechanical time fuzes. + + + Naval and anti-aircraft artillery started using analogue computers before World War 2, and these were connected to the guns to automatically aim them; they also had automatic fuze setters. + + + a harrow that consists of fine spring tines mounted on a contour-flexing frame, used for weeding crops. + a harrow that consists of fine spring tines mounted on a contour-flexing frame, used for weeding crops. + + + + in military architecture, a bastion constructed of one face, and one flank. + in military architecture, a bastion constructed of one face, and one flank. + + + + + + a machine tool used to improve surface finish and workpiece geometry by removing just the thin amorphous surface layer left by the last process with an abrasive stone or tape. + a machine tool used to improve surface finish and workpiece geometry by removing just the thin amorphous surface layer left by the last process with an abrasive stone or tape. + + + + a small wheeled carriage attached under the front end of a plow beam. + a small wheeled carriage attached under the front end of a plow beam. + + + + a sleeping berth in a couchette compartment. + a sleeping berth in a couchette compartment. + + + + + a mixer consisting of a bowl and an agitator that is rapidly moved around the bowl to mix its contents. + a mixer consisting of a bowl and an agitator that is rapidly moved around the bowl to mix its contents. + + With the ability to mix a wide variety of ingredients, planetary mixers are more versatile than their spiral counterparts. + + + a type of keyboard used to prepare a punched paper tape, called ribbon, that will direct the casting of type separately from its actual casting. + a type of keyboard used to prepare a punched paper tape, called ribbon, that will direct the casting of type separately from its actual casting. + + + A monotype operator enters text on a monotype keyboard, on which characters are arranged in the QWERTY arrangement of a conventional typewriter, but with this arrangement repeated multiple times. + + + an electric furnace in which heat is generated by the passage of current through a resistor. + an electric furnace in which heat is generated by the passage of current through a resistor. + + + + a versatile hand tool that combines a pick and an adze, used for grubbing in hard soils and rocky terrain. + a versatile hand tool that combines a pick and an adze, used for grubbing in hard soils and rocky terrain. + + + + a machine for removing limbs from trees with a saw or flailing chains. + a machine for removing limbs from trees with a saw or flailing chains. + + + + + a machine used in a machining process known as lapping, in which two surfaces are rubbed together with an abrasive between them. + a machine used in a machining process known as lapping, in which two surfaces are rubbed together with an abrasive between them. + + + + Any of a range of machines used for lamination. + Any of a range of machines used for lamination. + + + + A kitchen appliance that opens eggs and separates egg whites from yolks. + A kitchen appliance that opens eggs and separates egg whites from yolks. + + Using an egg cracker is not really worth the trouble, it's just easier to do it the traditional way. + + + a vacuum pump that uses high speed jets of dense fluid or high speed rotating blades to knock gas molecules out of the chamber. + a vacuum pump that uses high speed jets of dense fluid or high speed rotating blades to knock gas molecules out of the chamber. + + Molecular pumps sweep out a larger area than mechanical pumps, and do so more frequently, making them capable of much higher pumping speeds. + + + A weapon which launches anti-submarine depth charges. + A weapon which launches anti-submarine depth charges. + + + + an apparatus used in the adhesion of atoms, ions, or molecules from a gas, liquid, or dissolved solid to a surface. + an apparatus used in the adhesion of atoms, ions, or molecules from a gas, liquid, or dissolved solid to a surface. + + + + equipment used to preserve a perishable material; works by freezing the material and then reducing the surrounding pressure to allow the frozen water in the material to sublimate directly from the solid phase to the gas phase. + equipment used to preserve a perishable material; works by freezing the material and then reducing the surrounding pressure to allow the frozen water in the material to sublimate directly from the solid phase to the gas phase. + + When drying in vials, the freeze-dryer is supplied with a stoppering mechanism that allows a stopper to be pressed into place, sealing the vial before it is exposed to the atmosphere. + + + A recording tonometer, used in medicine. + A recording tonometer, used in medicine. + + A tonometer is an apparatus that makes a record of tension measurements. + + + a computer peripheral device enabling printed material, including characters and diagrams, to be scanned and converted into a form that can be stored in a computer. + a computer peripheral device enabling printed material, including characters and diagrams, to be scanned and converted into a form that can be stored in a computer. + + + + a small hand press used to force sausage into a casing. + a small hand press used to force sausage into a casing. + + + + + + a belt made of rope, sometimes with a seat, used in wild beekeeping to climb trees and reach the nests. + a belt made of rope, sometimes with a seat, used in wild beekeeping to climb trees and reach the nests. + + + + a medicine containing ascorbic acid, available in a number of countries worldwide. + a medicine containing ascorbic acid, available in a number of countries worldwide. + + + + + + + yarn made from silk waste. + yarn made from silk waste. + + It is the spinner's business to straighten out these fibres, with the aid of machinery, and then to so join them that they become a thread, which is known as spun silk. + + + A microphone that converts acoustic waves into electrical signals by sensing changes in light intensity, instead of sensing changes in capacitance or magnetic fields as with conventional microphones. + A microphone that converts acoustic waves into electrical signals by sensing changes in light intensity, instead of sensing changes in capacitance or magnetic fields as with conventional microphones. + + Fiber optic microphones are used in very specific application areas such as for infrasound monitoring and noise-canceling. + + + a type of palisade made of vertical slabs of slate wired together. + a type of palisade made of vertical slabs of slate wired together. + + + + + the topmast next above the mizzenmast. + the topmast next above the mizzenmast. + + The main topmast carries the upper end of the main-topmast-staysail; a mizzen-topmast may carry the equivalent. + + + an induction motor having a cup-shaped rotor or conducting material, inside of which is a stationary magnetic core. + an induction motor having a cup-shaped rotor or conducting material, inside of which is a stationary magnetic core. + + + + An electrical appliance for crimping the hair so that it becomes wavy, often in a sawtooth fashion. + An electrical appliance for crimping the hair so that it becomes wavy, often in a sawtooth fashion. + + + Hair crimping is usually achieved by treating the hair with heat from a crimping iron (also referred to as hair crimper) or by braiding the hair, often in multiple strands, then undoing the braids. + + + a table used by woodworkers to hold workpieces while they are worked by other tools. + a table used by woodworkers to hold workpieces while they are worked by other tools. + + There are many styles of woodworking benches, each reflecting the type of work to be done or the craftsman's way of working. + + + a plough that has only one wheel at the front and handles at the rear for the ploughman to steer and maneuver it. + a plough that has only one wheel at the front and handles at the rear for the ploughman to steer and maneuver it. + + A single draught horse can normally pull a single-furrow plough in clean light soil, but in heavier soils two horses are needed, one walking on the land and one in the furrow. + + + Any device used to remove nitrates or other nitrogen compounds, especially from water. + Any device used to remove nitrates or other nitrogen compounds, especially from water. + + + + a loudspeaker that uses a lightweight diaphragm connected to a rigid basket via a flexible suspension that constrains a voice coil to move axially through a cylindrical magnetic gap. + a loudspeaker that uses a lightweight diaphragm connected to a rigid basket via a flexible suspension that constrains a voice coil to move axially through a cylindrical magnetic gap. + + The dynamic speaker operates on the same basic principle as a dynamic microphone, but in reverse, to produce sound from an electrical signal. + + + an automatic machine that makes the ticket valid by stamping it with the location information and the timestamp. + an automatic machine that makes the ticket valid by stamping it with the location information and the timestamp. + + + + a furnace for heating the metal charge contained in refractory crucibles. + a furnace for heating the metal charge contained in refractory crucibles. + + + + A car headlamp that provides a bright, centre-weighted distribution of light with no particular control of light directed towards other road users' eyes; as such, it is only suitable for use when alone on the road, as the glare it produces will dazzle other drivers. + A car headlamp that provides a bright, centre-weighted distribution of light with no particular control of light directed towards other road users' eyes; as such, it is only suitable for use when alone on the road, as the glare it produces will dazzle other drivers. + + International ECE Regulations permit higher-intensity high-beam headlamps than are allowed under North American regulations. + + + A pair of jean trousers ripped and bleached on purpose or by extended wear. + A pair of jean trousers ripped and bleached on purpose or by extended wear. + + + + a machine used to fry large quantities of doughnuts at once. + a machine used to fry large quantities of doughnuts at once. + + + + + a revolver that makes the sound of gunfire but does not fire bullets. + a revolver that makes the sound of gunfire but does not fire bullets. + + + + a place or establishment where flax is retted. + a place or establishment where flax is retted. + + + + a transducer that converts electromagnetic waves and magnetic fields to and from electrical signals. + a transducer that converts electromagnetic waves and magnetic fields to and from electrical signals. + + + + A machine for use in making topographical maps. + A machine for use in making topographical maps. + + + + (climbing) a line that can be hung onto with hands while climbing up or down a steep or slick section for limited protection. + (climbing) a line that can be hung onto with hands while climbing up or down a steep or slick section for limited protection. + + + + + A measuring equipment used to test concrete's strength. + A measuring equipment used to test concrete's strength. + + + + any type of good that can be physically touched, acquired to satisfy needs and desires. + any type of good that can be physically touched, acquired to satisfy needs and desires. + + A physical good may cost more than an intangible good, but is easier to return or track. + + + a plough having two or more shares, coulters, and mouldboards designed to work simultaneously. + a plough having two or more shares, coulters, and mouldboards designed to work simultaneously. + + Gang ploughs of up to fourteen bottoms were used. + + + A sleeping bag which shape tapers from the head end to the foot end. + A sleeping bag which shape tapers from the head end to the foot end. + + + + a farm implement used to remove weeds. + a farm implement used to remove weeds. + + + + a type of kitchen knife specialized for the cutting of cheese. + a type of kitchen knife specialized for the cutting of cheese. + + + + + Any dress in which the top part resembles a peasant blouse. + Any dress in which the top part resembles a peasant blouse. + + + + a controller that is the combination of a Kalman filter i.e. a linear-quadratic estimator (LQE) with a linear-quadratic regulator (LQR). + a controller that is the combination of a Kalman filter i.e. a linear-quadratic estimator (LQE) with a linear-quadratic regulator (LQR). + + The LQG controller itself is a dynamic system like the system it controls. + + + a device used for artificial production of human speech. + a device used for artificial production of human speech. + + The quality of a speech synthesizer is judged by its similarity to the human voice and by its ability to be understood clearly. + + + A chair designed for patients in the dentist office. + A chair designed for patients in the dentist office. + + + + A short, usually sheer curtain hanging from a rod installed in the middle of a window. + A short, usually sheer curtain hanging from a rod installed in the middle of a window. + + + + a machine used for aligning uneven stacks of paper. + a machine used for aligning uneven stacks of paper. + + + + a machine for splitting natural stone including granite, marble, and sandstone. + a machine for splitting natural stone including granite, marble, and sandstone. + + + + a type of filter press that consists of many plates and frames assembled alternately with the supports of a pair of rails. + a type of filter press that consists of many plates and frames assembled alternately with the supports of a pair of rails. + + Plate filter press is extensively used in sugaring operations such as the production of maple syrup in Canada, since it offers very high efficiency and reliability. + + + a twilled silk fabric used mostly for lining parts of gentlemen's coats. + a twilled silk fabric used mostly for lining parts of gentlemen's coats. + + The early association of silk serge, Greece, and France is shown by the discovery in Charlemagne's tomb of a piece of silk serge dyed with Byzantine motifs, evidently a gift from the Byzantine Imperial Court in the 8th or 9th century AD. + + + An instrument for illuminating the interior of a cavity to determine the translucency of its walls. + An instrument for illuminating the interior of a cavity to determine the translucency of its walls. + + + + a device for investigating surface tension using the stalagmometric method. + a device for investigating surface tension using the stalagmometric method. + + The part of the bottom of the stalagmometer is narrowed down to let the fluid fall out from the tube in a shape of drop. + + + a plough with two moldboards. + a plough with two moldboards. + + Heavy volcanic loam soils, such as are found in New Zealand, require the use of four heavy draught horses to pull a double-furrow plough. + + + a motor combined with a set of speed-reducing gears. + a motor combined with a set of speed-reducing gears. + + + + a hand tool used to clinch tubular rivets. + a hand tool used to clinch tubular rivets. + + + + A device for sprouting seeds. + A device for sprouting seeds. + + + + a type of DC motor that connects the armature and field windings in parallel or shunt with a common D.C. power source; used for industrial, adjustable speed applications, such as machine tools, winding/unwinding machines and tensioners. + a type of DC motor that connects the armature and field windings in parallel or shunt with a common D.C. power source; used for industrial, adjustable speed applications, such as machine tools, winding/unwinding machines and tensioners. + + A shunt DC motor has good speed regulation even as the load varies, but does not have the starting torque of a series DC motor. + + + an 18th-century wig with hair pushed back into a bag. + an 18th-century wig with hair pushed back into a bag. + + + + a sewing machine that binds fabric together using two threads, upper and lower, and "locking" (entwining) them together in the hole in the fabric through which they pass. + a sewing machine that binds fabric together using two threads, upper and lower, and "locking" (entwining) them together in the hole in the fabric through which they pass. + + Of a typical garment factory's sewing machines, half might be lockstitch machines and the other half divided between overlock machines, chain stitch machines, and various other specialized machines. + + + the reciprocating bar to which the needle of a sewing machine is attached. + the reciprocating bar to which the needle of a sewing machine is attached. + + + + + a device with a flexible bulb that replaces the plunger for instillation or aspiration, used to irrigate an external orifice, such as the auditory canal, or to remove congestion from nasal cavity. + a device with a flexible bulb that replaces the plunger for instillation or aspiration, used to irrigate an external orifice, such as the auditory canal, or to remove congestion from nasal cavity. + + + + an apparatus for pasteurizing substances (especially milk). + an apparatus for pasteurizing substances (especially milk). + + + + an iron which uses resistive heating from an electric current. + an iron which uses resistive heating from an electric current. + + + The early electric irons had no easy way to control their temperature, and the first thermostatically controlled electric iron appeared in the 1920s. + + + a chemical substance that dissolves water-insoluble substances, such as greases and oils. + a chemical substance that dissolves water-insoluble substances, such as greases and oils. + + I'll need to buy a professional degreaser to clean this mess. + + + a relay that returns to its predefined contact after the current has been turned off. + a relay that returns to its predefined contact after the current has been turned off. + + + + a round sheet of paper, foil, or silicone with scallop-pressed edges, giving the muffin a round cup shape. + a round sheet of paper, foil, or silicone with scallop-pressed edges, giving the muffin a round cup shape. + + + A variety of sizes for muffin cases are available. + + + A leavening agent (also known as raising agent or leaven agent) is a substance added to dough or batter to make it lighter and softer. + A leavening agent (also known as raising agent or leaven agent) is a substance added to dough or batter to make it lighter and softer. + + I know I can use chemical leaveners, but I think that using yeast as a leavening agent is more healthy. + + + A device used to examine an internal bodily structure by the use of ultrasonic waves, esp for the diagnosis of abnormality in a fetus. + A device used to examine an internal bodily structure by the use of ultrasonic waves, esp for the diagnosis of abnormality in a fetus. + + Images from the ultrasound scanner are transferred and displayed using the DICOM standard. + + + A set of electronic drums which are electrical devices struck by a drummer, played in real time (using either hands, sticks, brushes or other implements) to produce a selection of sounds, instruments and effects, from either samples or modeled sounds contained in a processor or drum module. + A set of electronic drums which are electrical devices struck by a drummer, played in real time (using either hands, sticks, brushes or other implements) to produce a selection of sounds, instruments and effects, from either samples or modeled sounds contained in a processor or drum module. + + + The electronic drum (pad/triggering device) is usually sold as part of an electronic drum kit, consisting of a set of drum pads mounted on a stand or rack in a configuration similar to that of an acoustic drum kit layout, with rubberized (Roland, Yamaha, Alesis, for example) or specialized acoustic/electronic cymbals (e.g. Zildjian's "Gen 16"). + + + cosmetic powder for the face that is stored in a compact. + cosmetic powder for the face that is stored in a compact. + + + + a machine that shapes sheet-metal by using two or four split dies which separate and close up to 2000 times a minute. + a machine that shapes sheet-metal by using two or four split dies which separate and close up to 2000 times a minute. + + + + an instrument in a Jacquard loom that raises or lowers the harness, which carries and guides the warp thread so that the weft will either lie above or below it, which in turn creates the pattern. + an instrument in a Jacquard loom that raises or lowers the harness, which carries and guides the warp thread so that the weft will either lie above or below it, which in turn creates the pattern. + + + + + + (nautical) one of several short lengths of line stitched through a sail for tying a reef. + (nautical) one of several short lengths of line stitched through a sail for tying a reef. + + One crewman must pull the reefing line as another crewman lowers the sail. + + + an exceptionally large dose, as of a drug or vitamin. + an exceptionally large dose, as of a drug or vitamin. + + Vitamin C megadoses are claimed by alternative medicine advocates including Matthias Rath and Patrick Holford to have preventative and curative effects on diseases such as cancer and AIDS, but the available scientific evidence does not support these claims. + + + A light shield that allowes only a spot of light about the size of an egg to shine out; used to test eggs. + A light shield that allowes only a spot of light about the size of an egg to shine out; used to test eggs. + + + + + the first telegraph printing text on a paper tape, invented by David Edward Hughes. + the first telegraph printing text on a paper tape, invented by David Edward Hughes. + + + + a print made by the bromoil process having soft, paint-like qualities. + a print made by the bromoil process having soft, paint-like qualities. + + + + a hand-held mixing device used to prepare food. + a hand-held mixing device used to prepare food. + + The motor of a hand mixer must be lightweight as it is supported by the user during use. + + + An instrument used to record an echogram. + An instrument used to record an echogram. + + + + a Viking longship, described in historical sources as elegant and ornately decorated, and used by those who went raiding and plundering. + a Viking longship, described in historical sources as elegant and ornately decorated, and used by those who went raiding and plundering. + + The drekkar's prows carried carvings of menacing beasts, such as dragons and snakes, allegedly to protect the ship and crew, and to ward off the terrible sea monsters of Norse mythology. + + + a sliding tray that is a part of a computer desk, used to hold a keyboard. + a sliding tray that is a part of a computer desk, used to hold a keyboard. + + The most common form of the computer desk is a variant of the ergonomic desk, which has an adjustable keyboard tray and sufficient desktop space for handwriting. + + + A pulse oximeter is a medical device that indirectly monitors the oxygen saturation of a patient's blood (as opposed to measuring oxygen saturation directly through a blood sample) and changes in blood volume in the skin, producing a photoplethysmogram. + A pulse oximeter is a medical device that indirectly monitors the oxygen saturation of a patient's blood (as opposed to measuring oxygen saturation directly through a blood sample) and changes in blood volume in the skin, producing a photoplethysmogram. + + A typical pulse oximeter utilizes an electronic processor and a pair of small light-emitting diodes (LEDs) facing a photodiode through a translucent part of the patient's body, usually a fingertip or an earlobe. + + + a machine tool used in the abrasive machining process known as honing. + a machine tool used in the abrasive machining process known as honing. + + + A honing machine, ironically, is relatively inaccurate and compliant. + + + A konimeter is a device for measuring airborne dust concentration in which samples are obtained by sucking the air through a hole and allowing it to pass over a glass plate coated with grease on which the particles collect. + A konimeter is a device for measuring airborne dust concentration in which samples are obtained by sucking the air through a hole and allowing it to pass over a glass plate coated with grease on which the particles collect. + + + + a whip carried by a mounted rider; not intended to be used on the horse, but rather the lash is there to remind the hounds to stay away from the horse's hooves, and it can also be used as a communication device to the hounds. + a whip carried by a mounted rider; not intended to be used on the horse, but rather the lash is there to remind the hounds to stay away from the horse's hooves, and it can also be used as a communication device to the hounds. + + + + a multi-function baking pan used for barbecue, pie, tortillas, frying fish, grilling prawns, etc. + a multi-function baking pan used for barbecue, pie, tortillas, frying fish, grilling prawns, etc. + + + + A face cleanser that is similar in texture to condensed milk. + A face cleanser that is similar in texture to condensed milk. + + + + salt produced from the mineral water of Bad Ems, used as a medicine for diseases of the upper respiratory tract. + salt produced from the mineral water of Bad Ems, used as a medicine for diseases of the upper respiratory tract. + + Gargling with Emser salt water is a quick way to heal an infected throat. + + + an X-ray of the entire body of an infant. + an X-ray of the entire body of an infant. + + + + A submicrometer- to millimeter-size device that converts a nonelectrical physical or chemical quantity, such as pressure, acceleration, temperature, or gas concentration, into an electrical signal; it is generally able to offer better sensitivity, accuracy, dynamic range, and reliability, as well as lower power consumption, compared to larger counterparts. + A submicrometer- to millimeter-size device that converts a nonelectrical physical or chemical quantity, such as pressure, acceleration, temperature, or gas concentration, into an electrical signal; it is generally able to offer better sensitivity, accuracy, dynamic range, and reliability, as well as lower power consumption, compared to larger counterparts. + + + + an apparatus for transmitting pictures by phototelegraphy. + an apparatus for transmitting pictures by phototelegraphy. + + + + A ski pole made from Tonkin Cane, a species of bamboo. + A ski pole made from Tonkin Cane, a species of bamboo. + + + + An instrument which records wind velocities. + An instrument which records wind velocities. + + + + a print made by chromolithography. + a print made by chromolithography. + + Depending on the number of colours present, a chromolithograph could take months to produce, by very skilled workers. + + + a cultivator that uses blades to throw soil toward the roots of crops. + a cultivator that uses blades to throw soil toward the roots of crops. + + + + an endband along the bottom edge of the book (as a book is standing upright). + an endband along the bottom edge of the book (as a book is standing upright). + + + + + a fictional anti-gravity device in the Star Wars Universe. + a fictional anti-gravity device in the Star Wars Universe. + + + + + (old-fashioned) a very small handheld calculator. + (old-fashioned) a very small handheld calculator. + + + + a lathe for turning railway-car and locomotive wheels. + a lathe for turning railway-car and locomotive wheels. + + + + A toy pistol or rifle that shoots cork bullets. + A toy pistol or rifle that shoots cork bullets. + + + + a punch used in conjunction with a blanking die. + a punch used in conjunction with a blanking die. + + + + A foot joint is the last of the three sections of the Western concert flute. + A foot joint is the last of the three sections of the Western concert flute. + + + Concert flutes have three parts: the headjoint, the body, and the foot joint. + + + A type of firearms operating system which requires the bolt to overcome some initial resistance while not fully locked. + A type of firearms operating system which requires the bolt to overcome some initial resistance while not fully locked. + + + + A device used to read the information encoded on punched tape. + A device used to read the information encoded on punched tape. + + The tape reader used compressed air, which passed through the holes and was directed into certain mechanisms of the caster. + + + A small object fastened to a key chain or key ring and designed to be comfortably grasped. + A small object fastened to a key chain or key ring and designed to be comfortably grasped. + + + + a textile machine that transforms the drawn sliver into roving. + a textile machine that transforms the drawn sliver into roving. + + Simplex machines give the attenuated sliver a small amount of twist to ensure the required strength of the roving. + + + a non-pierced earring of varying size (i.e. small wrap or hook big enough to hang over the whole ear and dangle) worn on the rim of the ear. + a non-pierced earring of varying size (i.e. small wrap or hook big enough to hang over the whole ear and dangle) worn on the rim of the ear. + + + + A felt-tip pen with a thin tip that produces thin lines. + A felt-tip pen with a thin tip that produces thin lines. + + + + a machine that uses compressed air to blow and pack sand into a core box. + a machine that uses compressed air to blow and pack sand into a core box. + + + + a broad kaftan with long sleeves, worn by the nobility in Russia in the 16th and 17th centuries. + a broad kaftan with long sleeves, worn by the nobility in Russia in the 16th and 17th centuries. + + + + a small vise held in the hand in doing small work. + a small vise held in the hand in doing small work. + + + + a machine used by (industrial) bakeries that rolls out dough into a (consistent) dough sheet with a desired even dough thickness. + a machine used by (industrial) bakeries that rolls out dough into a (consistent) dough sheet with a desired even dough thickness. + + Most dough sheeters can handle a wide variety of dough depending on the machine manufacturer. + + + A concrete vibrator is an industrial vibrator that consolidates freshly poured concrete so that trapped air and excess water are released and the concrete settles firmly in place in the formwork. + A concrete vibrator is an industrial vibrator that consolidates freshly poured concrete so that trapped air and excess water are released and the concrete settles firmly in place in the formwork. + + + + a textile mill employing rotary wire cylinders for napping. + a textile mill employing rotary wire cylinders for napping. + + + + an instrument used to determine the specific gravity of wood + an instrument used to determine the specific gravity of wood + + + + a chain-link collar with blunted open ends turned towards the dog's neck. + a chain-link collar with blunted open ends turned towards the dog's neck. + + Prong collars must never be turned inside out (with the prongs facing away from the dog's skin), as this may cause injury against the body and head. + + + a harrow used to refine seed-bed condition before planting, to remove small weeds in growing crops and to loosen the inter-row soils to allow for water to soak into the subsoil. + a harrow used to refine seed-bed condition before planting, to remove small weeds in growing crops and to loosen the inter-row soils to allow for water to soak into the subsoil. + + + Tine and chain harrows are often only supported by a rigid towing-bar at the front of the set. + + + a metal bar acting as a torsional spring, used in the suspensions of some motor vehicles. + a metal bar acting as a torsional spring, used in the suspensions of some motor vehicles. + + + Over-rotating the torsion bars can cause the suspension to hit the bump-stop prematurely, causing a harsh ride. + + + a line of clothes for one season developed by a fashion designer. + a line of clothes for one season developed by a fashion designer. + + Our latest fashion collections for Autumn 2014 have just arrived! + + + Yarn produced by the combination of at least two fibers, either of different types or of different colors. + Yarn produced by the combination of at least two fibers, either of different types or of different colors. + + This shirt is defined by a lightly brushed twill weave in deep colors woven using melange yarn. + + + a safety device installed in cars that deploys by rapidly inflating to protect the head and provide rollover protection. + a safety device installed in cars that deploys by rapidly inflating to protect the head and provide rollover protection. + + + Curtain airbags have been said to reduce brain injury or fatalities by up to 45% in a side impact with an SUV. + + + a roof-mounted device used by trolleybuses, trams, electric locomotives or EMUs to carry electrical power from overhead lines or electrical third rails to the electrical equipment of the vehicles. + a roof-mounted device used by trolleybuses, trams, electric locomotives or EMUs to carry electrical power from overhead lines or electrical third rails to the electrical equipment of the vehicles. + + + + A filter that uses a bed of activated carbon to remove contaminants and impurities, using chemical absorption. + A filter that uses a bed of activated carbon to remove contaminants and impurities, using chemical absorption. + + There are 2 predominant types of carbon filters used in the filtration industry: powdered block filters and granular activated filters. + + + a lighter invented in 1823 by the German chemist Johann Wolfgang Dobereiner based on the Furstenberger lighter. + a lighter invented in 1823 by the German chemist Johann Wolfgang Dobereiner based on the Furstenberger lighter. + + + + a furnace in the form of a vertical cylinder in which hot gas is forced upwards through the contained solids. + a furnace in the form of a vertical cylinder in which hot gas is forced upwards through the contained solids. + + + + an instrument for measuring the rate and amount of consolidation of a soil specimen under pressure. + an instrument for measuring the rate and amount of consolidation of a soil specimen under pressure. + + + + A neckline that forms a hole bellow the collarbones. + A neckline that forms a hole bellow the collarbones. + + + + a shroud fitted on rigs with multiple spreaders. + a shroud fitted on rigs with multiple spreaders. + + + + a rod an ell long, used for official measurement. + a rod an ell long, used for official measurement. + + Edward I of England required that every town has at least one ell-wand. + + + An outdated instrument for drawing parabolas. + An outdated instrument for drawing parabolas. + + + + a blower for pneumatic grain transport. + a blower for pneumatic grain transport. + + + + + A measuring device that used Abbe's principle; used for dimensional measurements. + A measuring device that used Abbe's principle; used for dimensional measurements. + + + + A repulsor is either one of two drives located in the gauntlets of Iron Man's armor; they have been referred to as being magnetic, a blast of charged particles, and as a force beam. + A repulsor is either one of two drives located in the gauntlets of Iron Man's armor; they have been referred to as being magnetic, a blast of charged particles, and as a force beam. + + + + In the 2008 movie, the repulsors are a form of propulsion and (as hand units) steering jet, though they can be used offensively. + + + a machine that selects, merges and matches decks of punch cards. + a machine that selects, merges and matches decks of punch cards. + + + + + a mirror made via the method of making mirrors out of plate glass invented by 16th-century Venetian glassmakers, who covered the back of the glass with mercury, obtaining near-perfect and undistorted reflection. + a mirror made via the method of making mirrors out of plate glass invented by 16th-century Venetian glassmakers, who covered the back of the glass with mercury, obtaining near-perfect and undistorted reflection. + + For over one hundred years, Venetian mirrors installed in richly decorated frames served as luxury decorations for palaces throughout Europe, but the secret of the mercury process eventually arrived in London and Paris during the 17th century, due to industrial espionage. + + + a special type of milling machine used for gear cutting, cutting splines, and cutting sprockets. + a special type of milling machine used for gear cutting, cutting splines, and cutting sprockets. + + + Modern hobbing machines, also known as hobbers, are fully automated machines that come in many sizes, because they need to be able to produce anything from tiny instrument gears up to 10 ft (3.0 m) diameter marine gears. + + + a relay that maintains either contact position indefinitely without power applied to the coil. + a relay that maintains either contact position indefinitely without power applied to the coil. + + A latching relay allows remote control of building lighting without the hum that may be produced from a continuously (AC) energized coil. + + + a semiconductor diode that exhibits a sharp increase in reverse current at a well-defined reverse voltage: used as a voltage regulator + a semiconductor diode that exhibits a sharp increase in reverse current at a well-defined reverse voltage: used as a voltage regulator + + + + a solution of guaiac resin in ethanol, used to detect proteins. + a solution of guaiac resin in ethanol, used to detect proteins. + + Guaiac tincture can be used to detect blood in stool. + + + Any apparatus used to produce an encephalogram by recording electric currents generated by the brain. + Any apparatus used to produce an encephalogram by recording electric currents generated by the brain. + + + + a device used to measure mass or volumetric flow rate of a liquid or gas. + a device used to measure mass or volumetric flow rate of a liquid or gas. + + + + + a fishing line with natural or artificial baited hook trailed by a vessel near the surface or at a certain depth. + a fishing line with natural or artificial baited hook trailed by a vessel near the surface or at a certain depth. + + The trolling line is towed at a speed depending on the target species, from 2.3 knots up to at least 7 knots. + + + a graphic reproduction (as a photograph) of the image of an object formed by a microscope. + a graphic reproduction (as a photograph) of the image of an object formed by a microscope. + + Seen here is a scanning electron micrograph of yogurt, revealing bacteria that can be used to promote health. + + + A device which has the ability to accept outputted, inputted or other processed data. + A device which has the ability to accept outputted, inputted or other processed data. + + + + + a seax distinguished by a long hilt and patternwelded blade that is 50 cm or longer, often with multiple fullers and grooves. + a seax distinguished by a long hilt and patternwelded blade that is 50 cm or longer, often with multiple fullers and grooves. + + The edge of a long seax is generally straight, or curved slightly towards the tip. + + + The memory used by a single CPU or allocated to a single program or function. + The memory used by a single CPU or allocated to a single program or function. + + A processor can access its own local memory faster than non-local memory (memory which is local to another processor or shared between processors). + + + a mechanical device that turns pages of bound books and magazines automatically. + a mechanical device that turns pages of bound books and magazines automatically. + + + + a mixer in which the motor driving the rotary action is mounted in a frame or stand which bears the weight of the device. + a mixer in which the motor driving the rotary action is mounted in a frame or stand which bears the weight of the device. + + A typical home stand mixer will include a wire whisk for whipping creams and egg whites; a flat beater for mixing batters; and a dough hook for kneading. + + + an industrial machine used for manufacturing bricks. + an industrial machine used for manufacturing bricks. + + + + An acoustic waveguide is a physical structure for guiding sound waves. + An acoustic waveguide is a physical structure for guiding sound waves. + + + + an instrument for inspecting the inside of the intestine. + an instrument for inspecting the inside of the intestine. + + + + An endoscopic instrument that magnifies the epithelia of the vagina and cervix in vivo to allow direct observation and study of these tissues. + An endoscopic instrument that magnifies the epithelia of the vagina and cervix in vivo to allow direct observation and study of these tissues. + + A specialized colposcope equipped with a camera is used in examining and collecting evidence for victims of rape and sexual assault. + + + a lightweight vacuum cleaner either powered from rechargeable batteries or mains power, popular for cleaning up smaller spills. + a lightweight vacuum cleaner either powered from rechargeable batteries or mains power, popular for cleaning up smaller spills. + + Some battery-powered handheld vacuums are wet/dry rated; the appliance must be partially disassembled and cleaned after picking up wet materials, to avoid developing unpleasant odors. + + + a stove in which the air inlet control slows down the combustion. + a stove in which the air inlet control slows down the combustion. + + + + a jib between the outer jib and the fore staysail on a large square-rigged ship. + a jib between the outer jib and the fore staysail on a large square-rigged ship. + + + + An outdated mechanical device used for presenting a series of stimuli to be memorized. + An outdated mechanical device used for presenting a series of stimuli to be memorized. + + + + a machine that forms hollow plastic parts. + a machine that forms hollow plastic parts. + + The injection blow molding machine is based on an extruder barrel and screw assembly which melts the polymer. + + + An intercom system which enables someone, without opening the door, to converse with the person who has rung the doorbell. + An intercom system which enables someone, without opening the door, to converse with the person who has rung the doorbell. + + + + + the farthest forward forestay that runs from the bow or bowsprit to the top of the mast. + the farthest forward forestay that runs from the bow or bowsprit to the top of the mast. + + Running backstays support the headstay in a fractionally rigged boat. + + + Dipped-beam (also called low, passing, or meeting beam) headlamp provides a light distribution to give adequate forward and lateral illumination without dazzling other road users with excessive glare; this beam is specified for use whenever other vehicles are present ahead. + Dipped-beam (also called low, passing, or meeting beam) headlamp provides a light distribution to give adequate forward and lateral illumination without dazzling other road users with excessive glare; this beam is specified for use whenever other vehicles are present ahead. + + + + a pile hammer that uses vibrations. + a pile hammer that uses vibrations. + + Vibratory hammers can either drive in or extract a pile; extraction is commonly used to recover steel "H" piles used in temporary foundation shoring. + + + a steel prop in which yield is controlled by friction between two sliding surfaces or telescopic tubes. + a steel prop in which yield is controlled by friction between two sliding surfaces or telescopic tubes. + + + + (obsolete) that which cleanses or purifies; especially, an apparatus for removing the feculencies of juices and syrups. + (obsolete) that which cleanses or purifies; especially, an apparatus for removing the feculencies of juices and syrups. + + + + a utensil consisting of a steel tank and mixing paddles, used for preparing meat for sausages. + a utensil consisting of a steel tank and mixing paddles, used for preparing meat for sausages. + + + + molds or pans used to make baked items that come in a variety of shapes and sizes. + molds or pans used to make baked items that come in a variety of shapes and sizes. + + + + a machine that forms material (such as plastics, bottles, organics, etc.) into granules. + a machine that forms material (such as plastics, bottles, organics, etc.) into granules. + + + + A special shoe insole used to provide better support for feet, thus alleviating pain. + A special shoe insole used to provide better support for feet, thus alleviating pain. + + + + a dryer that removes moisture from a compressed air system. + a dryer that removes moisture from a compressed air system. + + Refrigeration dryers employ two heat exchangers, one for air-to-air and one for air-to-refrigeration. + + + a device that carries out carbonation. + a device that carries out carbonation. + + Detailed and simple plans to build small in-home carbonator for under $100 in parts are freely available on the internet and can produce a liter of carbonated water for less than 2 US cents. + + + trousers usually of stretch material and kept taut by a strap under the foot, worn for skiing or as a fashion garment. + trousers usually of stretch material and kept taut by a strap under the foot, worn for skiing or as a fashion garment. + + + + + a type of art which relies on moving pictures and comprises video and/or audio data. + a type of art which relies on moving pictures and comprises video and/or audio data. + + The comparison of Andrea Pozzo's illusionistic painting with today's video art aims above all at overcoming old barriers to thought and allows one to grasp the history of art as a coherent history of perception that cannot be reduced to historical classifications. + + + a type of cheese knife that produces thin, even slices, used to cut semi-hard and hard cheeses. + a type of cheese knife that produces thin, even slices, used to cut semi-hard and hard cheeses. + + A cheese slicer can be also used for slicing cold butter, zucchini, cucumber or cabbage. + + + a textile machine that is used in the finishing process to improve the appearance of fabric. + a textile machine that is used in the finishing process to improve the appearance of fabric. + + + + A ski with wheels for use on dry pavement, in the absence of snow. + A ski with wheels for use on dry pavement, in the absence of snow. + + + + a small cape that covers the shoulders and is worn predominantly by women. + a small cape that covers the shoulders and is worn predominantly by women. + + + + A scalpel used for arts and crafts. + A scalpel used for arts and crafts. + + I can't finish this sculpture without my favourite hobby knife; I know it's just a scalpel, but it brings me luck. + + + a machine tool that uses tensile forces to stretch metal. + a machine tool that uses tensile forces to stretch metal. + + The pointed/reduced end of the bar or coil, which is smaller than the die opening, is passed through the die where it enters a gripping device of the drawing machine. + + + a galley that has one bank of oars. + a galley that has one bank of oars. + + + + + a below-the-hook beam used for lifting, fitted with a number of ropes at different points along its length. + a below-the-hook beam used for lifting, fitted with a number of ropes at different points along its length. + + + + A machine used in bookbinding. + A machine used in bookbinding. + + + + + a kind of lathe having a vertical spindle and horizontal face plate, for turning and boring large work. + a kind of lathe having a vertical spindle and horizontal face plate, for turning and boring large work. + + + + mechanical system used to inject nitrous oxide to the engine in order to produce more power. + mechanical system used to inject nitrous oxide to the engine in order to produce more power. + + + + a tide gage used for measuring lake level variations. + a tide gage used for measuring lake level variations. + + + + An apparatus used in the process of flocculation. + An apparatus used in the process of flocculation. + + + + an unconventional arrangement of the tail control surfaces that replaces the traditional fin and horizontal surfaces with four surfaces set in an X-shaped configuration when viewed from the front or rear of the aircraft. + an unconventional arrangement of the tail control surfaces that replaces the traditional fin and horizontal surfaces with four surfaces set in an X-shaped configuration when viewed from the front or rear of the aircraft. + + An alternative to the fin-and-tailplane approach is provided by the V-tail and X-tail designs. + + + a printing press used for offset printing, in which the inked image is transferred (or “offset”) from a plate to a rubber blanket, then to the printing surface. + a printing press used for offset printing, in which the inked image is transferred (or “offset”) from a plate to a rubber blanket, then to the printing surface. + + Many modern offset presses use computer-to-plate systems as opposed to the older computer-to-film work flows, which further increases their quality. + + + A machine used in the treatment of cancer with the use of gamma rays from cobalt-60 radioisotopes. + A machine used in the treatment of cancer with the use of gamma rays from cobalt-60 radioisotopes. + + + Because the cobalt machines were expensive and required specialist support they were often housed in cobalt units. + + + a shroud attached near the masthead that stays the mast against athwartship loads. + a shroud attached near the masthead that stays the mast against athwartship loads. + + + + a bottle used for saturating a liquid with a gas. + a bottle used for saturating a liquid with a gas. + + + + + a telescope, with a camera attached, used to photograph the Sun. + a telescope, with a camera attached, used to photograph the Sun. + + + + A device that transmits electricity into an electric fence. + A device that transmits electricity into an electric fence. + + + + a tank truck used to haul and disperse water. + a tank truck used to haul and disperse water. + + + + extremely small print, read by a magnifying device. + extremely small print, read by a magnifying device. + + Microprint is predominantly used as an anti-counterfeiting technique due to its inability to be easily reproduced by digital methods. + + + a machine for separating grain by kernel length. + a machine for separating grain by kernel length. + + + + A type of instrument which measures the inclination of the wind to the horizontal plane. + A type of instrument which measures the inclination of the wind to the horizontal plane. + + + + A manual or electric machine, used for creasing paper documents, hard covers and other types of coverstock. + A manual or electric machine, used for creasing paper documents, hard covers and other types of coverstock. + + + + A tomogram is an X-ray image produced by tomography. + A tomogram is an X-ray image produced by tomography. + + + + a beam with an L-shaped cross-section. + a beam with an L-shaped cross-section. + + Open sections include I-beams, T-beams, L-beams, and so on. + + + an ejector that uses steam as the motive fluid to remove any non-condensible gases that may be present in the surface condenser. + an ejector that uses steam as the motive fluid to remove any non-condensible gases that may be present in the surface condenser. + + + The Venturi effect, which is a particular case of Bernoulli's principle, applies to the operation of steam jet ejectors. + + + An axial flow turbine operates in the exactly reverse of an axial flow compressor, + An axial flow turbine operates in the exactly reverse of an axial flow compressor, + + Whereas for an axial turbine the rotor is 'impacted' by the air flow, for a radial turbine, the flow is smoothly orientated at 90 degrees by the compressor towards the combustion chamber and driving the turbine in the same way water drives a watermill. + + + (mining) a conveyance used for moving workers and supplies below the surface, which is suspended from the hoist on steel wire rope. + (mining) a conveyance used for moving workers and supplies below the surface, which is suspended from the hoist on steel wire rope. + + + + Laboratory glassware refers to a variety of equipment, traditionally made of glass, used for scientific experiments and other work in science, especially in chemistry and biology laboratories. + Laboratory glassware refers to a variety of equipment, traditionally made of glass, used for scientific experiments and other work in science, especially in chemistry and biology laboratories. + + + + + a surface generated by a moving straight line with the result that through every point on the surface a line can be drawn lying wholly in the surface. + a surface generated by a moving straight line with the result that through every point on the surface a line can be drawn lying wholly in the surface. + + In algebraic geometry, ruled surfaces were originally defined as projective surfaces in projective space containing a straight line through any given point. + + + A spanish hat with wide, flat brim and flat top, usually made of black felt. + A spanish hat with wide, flat brim and flat top, usually made of black felt. + + Your look like Zorro in this bolero hat. + + + a sensor that detects anything that is conductive or has a dielectric different from that of air. + a sensor that detects anything that is conductive or has a dielectric different from that of air. + + Size and spacing of the capacitive sensor are both very important to the sensor's performance. + + + (nautical) a large locker under the cockpit seating. + (nautical) a large locker under the cockpit seating. + + + + + + a vise that can hold a workpiece at a variety of different angles (usually offers a full 90 degree adjustment). + a vise that can hold a workpiece at a variety of different angles (usually offers a full 90 degree adjustment). + + + + a cylinder coated with magnetic material, for storing computer data and programs. + a cylinder coated with magnetic material, for storing computer data and programs. + + + + + A small handheld mirror usually in a round metal or plastic case; mostly used to touch up make up outside the house. + A small handheld mirror usually in a round metal or plastic case; mostly used to touch up make up outside the house. + + I bought a new compact mirror today, it has an additional magnifying mirror and battery-powered LED lights. + + + a hand tool with polished agate tips (or other gemstone) for rubbing the gold leaf in order to obtain a highly polished surface, used in gilding. + a hand tool with polished agate tips (or other gemstone) for rubbing the gold leaf in order to obtain a highly polished surface, used in gilding. + + + + A single-edged knife or sword used by the Anglo-Saxons for fighting and hunting. + A single-edged knife or sword used by the Anglo-Saxons for fighting and hunting. + + + + an ingredient found in certain cosmetics that clogs pores. + an ingredient found in certain cosmetics that clogs pores. + + The efficiency of comedogenic ingredients is determined by one's skin type. + + + the yard of the royalmast, on which the royal is set, next above the topgallant. + the yard of the royalmast, on which the royal is set, next above the topgallant. + + Prince William's royal yards are the highest and smallest yards on the ship, are made of wood, and are "lifting yards" that can be raised along a section of the mast. + + + a yard on the lower mast of a square-rigged foremast of a ship used to support the foresail. + a yard on the lower mast of a square-rigged foremast of a ship used to support the foresail. + + + + a type of fairlead used for guiding anchor lines. + a type of fairlead used for guiding anchor lines. + + + + A type of lid or cap that can be removed by twisting it off; used in jars or glass bottles. + A type of lid or cap that can be removed by twisting it off; used in jars or glass bottles. + + + + + a die that produces a flat piece of material by cutting the desired shape in one operation. + a die that produces a flat piece of material by cutting the desired shape in one operation. + + Generally a blanking die may only cut the outside contour of a part, often used for parts with no internal features. + + + a type of portable, rotating electric heater that uses halogen elements to heat the area. + a type of portable, rotating electric heater that uses halogen elements to heat the area. + + + + a semiconductor rectifier that uses the barrier formed between a specially prepared semiconductor surface and a metal point to produce the rectifying action. + a semiconductor rectifier that uses the barrier formed between a specially prepared semiconductor surface and a metal point to produce the rectifying action. + + A point-contact diode works on the same principle as the junction diode, but its construction is simpler. + + + a machine for making shaped cuts in the end or along the edge of a board. + a machine for making shaped cuts in the end or along the edge of a board. + + + + an artificial blood vessel, used in a surgical procedure performed to redirect blood flow in a region of the body. + an artificial blood vessel, used in a surgical procedure performed to redirect blood flow in a region of the body. + + + + one of the longitudinal beams running along either side of a railway vehicle, onto which the bodywork is mounted, in passenger-carrying vehicles usually forming the side or the base of the floor. + one of the longitudinal beams running along either side of a railway vehicle, onto which the bodywork is mounted, in passenger-carrying vehicles usually forming the side or the base of the floor. + + + + a harrow that uses a series of turning spiked wheels for breaking up and smoothing out the surface of the soil. + a harrow that uses a series of turning spiked wheels for breaking up and smoothing out the surface of the soil. + + + + (mining) a machine for undercutting a coal seam. + (mining) a machine for undercutting a coal seam. + + + + a considerably big knife used for chopping or mincing meat, vegetables, etc. + a considerably big knife used for chopping or mincing meat, vegetables, etc. + + + + A cock ring made of leather and animal hair. + A cock ring made of leather and animal hair. + + + + A type of ski with a specialised ski binding that allows the skier to have the heel of the ski boot free and toe of the ski boot in the binding when using Nordic skiing techniques for ski touring and to have both the heel and the toe of the ski boot in the binding when using alpine skiing techniques to descend the mountain. + A type of ski with a specialised ski binding that allows the skier to have the heel of the ski boot free and toe of the ski boot in the binding when using Nordic skiing techniques for ski touring and to have both the heel and the toe of the ski boot in the binding when using alpine skiing techniques to descend the mountain. + + + + brick made with sand and slaked lime rather than with clay; usually a light gray or off-white color. + brick made with sand and slaked lime rather than with clay; usually a light gray or off-white color. + + The finished calcium-silicate bricks are very accurate and uniform, although the sharp arrises need careful handling to avoid damage to brick and bricklayer. + + + (mountaineering) a tool for extracting a nut, chock, etc, from a crack after use. + (mountaineering) a tool for extracting a nut, chock, etc, from a crack after use. + + + + + a machine that cuts raw dough into small portions and rolls each to obtain balls of the same weight and shape. + a machine that cuts raw dough into small portions and rolls each to obtain balls of the same weight and shape. + + + + a triangular cabinet designed to fit in a corner. + a triangular cabinet designed to fit in a corner. + + + + A thin curtain that allows light into a room but prevents people outside from seeing inside. + A thin curtain that allows light into a room but prevents people outside from seeing inside. + + + My grandma gave me these lovely net curtains, but I'm afraid my room is too modern for them. + + + an electronic device that reduces the dynamic range of an audio signal. + an electronic device that reduces the dynamic range of an audio signal. + + + The signal entering a compressor is split, one copy sent to a variable-gain amplifier and the other to a side-chain where a circuit controlled by the signal level applies the required gain to an amplifier stage. + + + a type of fortification, like a hornwork, but consisting of a full bastion with the walls on either side ending in half-bastions from which longer flank walls run back towards the main fortress. + a type of fortification, like a hornwork, but consisting of a full bastion with the walls on either side ending in half-bastions from which longer flank walls run back towards the main fortress. + + + + + The crownwork was used to extend the fortified area in a particular direction often in order to defend a bridge, prevent the enemy occupying an area of high ground, or simply strengthen the overall fortifications in the expected direction of attack. + + + a type of ship invented and used by the Vikings for trade, commerce, exploration, and warfare during the Viking Age. + a type of ship invented and used by the Vikings for trade, commerce, exploration, and warfare during the Viking Age. + + + The longships had two methods of propulsion: oars and sail. + + + Ammonal is an explosive made up of ammonium nitrate and aluminum powder. + Ammonal is an explosive made up of ammonium nitrate and aluminum powder. + + + Ammonal used for military mining purposes was generally contained within metal cans or rubberised bags to prevent moisture ingress problems. + + + Blowback is a system of operation for self-loading firearms that obtains energy from the motion of the cartridge case as it is pushed to the rear by expanding gases created by the ignition of the propellant charge. + Blowback is a system of operation for self-loading firearms that obtains energy from the motion of the cartridge case as it is pushed to the rear by expanding gases created by the ignition of the propellant charge. + + + In most actions that use blowback operation, the breech is not locked mechanically at the time of firing: the inertia of the bolt and recoil spring(s), relative to the weight of the bullet, delays opening of the breech until the bullet has left the barrel + + + an element of the trace italienne system of fortification that consists of a pair of demi-bastions. + an element of the trace italienne system of fortification that consists of a pair of demi-bastions. + + + + The hornwork was used to extend the fortified area in a particular direction to prevent the enemy occupying an area of high ground or simply strengthen the overall fortifications in the expected direction of attack. + + + an electronic device that alters how a musical instrument or other audio source sounds. + an electronic device that alters how a musical instrument or other audio source sounds. + + + Guitarists derive their signature sound or "tone" from their choice of instrument, pickups, effects units, and guitar amp. + + + a rig on a sailing vessel that consists of a foresail, such as a jib or genoa sail, that does not reach all the way to the top of the mast. + a rig on a sailing vessel that consists of a foresail, such as a jib or genoa sail, that does not reach all the way to the top of the mast. + + + Fractional rigs were introduced on race boats in order to allow more controllability of the surface of the main sail and also less drag during tacking. + + + A hydraulic motor is a mechanical actuator that converts hydraulic pressure and flow into torque and angular displacement (rotation). + A hydraulic motor is a mechanical actuator that converts hydraulic pressure and flow into torque and angular displacement (rotation). + + + + Conceptually, a hydraulic motor should be interchangeable with a hydraulic pump because it performs the opposite function - similar to the way a DC electric motor is theoretically interchangeable with a DC electrical generator. + + + An induction or asynchronous motor is an AC electric motor in which the electric current in the rotor needed to produce torque is obtained by electromagnetic induction from the magnetic field of the stator winding. + An induction or asynchronous motor is an AC electric motor in which the electric current in the rotor needed to produce torque is obtained by electromagnetic induction from the magnetic field of the stator winding. + + + + An induction motor therefore does not require mechanical commutation, separate-excitation or self-excitation for all or part of the energy transferred from stator to rotor, as in universal, DC and large synchronous motors. + + + a type of small- or medium-sized warship that carried armor in the same way as an armored cruiser: a protective belt and deck. + a type of small- or medium-sized warship that carried armor in the same way as an armored cruiser: a protective belt and deck. + + + After 1930, most naval powers concentrated on building light cruisers since they had already built up to the maximum limitations allowed under the Washington treaty. + + + a tool consisting of a number of fine abrasive slips held in a machine head, rotated and reciprocated to impart a smooth finish to cylinder bores, etc. + a tool consisting of a number of fine abrasive slips held in a machine head, rotated and reciprocated to impart a smooth finish to cylinder bores, etc. + + + + + a press in which pressure is exerted by means of a screw. + a press in which pressure is exerted by means of a screw. + + + The screw press was first invented and used by the Romans in the first century AD, primarily in wine and olive oil production. + + + a shelter for humans or domesticated animals and livestock based on a hole or depression dug into the ground; can be fully recessed into the earth, with a flat roof covered by ground, semi-recessed, with a constructed wood or sod roof standing out, or dug into a hillside. + a shelter for humans or domesticated animals and livestock based on a hole or depression dug into the ground; can be fully recessed into the earth, with a flat roof covered by ground, semi-recessed, with a constructed wood or sod roof standing out, or dug into a hillside. + + + + Dugouts are one of the most ancient types of human housing known to archeologists, and the same methods have evolved into modern "earth shelter" technology. + + + An injector, ejector, steam ejector, steam injector, eductor-jet pump or thermocompressor is a type of pump. + An injector, ejector, steam ejector, steam injector, eductor-jet pump or thermocompressor is a type of pump. + + + Depending on the specific application, an injector can take the form of an eductor-jet pump, a water eductor, a vacuum ejector, a steam-jet ejector, or an aspirator. + + + Drum memory was a magnetic data storage device invented by Gustav Tauschek in 1932 in Austria. + Drum memory was a magnetic data storage device invented by Gustav Tauschek in 1932 in Austria. + + + A drum memory contained a large metal cylinder, coated on the outside surface with a ferromagnetic recording material. + + + a part of a book, most often found with hardcover bindings, that consists of a small cord or strip of material affixed near the spine to provide structural reinforcement and sometimes decorative effect. + a part of a book, most often found with hardcover bindings, that consists of a small cord or strip of material affixed near the spine to provide structural reinforcement and sometimes decorative effect. + + + + When endbands are used for decorative purposes only they may be glued in place rather than sewn, though at a loss of reinforcing strength. + + + One of the speakers on stage pointing towards the performers to help them hear themselves. + One of the speakers on stage pointing towards the performers to help them hear themselves. + + + + + a close combat weapon in which the main fighting part of the weapon is fitted to the end of a long shaft, typically of wood, thereby extending the user's effective range. + a close combat weapon in which the main fighting part of the weapon is fitted to the end of a long shaft, typically of wood, thereby extending the user's effective range. + + + + + Because they contain relatively little metal, polearms are cheap to make, which has made them the favored weapon of peasant levies. + + + a heat exchanger which converts steam from its gaseous to its liquid state at a pressure below atmospheric pressure. + a heat exchanger which converts steam from its gaseous to its liquid state at a pressure below atmospheric pressure. + + + + In thermal power plants, the purpose of a surface condenser is to condense the exhaust steam from a steam turbine to obtain maximum efficiency, and also to convert the turbine exhaust steam into pure water (referred to as steam condensate) so that it may be reused in the steam generator or boiler as boiler feed water. + + + an electromechanical machine designed to assist in summarizing information and, later, accounting. + an electromechanical machine designed to assist in summarizing information and, later, accounting. + + + In its basic form, a tabulating machine would read one card at a time, print portions (fields) of the card on fan-fold paper, possibly rearranged, and add one or more numbers punched on the card to one or more counters, called accumulators. + + + a set of electrical and electronic elements used to handle two-way communication (street to home) in houses, apartments or villas. + a set of electrical and electronic elements used to handle two-way communication (street to home) in houses, apartments or villas. + + + The door phone is connected to a secure communication system used to control the opening of the door giving access to any kind of buildings, offices, or apartment blocks. + + + sports equipment used during rock or any other type of climbing. + sports equipment used during rock or any other type of climbing. + + + + + + + + + + A haul bag refers to a large, tough, and often unwieldy bag into which supplies and climbing equipment may be thrown. + + + The Western concert flute (also called transverse flute, C flute or Boehm flute) is a side-blown woodwind instrument made of metal or wood. + The Western concert flute (also called transverse flute, C flute or Boehm flute) is a side-blown woodwind instrument made of metal or wood. + + + The dimensions and key system of the modern western concert flute and its close relatives are almost completely the work of the great flautist, composer, acoustician and silversmith, Theobald Boehm, who patented his system in 1847. + + + a tower with pivoting shutters, also known as blades or paddles, used for conveying information by means of visual signals, read when the shutter is in a fixed position. + a tower with pivoting shutters, also known as blades or paddles, used for conveying information by means of visual signals, read when the shutter is in a fixed position. + + + + + an electronic device that increases the dynamic range of the audio signal. + an electronic device that increases the dynamic range of the audio signal. + + + Expanders are generally used to make quiet sounds even quieter by reducing the level of an audio signal that falls below a set threshold level. + + + an electro-mechanical device that converts the angular position or motion of a shaft or axle to an analog or digital code. + an electro-mechanical device that converts the angular position or motion of a shaft or axle to an analog or digital code. + + + Rotary encoders are used in many applications that require precise shaft unlimited rotation—including industrial controls, robotics, special purpose photographic lenses, computer input devices (such as optomechanical mice and trackballs), controlled stress rheometers, and rotating radar platforms. + + + an apparatus used for filtration consisting of a set of frames covered with filter cloth on both sides, between which the liquid to be filtered is pumped. + an apparatus used for filtration consisting of a set of frames covered with filter cloth on both sides, between which the liquid to be filtered is pumped. + + + The filter press is used in fixed-volume and batch operations, which means that the operation must be stopped to discharge the filter cake before the next batch can be started. + + + A kitchen appliance for deep frying; its size depends on intended use. + A kitchen appliance for deep frying; its size depends on intended use. + + + Deep fryers are used for cooking many fast foods, and making them crisp. + + + a motor vehicle designed to carry liquefied loads, dry bulk cargo or gases on roads. + a motor vehicle designed to carry liquefied loads, dry bulk cargo or gases on roads. + + + Some less visible distinctions amongst tank trucks have to do with their intended use: compliance with human food regulations, refrigeration capability, acid resistance, pressurization capability, and more. + + + A microphone that works via electromagnetic induction. + A microphone that works via electromagnetic induction. + + + + + a type of sword or dagger typical of the Germanic peoples of the Migration period and the Early Middle Ages, especially the Saxons. + a type of sword or dagger typical of the Germanic peoples of the Migration period and the Early Middle Ages, especially the Saxons. + + + + Initially, seaxes were found in combination with double-edged swords and were probably intended as side arm. + + + a light wooden ard, consisting of two body ards, with their parallel beams forming the two shafts for a single horse-drawn tillage implement with two socket shares. + a light wooden ard, consisting of two body ards, with their parallel beams forming the two shafts for a single horse-drawn tillage implement with two socket shares. + + + The sokha adapts the body ard to a single-animal harness following the pattern of a shaft-drawn cart and adds a spade-like component that turned over the soil. + + + A collar that resembles the polo neck with the soft fold at its top and the way it stands up around the neck, but both ends of the tube forming the collar are sewn to the neckline. + A collar that resembles the polo neck with the soft fold at its top and the way it stands up around the neck, but both ends of the tube forming the collar are sewn to the neckline. + + + The mock polo neck clings to the neck smoothly, is easy to manufacture, and works well with a zip closure. + + + a milling machine with automatic tool changers, tool magazines or carousels, CNC control, coolant systems, and enclosures. + a milling machine with automatic tool changers, tool magazines or carousels, CNC control, coolant systems, and enclosures. + + + After the advent of computer numerical control (CNC), milling machines evolved into machining centers, generally classified as vertical machining centers (VMCs) and horizontal machining centers (HMCs). + + + A cock ring is a ring that can be placed around a penis, usually at the base, primarily to slow the flow of blood from the erect penile tissue, thus maintaining an erection for a much longer period of time. + A cock ring is a ring that can be placed around a penis, usually at the base, primarily to slow the flow of blood from the erect penile tissue, thus maintaining an erection for a much longer period of time. + + + Cock rings can be worn around just the penis or both the penis and scrotum, or just the scrotum alone, though this is usually called a testicle cuff. + + + a historical type of personal armor made from iron or steel plates, which superseded mail during the 14th century. + a historical type of personal armor made from iron or steel plates, which superseded mail during the 14th century. + + + + + + + + + + The increasing power and availability of firearms and the nature of large, state-supported infantry led to more portions of plate armour being cast off in favour of cheaper, more mobile troops. + + + A DC motor is any of a class of electrical machines that converts direct current electrical power into mechanical power. + A DC motor is any of a class of electrical machines that converts direct current electrical power into mechanical power. + + + Nearly all types of DC motors have some internal mechanism, either electromechanical or electronic, to periodically change the direction of current flow in part of the motor. + + + A sex toy is an object or device that is primarily used to facilitate human sexual pleasure, such as a dildo or vibrator. + A sex toy is an object or device that is primarily used to facilitate human sexual pleasure, such as a dildo or vibrator. + + + + Many popular sex toys are designed to resemble human genitals and may be vibrating or non-vibrating. + + + a fortification composed of many projecting triangular bastions (usually from five to eight), specifically designed to cover each other; first seen in the mid-15th century in Italy. + a fortification composed of many projecting triangular bastions (usually from five to eight), specifically designed to cover each other; first seen in the mid-15th century in Italy. + + + + + Star forts were employed by Michelangelo in the defensive earthworks of Florence, and refined in the sixteenth century by Baldassare Peruzzi and Scamozzi. + + + an antipsychotic medication used in the treatment of schizophrenia. + an antipsychotic medication used in the treatment of schizophrenia. + + + Sertindole is not approved for use in the United States. + + + a simple light plough without a mouldboard. + a simple light plough without a mouldboard. + + + Rather than cutting and turning the soil to produce ridged furrows, the ard breaks up a narrow strip of soil and cuts a shallow furrow (or drill), leaving intervening strips undisturbed. + + + In firearms terminology, the mechanism that handles the ammunition (loads, locks, fires, and extracts the cartridges). + In firearms terminology, the mechanism that handles the ammunition (loads, locks, fires, and extracts the cartridges). + + + Actions can be categorized in several ways, including single action versus double action, break action versus bolt action, and others. + diff --git a/src/wn-noun.attribute.xml b/src/wn-noun.attribute.xml index 50e3c3d2..22754104 100644 --- a/src/wn-noun.attribute.xml +++ b/src/wn-noun.attribute.xml @@ -578,6 +578,7 @@ + @@ -976,6 +977,8 @@ + + @@ -1055,6 +1058,7 @@ + @@ -1185,6 +1189,7 @@ + @@ -1568,6 +1573,8 @@ + + @@ -2062,12 +2069,14 @@ + + - + @@ -2429,6 +2438,8 @@ + + @@ -2650,6 +2661,8 @@ + + @@ -3156,6 +3169,8 @@ + + @@ -4073,12 +4088,15 @@ + + + @@ -4145,6 +4163,8 @@ + + @@ -5600,6 +5620,7 @@ + @@ -5608,6 +5629,8 @@ + + @@ -5925,6 +5948,7 @@ + @@ -6100,6 +6124,7 @@ + @@ -6424,6 +6449,8 @@ + + @@ -6897,6 +6924,7 @@ + @@ -7465,6 +7493,8 @@ + + @@ -9179,6 +9209,8 @@ + + @@ -9349,6 +9381,8 @@ + + @@ -9460,6 +9494,8 @@ + + @@ -9971,6 +10007,7 @@ + @@ -10369,6 +10406,7 @@ + @@ -11527,6 +11565,7 @@ + @@ -11750,6 +11789,7 @@ + @@ -12312,7 +12352,7 @@ - + @@ -14753,6 +14793,7 @@ + @@ -15041,6 +15082,8 @@ + + @@ -15866,6 +15909,7 @@ + @@ -17022,6 +17066,8 @@ + + @@ -17373,6 +17419,8 @@ + + @@ -17641,6 +17689,7 @@ + @@ -18858,6 +18907,7 @@ + @@ -19559,6 +19609,7 @@ + @@ -19875,6 +19926,7 @@ + @@ -20641,6 +20693,7 @@ + @@ -20829,6 +20882,8 @@ + + @@ -21458,6 +21513,7 @@ + @@ -21760,6 +21816,8 @@ + + @@ -24114,6 +24172,7 @@ + @@ -24703,6 +24762,8 @@ + + @@ -24831,7 +24892,9 @@ - + + + @@ -25409,6 +25472,7 @@ + @@ -25864,6 +25928,7 @@ + @@ -26242,6 +26307,7 @@ + @@ -26460,6 +26526,7 @@ + @@ -26790,6 +26857,8 @@ + + @@ -27067,6 +27136,7 @@ + @@ -27295,6 +27365,7 @@ + @@ -27392,6 +27463,8 @@ + + @@ -27637,6 +27710,8 @@ + + @@ -29829,6 +29904,1167 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + the shared psychological attributes of humankind that are assumed to be shared by all human beings @@ -30919,6 +32155,7 @@ + @@ -30930,6 +32167,7 @@ the trait of merry joking + @@ -31032,6 +32270,7 @@ the trait of keeping things secret + @@ -31288,6 +32527,7 @@ the quality of being rigid and rigorously severe + @@ -31331,6 +32571,7 @@ the capability of quiet thought or contemplation + @@ -31658,6 +32899,7 @@ + @@ -31729,6 +32971,8 @@ + + @@ -31829,6 +33073,12 @@ the general appearance of a publication + + + + + + @@ -31854,6 +33104,7 @@ + "he hoped his claims would have a semblance of authenticity" "he tried to give his falsehood the gloss of moral sanction" "the situation soon took on a different color" @@ -31904,6 +33155,7 @@ + "a pleasant countenance" "a stern visage" @@ -31913,6 +33165,7 @@ + "a sad expression" "a look of triumph" "an angry face" @@ -32044,6 +33297,8 @@ the quality of having hair + + @@ -32071,6 +33326,8 @@ + + @@ -32229,6 +33486,7 @@ the power to entice or attract through personal charm + @@ -32878,6 +34136,7 @@ + "he rose through the ranks with apparent ease" "they put it into containers for ease of transportation" "the very easiness of the deed held her back" @@ -32915,6 +34174,7 @@ + "they agreed about the difficulty of the climb" @@ -32958,6 +34218,7 @@ impressive difficulty + @@ -33032,6 +34293,7 @@ compatibility in opinion and action + @@ -33218,7 +34480,6 @@ - @@ -33284,6 +34545,7 @@ + @@ -33334,6 +34596,7 @@ the quality of not being available when needed + @@ -33357,6 +34620,7 @@ the quality of providing protection + "statistical evidence for the protectiveness of vaccination" @@ -33513,6 +34777,10 @@ + + + + "the quality of mercy is not strained"--Shakespeare @@ -33596,6 +34864,9 @@ + + + @@ -33607,6 +34878,7 @@ admirable excellence + @@ -33614,6 +34886,7 @@ + "the grandness of the architecture" "impressed by the richness of the flora" @@ -33642,6 +34915,7 @@ the property of being ingenious + "a plot of great ingenuity" "the cleverness of its design" @@ -33699,6 +34973,8 @@ + + @@ -33824,6 +35100,7 @@ + @@ -33851,6 +35128,7 @@ + @@ -33914,6 +35192,7 @@ the quality of being absolute + "the absoluteness of the pope's decree could not be challenged" @@ -34039,6 +35318,7 @@ the quality of being timeless and eternal + @@ -34055,6 +35335,7 @@ the quality of being not alike; being distinct or different from that otherwise experienced or known + @@ -34272,6 +35553,7 @@ + "there are many differences between jazz and rock" @@ -34347,6 +35629,7 @@ + "a diversity of possibilities" "the range and variety of his work is amazing" @@ -34455,6 +35738,8 @@ the quality of being predictable with great confidence + + @@ -34462,6 +35747,7 @@ + "the finality of death" @@ -34476,6 +35762,7 @@ + @@ -34504,6 +35791,7 @@ the quality of being predictable + @@ -34558,6 +35846,8 @@ the quality of being vague and poorly defined + + @@ -34591,6 +35881,7 @@ the quality of being a conclusion or opinion based on supposition and conjecture rather than on fact or investigation + "her work is highly contentious because of its speculativeness and lack of supporting evidence" @@ -34625,6 +35916,7 @@ adhering to the concrete construal of something + @@ -34684,6 +35976,9 @@ the quality possessed by something that is unreal + + + @@ -34691,6 +35986,7 @@ + "the particularity of human situations" @@ -34713,6 +36009,7 @@ + "so absorbed by the movement that she lost all sense of individuality" @@ -34839,6 +36136,8 @@ + + "he was famous for the regularity of his habits" @@ -35212,6 +36511,7 @@ pleasantness resulting from agreeable conditions + "a well trained staff saw to the agreeableness of our accommodations" "he discovered the amenities of reading at an early age" @@ -35237,6 +36537,7 @@ + "the recent unpleasantness of the weather" @@ -35317,6 +36618,7 @@ the quality of being frightful + @@ -35453,6 +36755,7 @@ freedom from constraint or embarrassment + "I am never at ease with strangers" @@ -35532,6 +36835,7 @@ the quality of being attributed to power that seems to violate or go beyond natural forces + @@ -35575,6 +36879,7 @@ the quality of being noxious + @@ -35646,6 +36951,7 @@ admissibility as a consequence of being permitted + @@ -35724,6 +37030,8 @@ + + @@ -35752,6 +37060,8 @@ + + @@ -35775,6 +37085,9 @@ uncommonness by virtue of being unusual + + + @@ -35862,6 +37175,7 @@ the quality of belonging to or being connected with a certain place or region by virtue of birth or origin + @@ -35904,6 +37218,7 @@ the quality of being unoriginal + @@ -35933,6 +37248,7 @@ strict adherence to traditional methods or teachings + @@ -35957,6 +37273,7 @@ inadvertent incorrectness + @@ -36001,6 +37318,7 @@ the quality of being reproducible in amount or performance + "he handled it with the preciseness of an automaton" "note the meticulous precision of his measurements" @@ -36032,6 +37350,7 @@ the quality of lacking precision + @@ -36144,6 +37463,7 @@ unworthiness by virtue of lacking higher values + @@ -36207,6 +37527,7 @@ + @@ -36224,6 +37545,8 @@ + + @@ -36495,6 +37818,7 @@ the quality of being expressive + @@ -36574,6 +37898,8 @@ + + @@ -37025,6 +38351,7 @@ enterprising or ambitious drive + "Europeans often laugh at American energy" @@ -37193,6 +38520,7 @@ + @@ -37356,6 +38684,7 @@ + @@ -37493,6 +38822,7 @@ + "the immorality of basing the defense of the West on the threat of mutual assured destruction" @@ -37683,12 +39013,14 @@ the quality of being safe + the quality of not being safe + @@ -37776,6 +39108,7 @@ the trait of being adventurous + @@ -37882,6 +39215,7 @@ control of your emotions + "this kind of tension is not good for my nerves" @@ -37913,6 +39247,7 @@ + @@ -38063,6 +39398,7 @@ the quality of not being open or truthful; deceitful or hypocritical + @@ -38340,6 +39676,7 @@ + @@ -38387,6 +39724,7 @@ + @@ -38428,6 +39766,7 @@ + @@ -38792,6 +40131,7 @@ + "not everyone regards humility as a virtue" @@ -38876,11 +40216,14 @@ + + judgment based on observable phenomena and uninfluenced by emotions or personal prejudices + @@ -39231,6 +40574,7 @@ + @@ -39376,6 +40720,7 @@ + @@ -39421,6 +40766,7 @@ the trait of being difficult to handle or overcome + @@ -39469,6 +40815,7 @@ + @@ -39496,6 +40843,7 @@ acting in a manner that is gentle and mild and even-tempered + "his fingers have learned gentleness" "suddenly her gigantic power melted into softness for the baby" "even in the pulpit there are moments when mildness of manner is not enough" @@ -39558,6 +40906,8 @@ + + @@ -39617,6 +40967,7 @@ the manner of a rude or insensitive person + @@ -39715,6 +41066,42 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + "a study of the physical properties of atomic particles" @@ -39783,6 +41170,7 @@ + @@ -39928,6 +41316,8 @@ properties attributable to your ancestry + + "he comes from good origins" @@ -39996,11 +41386,13 @@ + the property of being out of date and not current + @@ -40036,6 +41428,7 @@ + @@ -40110,6 +41503,7 @@ the freshness and vitality characteristic of a young person + @@ -40129,6 +41523,7 @@ + "her dignified manner" "his rapid manner of talking" "their nomadic mode of existence" @@ -40149,6 +41544,16 @@ + + + + + + + + + + "an imaginative orchestral idiom" @@ -40189,6 +41594,8 @@ + + @@ -40256,6 +41663,9 @@ + + + "the architecture of a computer's system software" @@ -40306,6 +41716,7 @@ the physical composition of something (especially with respect to the size and shape of the small constituents of a substance) + "breadfruit has the same texture as bread" "sand of a fine grain" "fish with a delicate flavor and texture" @@ -40327,6 +41738,10 @@ + + + + "wool has more body than rayon" "when the dough has enough consistency it is ready to bake" @@ -40434,6 +41849,7 @@ + @@ -40519,6 +41935,7 @@ + @@ -40559,6 +41976,7 @@ + @@ -40577,6 +41995,9 @@ the quality of being impenetrable (by people or light or missiles etc.) + + + @@ -40774,6 +42195,7 @@ having a very fine texture + "the fineness of the sand on the beach" @@ -41060,6 +42482,7 @@ + "a white color is made up of many different wavelengths of light" @@ -41110,6 +42533,7 @@ the visual property of being without chromatic color + @@ -41260,6 +42684,8 @@ + + @@ -41450,6 +42876,7 @@ + @@ -41520,6 +42947,8 @@ + + "he had eyes of bright blue" @@ -41597,6 +43026,7 @@ a variable color that lies beyond blue in the spectrum + @@ -41660,6 +43090,7 @@ + @@ -41821,6 +43252,7 @@ + "her healthy coloration" @@ -41971,6 +43403,8 @@ + + @@ -42009,6 +43443,7 @@ the auditory effect characterized by loud and constant noise + @@ -42176,6 +43611,7 @@ a pitch that is perceived as above other pitches + @@ -42251,6 +43687,7 @@ + "the timbre of her soprano was rich and lovely" "the muffled tones of the broken bell summoned them to meet" @@ -42317,6 +43754,7 @@ + "the kids played their music at full volume" @@ -42369,6 +43807,7 @@ rhythm as given by division into parts of equal duration + @@ -42393,6 +43832,7 @@ + @@ -42575,6 +44015,7 @@ + @@ -42743,6 +44184,7 @@ the property of an attractively thin person + @@ -42752,11 +44194,13 @@ + the property of being taller than average stature + @@ -42825,6 +44269,7 @@ the carriage of someone whose movements and posture are extremely ungainly and inelegant + @@ -42847,6 +44292,7 @@ + @@ -42982,12 +44428,24 @@ + + + + + + + + + + a property used to characterize materials in reactions that change their identity + + @@ -43222,6 +44680,7 @@ extreme heat + @@ -43246,6 +44705,7 @@ + @@ -43309,6 +44769,7 @@ the property of being imperceptible by the mind or the senses + @@ -43403,6 +44864,7 @@ + @@ -43542,6 +45004,7 @@ the atomic weight of an element that has the same combining capacity as a given weight of another element; the standard is 8 for oxygen + @@ -43561,6 +45024,9 @@ + + + @@ -43896,6 +45362,7 @@ + @@ -43914,6 +45381,7 @@ the quality of arousing fear or distress + "he learned the seriousness of his illness" @@ -44170,6 +45638,7 @@ + @@ -44177,6 +45646,7 @@ + @@ -44270,6 +45740,8 @@ preceding in time + + @@ -44338,6 +45810,7 @@ the quality of being past + @@ -44363,6 +45836,7 @@ + "the currency of a slang term" @@ -44370,6 +45844,8 @@ the quality of being current or of the present + + "a shopping mall would instill a spirit of modernity into this village" @@ -44453,6 +45929,7 @@ + @@ -44468,6 +45945,8 @@ + + "they advertised the durability of their products" @@ -44490,6 +45969,7 @@ the property of being resistant to decay + "he advertised the imperishability of the product" @@ -44509,6 +45989,7 @@ the property of lasting only a short time + @@ -44656,6 +46137,7 @@ + "he lived at a fast pace" "he works at a great rate" "the pace of events accelerated" @@ -44680,6 +46162,7 @@ + @@ -44704,6 +46187,7 @@ overly eager speed (and possible carelessness) + "he soon regretted his haste" @@ -44818,6 +46302,7 @@ the property of being directional or maintaining a direction + "the directionality of written English is from left to right" @@ -44839,6 +46324,7 @@ + "he could barely make out their shapes" @@ -45119,6 +46605,7 @@ + @@ -45159,6 +46646,7 @@ freedom from crooks or curves or bends or angles + @@ -45287,6 +46775,7 @@ the spatial property of things that are not properly aligned + @@ -45380,6 +46869,9 @@ + + + "he assumed an attitude of surrender" @@ -45590,6 +47082,7 @@ + "the sudden closeness of the dock sent him into action" @@ -45761,6 +47254,7 @@ + "they tried to predict the magnitude of the explosion" "about the magnitude of a small pea" @@ -45859,6 +47353,7 @@ + @@ -45945,6 +47440,26 @@ + + + + + + + + + + + + + + + + + + + + "he wears a size 13 shoe" @@ -46248,6 +47763,7 @@ relatively small dimension through an object as opposed to its length or width + "the tenuity of a hair" "the thinness of a rope" @@ -46261,6 +47777,7 @@ + @@ -46333,6 +47850,7 @@ + @@ -46555,6 +48073,7 @@ + "the inadequacy of unemployment benefits" @@ -46564,6 +48083,7 @@ + "an exiguity of cloth that would only allow of miniature capes"-George Eliot @@ -46639,6 +48159,7 @@ the property of being lush and abundant and a pleasure to the senses + @@ -46715,6 +48236,7 @@ + @@ -46750,6 +48272,7 @@ a quantity much larger than is needed + @@ -47188,6 +48711,7 @@ the level of the surface of a body of water + @@ -47252,6 +48776,7 @@ the property of being of short spatial extent + "the shortness of the Channel crossing" @@ -47434,6 +48959,7 @@ + "the Shakespearean Shylock is of dubious value in the modern world" @@ -47726,6 +49252,8 @@ the quality of being productive or having the power to produce + + @@ -47759,6 +49287,8 @@ + + @@ -47935,6 +49465,7 @@ lack of physical or intellectual ability or qualifications + @@ -48324,6 +49855,7 @@ the quality of affording no gain or no benefit or no profit + @@ -48336,6 +49868,7 @@ + @@ -48343,6 +49876,7 @@ + @@ -48544,6 +50078,7 @@ the quality of being insistent + "he pressed his demand with considerable instancy" @@ -48579,6 +50114,7 @@ the quality of being unimportant and petty or frivolous + @@ -48640,6 +50176,8 @@ + + "they are endowed by their Creator with certain unalienable Rights" "Certain rights can never be granted to the government but must be kept in the hands of the people"- Eleanor Roosevelt "a right is not something that somebody gives you; it is something that nobody can take away" @@ -48732,6 +50270,7 @@ + @@ -49021,6 +50560,7 @@ + "American women got the vote in 1920" @@ -49440,6 +50980,8 @@ (law) the right and power to interpret and apply the law + + "courts having jurisdiction in this district" @@ -49505,6 +51047,7 @@ + @@ -49586,6 +51129,7 @@ + "he worked to the limits of his capability" @@ -49670,6 +51214,8 @@ + + @@ -49726,6 +51272,10 @@ + + + + @@ -49798,11 +51348,13 @@ the quality of being infinite; without bound or limit + the quality of being finite + @@ -49810,6 +51362,7 @@ + @@ -49842,6 +51395,8 @@ the quality of being comical + + @@ -50013,12 +51568,1741 @@ the quality of being deceitful + the quality of being deceitful the quality of not being accessible + the quality of not being accessible - + + + the 64-bit version of the x86 architecture + the 64-bit version of the x86 architecture + + + + + a computer architecture based on the Intel 8086 chip + a computer architecture based on the Intel 8086 chip + + + + + a measurement of a temperature difference by which an object or material resists a heat flow. + a measurement of a temperature difference by which an object or material resists a heat flow. + + + + A strong reddish brown color. + A strong reddish brown color. + + + + An articulatory or acoustic property of speech sounds. + An articulatory or acoustic property of speech sounds. + + + + + + Envelope size, 114 x 162 mm. + Envelope size, 114 x 162 mm. + + + + Envelope size, 162 x 229 mm + Envelope size, 162 x 229 mm + + + + Envelope size, 229 x 324 mm + Envelope size, 229 x 324 mm + + + + Envelope size, 324 x 458 mm + Envelope size, 324 x 458 mm + + + + Envelope size, 458 x 648 mm + Envelope size, 458 x 648 mm + + + + Envelope size, 648 x 917 mm. + Envelope size, 648 x 917 mm. + + + + Envelope size, 917 x 1297 mm. + Envelope size, 917 x 1297 mm. + + + + Paper size, 1000 x 1414 mm + Paper size, 1000 x 1414 mm + + + + Paper size, 105 x 148 mm + Paper size, 105 x 148 mm + + + + + Paper size, 125 x 176 mm. + Paper size, 125 x 176 mm. + + + + Paper size, 148 x 210 mm + Paper size, 148 x 210 mm + + + + + Paper size, 176 x 250 mm. + Paper size, 176 x 250 mm. + + + + Paper size, 210 x 297 mm + Paper size, 210 x 297 mm + + + + Paper size, 250 x 353 mm + Paper size, 250 x 353 mm + + + + Paper size, 353 x 500 mm + Paper size, 353 x 500 mm + + + + Paper size, 420 x 594 mm + Paper size, 420 x 594 mm + + + + + Paper size, 500 x 707 mm + Paper size, 500 x 707 mm + + + + Paper size, 594 x 841 mm. + Paper size, 594 x 841 mm. + + + + + Paper size, 707 x 1000 mm + Paper size, 707 x 1000 mm + + + + Paper size, 841 x 1189 mm. + Paper size, 841 x 1189 mm. + + + + Quality of having the ability to enchant; being charming, delightful. + Quality of having the ability to enchant; being charming, delightful. + + + + The characteristic appearance and behavior of people who partake in sports. + The characteristic appearance and behavior of people who partake in sports. + + + + The property of being able to turn + The property of being able to turn + + + + The property of being both untrue and harmful to a reputation. + The property of being both untrue and harmful to a reputation. + + + + The property of having an abnormal convex curvature in the cervical or lumbar regions of the spine. + The property of having an abnormal convex curvature in the cervical or lumbar regions of the spine. + + + + The property of having an aroma. + The property of having an aroma. + + + + The property of not giving trouble or anxiety. + The property of not giving trouble or anxiety. + + + + The quality of being first, earliest or original. + The quality of being first, earliest or original. + + + + The quality of being related to an empire, emperor, or empress. + The quality of being related to an empire, emperor, or empress. + + + + The quality of not posing a problem; not being difficult to overcome or solve. + The quality of not posing a problem; not being difficult to overcome or solve. + + + + The state of possessing a similar aural resonance to metal. + The state of possessing a similar aural resonance to metal. + + + + The state or characteristic of being indiscernible; inability to be observed. + The state or characteristic of being indiscernible; inability to be observed. + + + + The state or property of being very remarkable; highly extraordinary; amazing. + The state or property of being very remarkable; highly extraordinary; amazing. + + + + + The state or quality of having the attitude of a philosopher; specifically, of being calm or unflinching in the face of trouble, defeat, or loss. + The state or quality of having the attitude of a philosopher; specifically, of being calm or unflinching in the face of trouble, defeat, or loss. + + + + when a car steers less than (under) the amount commanded by the driver. + when a car steers less than (under) the amount commanded by the driver. + + + + when a car turns (steers) by more than (over) the amount commanded by the driver. + when a car turns (steers) by more than (over) the amount commanded by the driver. + + + + + The property of being fit to eat under Jewish dietary laws. + The property of being fit to eat under Jewish dietary laws. + + + + He pulled a bezant of Alexius I from his pouch, and let me inspect it for kosherness. + + + the state or quality of being Italian. + the state or quality of being Italian. + + + + (phonetics) An articulatory feature of phones, usually consonants, produced by obstructing the air passage with the tip of the tongue. + (phonetics) An articulatory feature of phones, usually consonants, produced by obstructing the air passage with the tip of the tongue. + + Concerning the phonological factors, both a coronal consonant and a long vowel as the preceding segment categorically block apicalization in monomorphemic words. + + + The quality of being free from pain, without pain or trouble. + The quality of being free from pain, without pain or trouble. + + Dr. Fry, who is present this evening, will bear witness to the painlessness of this operation. + + + The quality or state of being Portuguese. + The quality or state of being Portuguese. + + + + + state or condition of being Estonian + state or condition of being Estonian + + + + The state or condition of not being standard. + The state or condition of not being standard. + + At neither age did nonstandardness of dialect or accent cause a problem for teacher–pupil communication, so it is unlikely that it was in any direct manner a cause of the later associated lower attainment. + + + The state or condition of being Soviet + The state or condition of being Soviet + + This chapter explores the concept of Soviet spaces and Sovietness, using film as a guide. + + + The state or condition of being contagious, easily transmitted to others. + The state or condition of being contagious, easily transmitted to others. + + Without factoring in the contagiousness of a disease, we will probably underestimate the effect that curing someone with a given disease may have. + + + Property of abiding by or being obedient to the law. + Property of abiding by or being obedient to the law. + + And while we should generally want to create a culture of law-abidingness, a culture of pacifism is a recipe for national disaster. + + + The characteristic property of plants that grow during the winter, or at least remain healthy and dormant. + The characteristic property of plants that grow during the winter, or at least remain healthy and dormant. + + Either too much or too little water during the later part of the growing season can reduce the winter hardiness of nursery crops. + + + The quality or state of not being canonical, of not conforming to a general rule or common procedure. + The quality or state of not being canonical, of not conforming to a general rule or common procedure. + + This holds minor literature hostage to the revolutionary political project of the critic and subordinates its non-canonicity in requiring an attack on the canon. + + + opposition to or rejection of the Aesthetic art movement. + opposition to or rejection of the Aesthetic art movement. + + Seye's photographs of Samb's courtyard can be read as expanding the anti-aestheticism of Samb's work in several ways. + + + The quality or state of being fixed, permanent or stationary; established. + The quality or state of being fixed, permanent or stationary; established. + + + Whatever his settledness into place, Stern knows from his own history, from the Pennsylvania seasons, that there can be no settledness without the emergence into the scene of radical diversity. + + + The state or quality of consisting of or bearing fibers or filaments. + The state or quality of consisting of or bearing fibers or filaments. + + The dropping is going better than I'd anticipated due to the threadiness of the yarn. + + + the quality or state of being Turkish. + the quality or state of being Turkish. + + + + The state or quality of being Serbian. + The state or quality of being Serbian. + + The linking thread between the groups is the rejection of the EU, Nato and other western influences which could endanger 'Serbianness'. + + + The state or condition of being impossible to retract or reverse; finality. + The state or condition of being impossible to retract or reverse; finality. + + It would have to show that the irrevocability of execution is a sufficient reason to prohibit the penalty even in the absence of acceptable penalties that achieve similar deterrent and retributive effects. + + + Behavior or actions characterized by careful consideration in dealing with others, to avoid giving offense. + Behavior or actions characterized by careful consideration in dealing with others, to avoid giving offense. + + + In its opinion, the court's 6-3 majority took pains to note that they were not ruling on the wisdom or tactfulness of the governor's decision. + + + The property of having a frowning or scowling appearance. + The property of having a frowning or scowling appearance. + + "Virgil has alluded to the gloominess of his countenance in a passage which has given great disgust to the critics." + + + (law) liability to be sued. + (law) liability to be sued. + + That case, and others in this court relating to the suability of States, proceeded upon the broad ground that it is inherent in the nature of sovereignty not to be amenable to the suit of an individual without its consent. + + + The state or condition of being exemplary, serving as a shining example. + The state or condition of being exemplary, serving as a shining example. + + Not so, according to Plutarch: the exemplariness of the Lycurgan constitution was widely acknowledged amongst ancient philosophers. + + + The state or condition of pertaining to fantasy; of being fanciful or whimsical. + The state or condition of pertaining to fantasy; of being fanciful or whimsical. + + In spite of the fantasticalness of the story, I think that the events that occur would be very realistic considering how our world is today. + + + The state or condition of being without distinguishing features. + The state or condition of being without distinguishing features. + + I cannot recall in the preceding works of George Eliot anything like the featurelessness of the characters she has drawn here. + + + the state or quality of being Slavic. + the state or quality of being Slavic. + + + + the property possessed by a line or surface that is rectilinear, straight. + the property possessed by a line or surface that is rectilinear, straight. + + + + The state or condition of being lacking in musical ability. + The state or condition of being lacking in musical ability. + + It's not just that he's musically tone-deaf, but he seems to be quite deliberately plugging his metaphorical ears, as if fashioning his unmusicality to some dark design. + + + a partial dimension that constitutes the entire dimension of a given object. + a partial dimension that constitutes the entire dimension of a given object. + + + + + The state of resembling wool, in texture or shape. + The state of resembling wool, in texture or shape. + + The hair is either straight or curly, but never approaching to the woolliness of the negro. + + + The quality of being somewhat blue or having a tinge of blue. + The quality of being somewhat blue or having a tinge of blue. + + Her hair was as black as her dress; her eyes, when one saw them, seemed blacker than either, on account of the bluishness of the white surrounding the pupil. + + + The state or characteristic of having certain (often specified) limits placed upon it. + The state or characteristic of having certain (often specified) limits placed upon it. + + This fund is only for regular attendees of PCC and due to the limitedness of funds is only available for short term needs. + + + a countercultural movement that aimed to reform Victorian art and writing. + a countercultural movement that aimed to reform Victorian art and writing. + + Pre-Raphaelitism in the United States peaked in the late 1850s and 1860s, but its influence continued to reverberate. + + + The state of not being flattering, attractive or appropriate. + The state of not being flattering, attractive or appropriate. + + + Too stunned to resist, I allowed her to dress my hair, tying back the sidelocks with primrose ribbon, clucking over the unfeminine unbecomingness of my shoulder-length bob. + + + The property of containing sand. + The property of containing sand. + + The sandiness of the soil face extending into the night above and in front of us was due to the gradual pulverization of the rock by rain. + + + the height up to which liquid rises in a capillary tube. + the height up to which liquid rises in a capillary tube. + + The narrower the tube, the greater the height of capillary rise. + + + The state of coming without regularity; of being occasional or incidental. + The state of coming without regularity; of being occasional or incidental. + + This casualness and irregularity of girls' labour was not the only result of the tacit permission accorded to them to work unapprenticed. + + + The state or condition of being matchless, of having no equal. + The state or condition of being matchless, of having no equal. + + The negative opinions that the tenor received in the roles that turned him into a legend might come as a surprise, in view of all the claims of his matchlessness. + + + The quality or characteristic of being German + The quality or characteristic of being German + + + + (chemistry) The degree of structural order in a solid. + (chemistry) The degree of structural order in a solid. + + The crystallinity of drug substances and additives is one of the fundamental physicochemical properties in formulation design because it affects the pharmaceutical properties such as dissolution behavior, hygroscopicity, chemical stability and bioavailability of oral solid dosage forms. + + + The state or condition of being toothless; lack of teeth. + The state or condition of being toothless; lack of teeth. + + Inconsequentially, he conjured a vision of the dentist responsible for his toothlessness. + + + The property of resembling a farce; of being ludicrous, absurd. + The property of resembling a farce; of being ludicrous, absurd. + + Like all of my designs, it's a glorified warning, an ode to the farcicality of the fashion industry and the obsessives that surround it. + + + The quality of having a beard. + The quality of having a beard. + + In this scene, the penetrated partner's head is stretched awkwardly out on the floor—placing further emphasis on his beardedness. + + + the state or quality of being Scottish. + the state or quality of being Scottish. + + Indeed the formation of these regiments helped to unite the Highlanders and Lowlanders, and give them a shared sense of "Scottishness", by changing the image of Highlanders from being backward and savage, to being "the very embodiment of Scotland" (which became clearly evident during the Romanticist period in Scotland). + + + The state of not forming an essential or vital part. + The state of not forming an essential or vital part. + + A listening to Ginsberg's own steady rendition of this poem on The Beat Generation audio recordings points out the extraneousness of the theatrical trappings, which go so far as to drown out the words of the poem. + + + The state or quality of being unilateral; one-sidedness. + The state or quality of being unilateral; one-sidedness. + + I considered the unilaterality of the master/slave relationship. + + + The property of being poisonous or envenomed; or of having a venom-producing gland. + The property of being poisonous or envenomed; or of having a venom-producing gland. + + Black-tailed prairie dogs also adjust their antisnake behavior to apparent risk, as indicated by the size and venomousness of the snake. + + + A pale yellow-green colour, like that of the pistachio nut. + A pale yellow-green colour, like that of the pistachio nut. + + The Henlow Armchair in pistachio green is inspired by classic style, but in a contemporary colour for a modern update. + + + a state or condition of being a veteran + a state or condition of being a veteran + + + + + The property of being extremely bad, miserable, difficult or terrifying; resembling a nightmare. + The property of being extremely bad, miserable, difficult or terrifying; resembling a nightmare. + + The horror and nightmarishness of the scenario is undercut by how mundane it is. + + + the state or condition of being French. + the state or condition of being French. + + + + The quality of being eased or loosened, or of having an easy-going mood or temperament. + The quality of being eased or loosened, or of having an easy-going mood or temperament. + + "Those who did not know the captain might have been taken aback at the peculiar mixture of his accurate briefing and his relaxedness, but those who had been serving him for some time knew that it was the latter quality that he had trouble projecting." + + + Of or relating to the Jews or their culture or religion. + Of or relating to the Jews or their culture or religion. + + + + The state of being fashionable; stylishness; elegance. + The state of being fashionable; stylishness; elegance. + + I was particularly impressed by the general appearance of beauty and refinement of our country-women in Madras, and by the fashionableness of their attire. + + + The state or quality of agreeing with, or being established by, custom or common usage. + The state or quality of agreeing with, or being established by, custom or common usage. + + + The customariness of Jesus' attendance at synagogue on Sabbath days shows him to be a pious Jew. + + + Capability of being reduced from a solid to a liquid state usually by heat. + Capability of being reduced from a solid to a liquid state usually by heat. + + It was demonstrated that high homogenization pressures resulted in poor stretchability and meltability of the cheese. + + + The state of being noticeable. + The state of being noticeable. + + One of the important practical problems in the analysis of long time series of hydrological records is the evaluation of detectability of trends. + + + A basic stance used in martial arts, where the rear leg is strongly bent at the knee and the front leg is straight or slightly bent. + A basic stance used in martial arts, where the rear leg is strongly bent at the knee and the front leg is straight or slightly bent. + + There are twenty-one moves in Heian Shodan, beginning with the left downward block in the front stance and ending with the left knife-hand block in the back stance. + + + The property of being of exceptionally good quality. + The property of being of exceptionally good quality. + + York City and Chicago don't have many mountains or (usable) beaches either, and the first-rateness of their pro sports is currently debatable. + + + The property of not being restricted to a particular time or date. + The property of not being restricted to a particular time or date. + + The following column explores the timelessness of nursing theory by highlighting Florence Nightingale's and Rosemarie Parse's theoretical underpinnings related to understanding the person's perspective on health and quality of life. + + + The pigmentation of the eye's iris. + The pigmentation of the eye's iris. + + The genetics of eye color, like hair color, are still being worked out, and it's clear that several genes can modify the eventual outcome. + + + The state or quality of being of or resembling the mineral slate. + The state or quality of being of or resembling the mineral slate. + + Ascending the hill on the west I find the slatiness of the formation not much apparent except in weathering. + + + the state of tending to produce a high-pitched sound or squeak. + the state of tending to produce a high-pitched sound or squeak. + + The former nasal squeakiness and strangulated vowels of the upper classes now only emerge when he gets excited. + + + The combining of different metres simultaneously. + The combining of different metres simultaneously. + + The typical polymetry ot black music means that there are at least two, and usually more, rhythms going on alongside the listener's own beat. + + + the ability to produce milk. + the ability to produce milk. + + They are also extremely functional females which excel in fertility and milking ability. + + + The state or condition of being impossible to exhaust; of being unlimited. + The state or condition of being impossible to exhaust; of being unlimited. + + If the latter, economists must come to terms with the inexhaustibility of knowledge, the fact that using knowledge does not deplete it. + + + A physical property of gases, denoting that they expand to fill their containers. + A physical property of gases, denoting that they expand to fill their containers. + + He hoped to prove the existence of a universal ether through detailed studies of the compressiblity and expandibility of gases. + + + The quality of resembling clay, ie in thickness or consistency. + The quality of resembling clay, ie in thickness or consistency. + + And it uses clay (well, something Play Doh-like in its clayishness). + + + a sheet as printed during a pressrun and before folding. + a sheet as printed during a pressrun and before folding. + + To be honest, I don't know what the USPS is thinking when it comes to issuing uncut press sheets. + + + The state or property of being capable of being verified; confirmability. + The state or property of being capable of being verified; confirmability. + + Many difficult problems arise as regards the verifiability of beliefs. + + + The quality of being compact, sturdy, and relatively thick in build. + The quality of being compact, sturdy, and relatively thick in build. + + Make no mistake, his stockiness belies a strenuous daily exercise routine and his vision without the plain glass lenses is excellent. + + + Quality of being of, relating to, or being suitable for broadcast by television. + Quality of being of, relating to, or being suitable for broadcast by television. + + In McLuhan’s view the emergent televisuality of the time was marked by an intricate structural relationship between the new forms of media such as television and their function as social carriers of messages. + + + a system where the votes cast by those eligible to vote are not equal, but are weighed differently according to the person's rank in the census (e.g., people with high income have more votes than those with a small income). + a system where the votes cast by those eligible to vote are not equal, but are weighed differently according to the person's rank in the census (e.g., people with high income have more votes than those with a small income). + + + + The quality of being adulterous, involving sexual intercourse by a married person with someone other than their spouse. + The quality of being adulterous, involving sexual intercourse by a married person with someone other than their spouse. + + + He consequently interprets his own behaviour in sociobiological terms so that, having slept with his ex-wif Charlotte in her current marital bed, he is unnerved not by the adulterousness of the act, which is routine for him, but by the infringement of male territorial boundaries. + + + Purely speculative thoughts and attitudes. + Purely speculative thoughts and attitudes. + + This original book not only initiates such an engagement, it avoids the academicism of much political theory by demonstrating how concepts of justice actually shape public policy. + + + The quality of being scorching; extreme heat. + The quality of being scorching; extreme heat. + + Today was our first over 100 degree day for the season of scorchingness. + + + The state or condition of being motivated by private gain. + The state or condition of being motivated by private gain. + + I do not care to tell you of his prevarication, of his mercenariness, his meanness, and his sponging. + + + very steady nerves; great patience and courage. + very steady nerves; great patience and courage. + + I was scared to death, but Fred, who has nerves of steel, faced the thugs bravely. + + + The reduction of heat transfer between objects in thermal contact or in range of radiative influence. + The reduction of heat transfer between objects in thermal contact or in range of radiative influence. + + There are a number of products available which are designed to improve the thermal insulation of homes, including thermal glass such as Planitherm. + + + The quality of being curious and interested. + The quality of being curious and interested. + + The penetration and the inquisitiveness of his glance troubled me; I felt embarrassed and guilty in his presence. + + + the right of veto possessed by Roman magistrates. + the right of veto possessed by Roman magistrates. + + The intercessio was thus a supervision, exercised by closely-related magistrates, who were theoretically irresponsible during their year of office over one another's functions, for the prevention of illegal or inequitable actions; and on the part of the tribune a general supervision over all other magistracies in the interests, originally of the plebs, later of the whole community. + + + The property of being metaphorical or tropical, as opposed to literal; using figures of speech. + The property of being metaphorical or tropical, as opposed to literal; using figures of speech. + + the narrators are caught between the literality and figurativeness of suspension. + + + The quality of being professed, supposed rather than demonstrably true or real. + The quality of being professed, supposed rather than demonstrably true or real. + + They reveal the ostensibility of this systematic order, or point out that it is in fact only temporary and exists on the basis of a more fundamental instability. + + + The quality or state of being a distinguishing feature of a person or thing. + The quality or state of being a distinguishing feature of a person or thing. + + The behaviours generated in this study were rated for characteristicness of an 'ideally intelligent person' by a group of lay people (not students) and a group of experts (PhD psychologists studying intelligence). + + + The quality or state of being Polish. + The quality or state of being Polish. + + His second conclusion is that despite military feats, ethnic tolerance and constitutional advances, there is an aspect of Polishness that has, over the centuries, colluded in this oscillating fortune. + + + The state or condition of being imaginary or illusory. + The state or condition of being imaginary or illusory. + + In Real, science fiction and ghost stories intermingle in a tale whose first half has the precise visionariness of David Lynch, and whose second half develops into a specifically Japanese melancholy, as it speaks of childhood, the sea and the past. + + + The quality of giving indication of a coming ill; being an evil omen; being threatening, portentous, inauspicious. + The quality of giving indication of a coming ill; being an evil omen; being threatening, portentous, inauspicious. + + Hewitt introduces some notes of dissonance, emphasizing the ominousness of the movie's befuddled hero's situation, along with his sense of disconnection. + + + The quality of being so much better than another as to be beyond comparison. + The quality of being so much better than another as to be beyond comparison. + + Due to the incomparability of SmartMouse technology in the CAD industry, it has been a hit among users and CAD experts alike by providing a whole new UI experience. + + + The state or quality of being Australian. + The state or quality of being Australian. + + The point of departure is the notion that Australianness has been constructed as an identity caught between empires, between the old (British) empire and the new (American) empire. + + + the total weight of a product and its packaging. + the total weight of a product and its packaging. + + Now that the bottles are filled, we need to weigh them one more time to establish their gross weight. + + + The property of having many aspects or facets. + The property of having many aspects or facets. + + This paper argues for a broader understanding of complexity; an understanding that speaks to the multidimensionality of environmental problems. + + + The quality of being composed of clay. + The quality of being composed of clay. + + During periods of excess moisture, grazing needs to be restricted in many places because of the clayiness of the surface soil. + + + the quality or state of being capable of being defined, limited, or explained. + the quality or state of being capable of being defined, limited, or explained. + + This paper is devoted to the study of the relationship between regularity and definability of relations in structures presented by finite automata. + + + The quality of being related to the organization, identification, and interpretation of sensory information. + The quality of being related to the organization, identification, and interpretation of sensory information. + + If the lack of uniformity in relations is no objection to the perceptuality of visual, auditory and olfactory experiences, no objection should be raised if the relation in negative cognition is different from accepted kinds. + + + The state or quality of being contemporary, modern, of the present age. + The state or quality of being contemporary, modern, of the present age. + + Most obvious, perhaps, is the contemporariness of her language, for example, when wishing to instil organisational members with "a feel for the modern 1990s arm of brewing." + + + an excess of exports over imports. + an excess of exports over imports. + + Annual trade surpluses are immediate and direct additions to their nations’ GDPs. + + + The state of being made of or bearing wool. + The state of being made of or bearing wool. + + Some oats are given to the rams during the season of copulation; and the French think that a great deal of the size and woollinessof the offspring depends on the vigour of the ram, rather than the ewe. + + + The quality of being of or relating to the Middle Ages, perhaps circa 500 to circa 1500 CE. + The quality of being of or relating to the Middle Ages, perhaps circa 500 to circa 1500 CE. + + Also the increased archaeological interest in modernity has made the issue of medievality topical, since modernisation implies a certain conception of pre-modernity. + + + The quality of involving entry into the living body (as by incision or by insertion of an instrument). + The quality of involving entry into the living body (as by incision or by insertion of an instrument). + + Surgeons have traditionally performed this surgery using a conventional open incision into the chest wall or abdomen but today are increasingly offering the operation as a laparoscopic procedure that lessens the invasiveness of the surgery. + + + Quality of a person who is given to making importunate demands, being greedily or thoughtlessly demanding. + Quality of a person who is given to making importunate demands, being greedily or thoughtlessly demanding. + + This situation might explain why Lilburne, in spite of his harsh language and challenges to the court's authority, not to mention his importunateness, was not cited for contempt. + + + The state or quality of being full of suggestions, of stimulating thought. + The state or quality of being full of suggestions, of stimulating thought. + + I can never bring you to realize the importance of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang from a boot-lace. + + + The quality of being rare and scattered in occurrence. + The quality of being rare and scattered in occurrence. + + The sporadicalness of the collections meant that one master could not rely on an overlap to coordinate a takeover. + + + A lifestyle or pattern of behavior characterized by self-indulgence and lack of restraint, especially one involving sexual promiscuity and rejection of religious or other moral authority. + A lifestyle or pattern of behavior characterized by self-indulgence and lack of restraint, especially one involving sexual promiscuity and rejection of religious or other moral authority. + + Only on college campuses do remnants of libertinism linger. That worries public-health officials, who are witnessing an explosion of sexually transmitted diseases. + + + The property of being related to short accounts of real incidents or persons, often humorous or interesting. + The property of being related to short accounts of real incidents or persons, often humorous or interesting. + + + Court studies, on the other hand, has only recently emerged as a reputable field, divested of the anecdotalism and lack of analytical rigour that had long characterized the subject. + + + a state or quality of being cosmopolitan + a state or quality of being cosmopolitan + + This working definition of cosmopolitanity is confirmed by the academic discussion of the term which has emerged from a background of long debates + + + (mathematics) The state or quality of relating to, or being an injection: such that each element of the image (or range) is associated with at most one element of the preimage (or domain). + (mathematics) The state or quality of relating to, or being an injection: such that each element of the image (or range) is associated with at most one element of the preimage (or domain). + + The basic problems of decomposition theory are to formulate necessary and sufficient conditions for injectiveness and to find out about the reconstruction map. + + + The characteristic of being resistant of control, stubborn. + The characteristic of being resistant of control, stubborn. + + Also none of the studies reviewed gave information on the prevalence of aggression and restiveness of the youths in Anambra State. + + + The legal right to stand for election. + The legal right to stand for election. + + The condition of previous political experience enhances the exclusiveness of the intra-party competition and limits the right to candidacy to a group of politically active members; thus, the competition is closed off to other interested parties, for example, party newcomers or sympathisers. + + + art or architecture based on study of 17th century baroque. + art or architecture based on study of 17th century baroque. + + Like camp, the neo-baroque of Bartlem's artists address the body as a site of performance and tangible sensation. + + + the commercial size of coal, as broken and sorted by the coal braker. + the commercial size of coal, as broken and sorted by the coal braker. + + The fuel would move over sorting bars, with the various sizes of coal going down different chutes. + + + The state or quality of being outmoded or discredited by reason of age, of being out of style or fashion. + The state or quality of being outmoded or discredited by reason of age, of being out of style or fashion. + + Where these customs still exist they are practically symbolic for the antiquatedness of religion. + + + The state, quality or manner of conforming to accepted standards of conduct. + The state, quality or manner of conforming to accepted standards of conduct. + + Instead, he helped to establish such guidelines and found himself in deep reflection about the ethicality of his own research. + + + the number of bits that are conveyed or processed per unit of time. + the number of bits that are conveyed or processed per unit of time. + + If the bandwidth available to the network is less than the bit rate of the ASF file, the playback of the file will be interrupted in some way. + + + the quality or state of being marked with spots. + the quality or state of being marked with spots. + + They are often mistaken for leopards because of rough similarity in size and spottedness. + + + The quality of extreme rapidity. + The quality of extreme rapidity. + + Before they can make a second attempt, however, Allen is again struck by lightning, which causes him to regain his super-speed. + + + a late 19th-century movement in French painting that sought to improve on impressionism through a systematic approach to form and color, particularly using pointillist technique. + a late 19th-century movement in French painting that sought to improve on impressionism through a systematic approach to form and color, particularly using pointillist technique. + + The neo-impressionism of Maximilien Luce and his supporter Robert Bernier, for instance, must be distinguished from that of Seurat and his champion Gustave Kahn, a difference that can be coded especially, but not exclusively, along lines of class and audience. + + + a state or condition of being Silesian. + a state or condition of being Silesian. + + + + Ungraspability by or inapprehensibility to the mind. + Ungraspability by or inapprehensibility to the mind. + + The nebulous impalpability of ideas and trends was preferred at all times to the brute empiricism of humanity. + + + The characteristic of being intoxicating or stupefying. + The characteristic of being intoxicating or stupefying. + + Wine novices intimidated by the headiness of Napa and Sonoma will feel comfortable at nearly every Oregon winery. + + + The quality or state of having the characteristics of dough, especially in appearance or consistency. + The quality or state of having the characteristics of dough, especially in appearance or consistency. + + It had the crunchiness of fried chicken, balanced by the doughiness of baked croissants that have just come out of the oven. + + + The quality of not being good enough to compete successfully with others. + The quality of not being good enough to compete successfully with others. + + In the separating equilibrium, the domestic government signals the uncompetitiveness of the domestic firm by setting a lower tariff than is optimal under complete information. + + + (of sound) The state or characteristic of being rough or raw, especially used to describe vocal quality. + (of sound) The state or characteristic of being rough or raw, especially used to describe vocal quality. + + The thing about Janis Joplin was that for all her raspiness, she had power and expressiveness. + + + Quality of being spectral or ghostly. + Quality of being spectral or ghostly. + + "Seen in this light, it is the spectrality of the figure, the fact that it’s neither (completely) here nor there, that keeps the figure alive – or, more precisely, undead – never quite exhausted by a single, definitive instantiation but always at least potentially available for yet another serial iteration." + + + the state or quality of being Argentine. + the state or quality of being Argentine. + + + + The state or condition of having meaning, relevance or force. + The state or condition of having meaning, relevance or force. + + For the same reason, we should reject the earlier argument against the pointfulness of retrospective prayer. + + + The position of the human body, standing erect, with the face directed anteriorly, the upper limbs at the sides and the palms turned anteriorly (supinated), and the feet pointed anteriorly; used as the position of reference in description of site or direction of various structures or parts as established in official anatomical nomenclature. + The position of the human body, standing erect, with the face directed anteriorly, the upper limbs at the sides and the palms turned anteriorly (supinated), and the feet pointed anteriorly; used as the position of reference in description of site or direction of various structures or parts as established in official anatomical nomenclature. + + For the purpose of universal comparison, there is a standard position - the anatomical position - that the patient or cadaver theoretically has assumed. + + + The state or quality of one who begs or implores. + The state or quality of one who begs or implores. + + The extreme and plaintive beseechingness of Irving's address to the Ghost is the distinctive novelty of his reading. + + + the quality or state of not being removable. + the quality or state of not being removable. + + Bourgeois ideologists assert that the irremovability of judges ensures their independence in deciding court cases. + + + The state or quality of being Latvian. + The state or quality of being Latvian. + + + + + The property of lacking substance or strength. + The property of lacking substance or strength. + + Perhaps because he recognized the thinness of this critique, the language about lack of theory that appeared in the dissertation was replaced in the book by a more modest critique that PWD lacked adequate conceptual definitions. + + + the quality of being immeasurable. + the quality of being immeasurable. + + The immeasurability of what the brain is capable of amazes us. + + + the principles, practices or characteristics of aristocracy. + the principles, practices or characteristics of aristocracy. + + This design is absolutely stunning and carries the spirit of aristocratism. + + + The state or quality of being Icelandic. + The state or quality of being Icelandic. + + + + + The property of being very extreme, unreasonable, or fanatical in opinion; excessively zealous; comparable to one with rabies. + The property of being very extreme, unreasonable, or fanatical in opinion; excessively zealous; comparable to one with rabies. + + Ten years since Joss Whedon’s western-in-space cult classic Firefly went off the air, the rabidity of its fandom, better known as the Browncoats, hasn’t waned at all. + + + (US, slang) The property of being original, offbeat, unconventional or eccentric. + (US, slang) The property of being original, offbeat, unconventional or eccentric. + + We carry a variety of clothing lines for both an active and casual lifestyle, with a pinch of funkiness thrown in! + + + The quality of being subject to or ascertainable by calculation. + The quality of being subject to or ascertainable by calculation. + + + The enhanced calculability of the production process is also buttressed by that in non-economic spheres such as law and administration. + + + The representation of form or figure in art. + The representation of form or figure in art. + + "To balance between these two aspects of the ad, the figurativeness of the visual image can play a role." + + + The state of being able to be dismissed from office. + The state of being able to be dismissed from office. + + The "democratic revolution" emphasized the delegation of authority and the removability of officials, precisely because, as we shall see, neither delegation nor removability were much recognized in actual institutions. + + + The condition of being incapable of being alienated, surrendered, or transferred to another. + The condition of being incapable of being alienated, surrendered, or transferred to another. + + The 1965 Constitution consecrated the republican form of the state, its sovereignty and independence, the indivisibility and inalienability of the territory. + + + The property of being of partial or questionable legality. + The property of being of partial or questionable legality. + + Farmers who are allowed by the provincial administration to live in semi-legality in the forest reserves are even more vulnerable to the arbitrary exercise of government power. + + + The amount of water absorbed by a composite material when immersed in water for a stipulated period of time. + The amount of water absorbed by a composite material when immersed in water for a stipulated period of time. + + Comparison of the water absorption of various plastics is only possible if the test specimens are of identical dimensions and in the same physical state. + + + the quality or state of being in the style or fashion of former times. + the quality or state of being in the style or fashion of former times. + + We may discover something venerable in the antiqueness of the work. + + + The quality of being introducing; of giving a preview or idea of. + The quality of being introducing; of giving a preview or idea of. + + Instead this sequel redoubled the already marked introductoriness of its predecessor, introducing it in turn by subjecting it to preliminary interrogation. + + + The property of resembling or being characteristic of a devil. + The property of resembling or being characteristic of a devil. + + The devilishness of his smile then faded to one more of shyness as he spoke further. + + + Ease; lack of difficulty. + Ease; lack of difficulty. + + Half the songs advocate the painlessness of casual romance. + + + Difference, distinction; failure to be identical. + Difference, distinction; failure to be identical. + + No scientific examiner would select only chance variations to establish nonidentity of two specimens when the fundamental points of identification stamp them as originating at a single source. + + + (acoustics) A material, structure or object absorbing sound energy when sound waves collide with it, as opposed to reflecting the energy. + (acoustics) A material, structure or object absorbing sound energy when sound waves collide with it, as opposed to reflecting the energy. + + The acoustic absorption of the Alpha Cabin itself is very low and the design ensures a high level of sound insulation to keep the background noise level very low in the frequency range of interest. + + + The state of not being best, most favourable or desirable. + The state of not being best, most favourable or desirable. + + + The level of nonoptimality is defined as the ratio of the filtering performances for the simplified and optimal estimators. + + + The state or quality of showing composure. + The state or quality of showing composure. + + I might further add as a mantissa to this present argument, the tranquillity and composedness of a good man's spirit in reference to all external molestations. + + + The quality of tending to spread; especially of tending to invade healthy tissue. + The quality of tending to spread; especially of tending to invade healthy tissue. + + Our results provide support for within-host evolution as one but not the sole explanation for the invasiveness of these bacteria. + + + The property of being of doubtful authenticity, of lacking authority, or of not being regarded as canonical. + The property of being of doubtful authenticity, of lacking authority, or of not being regarded as canonical. + + The ultimate sources of these English-Celtic legends are of two kinds: (1) the old Greek-Roman mythology; (2) the Jewish-Christian Bible legends, of various degrees of apocryphalness. + + + The state or quality of not following rules of grammar. + The state or quality of not following rules of grammar. + + Though the ungrammaticality of split verbs is an urban legend, it found its way into The Texas Law Review Manual on Style, which is the arbiter of usage for many law review journals. + + + The state of eating both animal and plant matter. + The state of eating both animal and plant matter. + + They are not the only creatures that will resort to this, but it is certainly their omnivorousness that makes them such an amazing trash patrol. + + + The quality of relating to or furnishing a future prospect. + The quality of relating to or furnishing a future prospect. + + The well was intended to determine the prospectiveness of the eastern flank of the Kevin Dome and the information will be included in our revised geological model, which will determine our future geographic area of interest. + + + The property of being the same height at all places; parallel to a flat ground. + The property of being the same height at all places; parallel to a flat ground. + + The inspector checked the levelness of the floor before approving the work. + + + The quality or state of being impossible, or very difficult to describe. + The quality or state of being impossible, or very difficult to describe. + + Here, humility and prayer are connected directly to Evagrius' apophatic reflection and are subsumed in the indescribability of God's being. + + + The condition of not being able to be compared. + The condition of not being able to be compared. + + + The aim is to produce a complete result which is satisfactory to the decision maker, through the reduction of the cases of incomparability between alternatives. + + + a brownish orange color that resembles Terra cotta. + a brownish orange color that resembles Terra cotta. + + The bricks are made from recycled materials, which finished in terra cotta-colored paint evokes the ambience of an ancient village. + + + The state or condition of being opposed to religion. + The state or condition of being opposed to religion. + + It is true, too, that any neat division between religious and secular comedy would seem threatened by the apparent antireligiousness of writers like Erasmus and Rabelais. + + + The state or quality of being suggestive or characteristic of winter; cold, stormy. + The state or quality of being suggestive or characteristic of winter; cold, stormy. + + The wintriness of the day got us into the mood for a snow fight. + + + The property of being being sealed in such a way that steam cannot leak out. + The property of being being sealed in such a way that steam cannot leak out. + + The turbine steam joints are carefully made up and factory tested under pressure, to ensure steam tightness. + + + the condition of a bicycle wheel being improperly adjusted. + the condition of a bicycle wheel being improperly adjusted. + + + Spoke misalignment causes the wheel to wobble side to side often touching the brake pads. + + + The quality or characteristic of being Russian. + The quality or characteristic of being Russian. + + + + + The state or condition of being Greek. + The state or condition of being Greek. + + + + The state or condition of resembling flour, of being a fine soft powder. + The state or condition of resembling flour, of being a fine soft powder. + + From this the alumina is precipitated and then calcinated; it is during these later stages that the sandiness or flouriness of the alumina is determined. + + + The quality of being sporadic, happening infrequently and irregularly. + The quality of being sporadic, happening infrequently and irregularly. + + Long-term episodicity of geological activity, i.e. variations of intensity or style with time but not necessarily to any particular periodicity, has been proposed for many processes, including aspects of magmatism and tectonism. + + + A variation of the Harvard computer architecture that allows the contents of the instruction memory to be accessed as if it were data. + A variation of the Harvard computer architecture that allows the contents of the instruction memory to be accessed as if it were data. + + Most modern computers that are documented as Harvard architecture are, in fact, Modified Harvard architecture. + + + (chemistry) the weight of an element or compound that will combine with or displace 8 grams of oxygen or 1.007 97 grams of hydrogen; the atomic weight divided by the valence. + (chemistry) the weight of an element or compound that will combine with or displace 8 grams of oxygen or 1.007 97 grams of hydrogen; the atomic weight divided by the valence. + + + + A renewal of youthful characteristics or vitality. + A renewal of youthful characteristics or vitality. + + the newly discovered oil deposits have led to a rejuvenescence of the nation's economy + + + The condition of being so tightly made that water cannot enter or escape. + The condition of being so tightly made that water cannot enter or escape. + + + When discussing watertightness of concrete, we must consider the two P's: porosity and permeability. + + + The state or condition of being wireless; lack of wires or cables. + The state or condition of being wireless; lack of wires or cables. + + This map is a telling reminder of the fact that despite the seeming wirelessness of global communications, there are material wires somewhere. + + + cadastral value of a property is the value of the land and the buildings there; serves as a basis for the estimation of incurring taxes. + cadastral value of a property is the value of the land and the buildings there; serves as a basis for the estimation of incurring taxes. + + + + The state or quality of behaving like a troublemaker, often violent; like a rude violent person; like a yob. + The state or quality of behaving like a troublemaker, often violent; like a rude violent person; like a yob. + + True, this is hardly the drink to inspire “Girls Gone Wild” loutishness. + + + The quality of being somewhat red. + The quality of being somewhat red. + + Embrace the reddishness of Marsala and pair it with greens and golds for holiday wrapping, cards, or other gifts. + + + The state or quality of being zigzagged or alternating directions sharply. + The state or quality of being zigzagged or alternating directions sharply. + + An aerial photograph revealed the zigzaggedness of the mountain road. + + + The quality of resembling a swine; being gluttonous, coarse, debased. + The quality of resembling a swine; being gluttonous, coarse, debased. + + He stuck to it that the Russian peasant is a swine and likes swinishness, and that to get him out of his swinishness one must have authority, and there is none; one must have the stick, and we have become so liberal that we have all of and a sudden replaced the stick that served us for a thousand years by lawyers and model prisons, where the worthless, stinking peasant is fed on good soup and has a fixed allowance of cubic feet of air. + + + The status of being unconstitutional; of not being in accord with the provisions of the appropriate constitution. + The status of being unconstitutional; of not being in accord with the provisions of the appropriate constitution. + + + On April 2013 the Court released two decisions about the unconstitutionality of certain provisions of the Acts of Madrid and Navarre. + + + an effort or action having very little overall influence, especially as compared to a huge problem. + an effort or action having very little overall influence, especially as compared to a huge problem. + + A $100 donation from an individual is generous, but it is a drop in the bucket compared to the $500,000 fundraising goal. + + + The state of being common or repeated to the point of being unnoticed or annoying. + The state of being common or repeated to the point of being unnoticed or annoying. + + + A nearly perfect cast more than compensates for the overfamiliarity of the umpteenth coming-of-age drama to roll out of Indiewood. + + + a state or quality of being English. + a state or quality of being English. + + + + The quality of not being able to be precisely defined or put into words. + The quality of not being able to be precisely defined or put into words. + + + It discusses the indefinability of death in terms of a not entirely clear gloss that death is neither definable through equality nor through inequality. + + + The characteristic of being stubborn or wilful. + The characteristic of being stubborn or wilful. + + His hardheadedness in refusing to accept on faith the deliverances even of psychologists such as Munsterberg on the nature of testimony has become classic. + + + the abstract capability of being programmable. + the abstract capability of being programmable. + + + + The state of being the smallest possible amount, quantity, or degree. + The state of being the smallest possible amount, quantity, or degree. + + We will discount our fees considering the minimality of MEP work involved in the building. + + + A shade of medium-to-light blue containing relatively little green compared to blue. + A shade of medium-to-light blue containing relatively little green compared to blue. + + Her suit ties in bows of self-fabric on the shoulder, and a circular skirt buttons on with straw flowers of cornflower blue. + + + A low starting position in competitive running, generally used for short-distance sprints. + A low starting position in competitive running, generally used for short-distance sprints. + + The two main variations are the standing and the crouch start which are used for middle or long distance events and sprints respectively. + + + The condition of being unable to fly, usually used with birds such as the penguin, ostrich, and emu. + The condition of being unable to fly, usually used with birds such as the penguin, ostrich, and emu. + + The added bonus for the Galapagos cormorant was that there were no predators on the islands to counter the effect of flightlessness. + + + The quality of causing or tending to cause ruin. + The quality of causing or tending to cause ruin. + + The masses had not as yet formed such an idea of the ruinousness of the policy of the administration as to seriously threaten the power of the Republicans. + + + Capability of being taken in and utilized as nourishment. + Capability of being taken in and utilized as nourishment. + + The assimilability of animal food was 1.5–1.6 times greater than that of plant food. + + + The quality or state of being momentously heroic, grand in scale or character. + The quality or state of being momentously heroic, grand in scale or character. + + We were both super passionate about Moby Dick, and we loved the idea of bringing the epicness of Melville’s work into something that you could hold and interact with. + + + The way of life of people who, having no fixed home, move around seasonally in search of food, water and grazing etc. + The way of life of people who, having no fixed home, move around seasonally in search of food, water and grazing etc. + + Pastoral nomadism is a livelihood form that is ecologically adjusted at a particular level to the utilization of marginal resources. + + + The characteristic of providing insecure footing or support; of being marked by hidden dangers, hazards, or perils. + The characteristic of providing insecure footing or support; of being marked by hidden dangers, hazards, or perils. + + We were hoping the treacherousness of the road to the trailhead would discourage others but the trail was already packed with many groups of hikers coming and going. + + + The state or condition of being from a nearby location. + The state or condition of being from a nearby location. + + + What the poet manifests in these poems is his localness, rootedness, his knowing of a particular place, his self-conscious relation to the place. + + + the quality of being illiquid; a lack of liquidity; difficulty in selling out an asset. + the quality of being illiquid; a lack of liquidity; difficulty in selling out an asset. + + The risk of illiquidity need not apply only to individual investments: whole portfolios are subject to market risk. + + + (biometrics, forensics) Any of the major features of a fingerprint that allow prints to be compared. + (biometrics, forensics) Any of the major features of a fingerprint that allow prints to be compared. + + The major minutia features of fingerprint ridges are ridge ending, bifurcation, and short ridge (or dot. + + + The characteristic or quality of being very beautiful. + The characteristic or quality of being very beautiful. + + Years later, Kazuko's mother gave her the real story: enraptured by her gorgeousness, the young man had asked Kazuko's mother to leave her father. + + + The quality of being difficult to delete, remove, wash away, blot out, or efface. + The quality of being difficult to delete, remove, wash away, blot out, or efface. + + His main subject is the transient and throwaway nature of contemporary culture, which is held in stark contrast to the permanence and indelibility of oil paint on canvas. + + + The state or condition of not being toxic or poisonous. + The state or condition of not being toxic or poisonous. + + + The nontoxicity of AlSO4 has also been indicated by soil culture experiments. + + + The state or condition of being beyond what is possible for a human being. + The state or condition of being beyond what is possible for a human being. + + I cannot account for Shakspeare's low estimate of his own writings, except from the sublimity, the superhumanity, of his genius. + + + The state or condition of being very loud, suggestive of thunder; booming loudness. + The state or condition of being very loud, suggestive of thunder; booming loudness. + + The thunderousness of the teacher's voice left the class in no doubt that they were in trouble. + + + Of a garment, the property of being very small, light, or revealing. + Of a garment, the property of being very small, light, or revealing. + + She cared only for brightness of colour, ease of fit, and a brevity and skimpiness of skirt absolutely astounding in these days of crinolines and trains. + + + The quality or state of being tenacious, energetic, spunky. + The quality or state of being tenacious, energetic, spunky. + + + Sarabi was the smallest of the litter but made up for her lack of size by her feistiness! + + + Quality of velvet: velvety appearance, feeling, or taste. + Quality of velvet: velvety appearance, feeling, or taste. + + It was thin and looked as if it would focus special attention to the velvetiness of her skin. + + + Mysteriousness, complexity; the property of being puzzling or inexplicable. + Mysteriousness, complexity; the property of being puzzling or inexplicable. + + + I was overwhelmed by the enigmaticness and overall feeling of falling into an abyss of comforting silhouette dreamscapes. + + + The state or quality of causing or tending to wear away or erode. + The state or quality of causing or tending to wear away or erode. + + The erosiveness of rainfall is proportional to the energy of the falling drops and is influenced by the total amount of rain, the size of the drops, and their velocity of fall. + + + The quality of a person of puzzling, secretive or contradictory character. + The quality of a person of puzzling, secretive or contradictory character. + + + She conveys Jesus's magnetism and charm, as well as how his enigmaticness must have stymied those closest to him. + + + The state of being slender and long of limb, lanky. + The state of being slender and long of limb, lanky. + + + Billy was tall, but his ranginess indicated a weight which could be easily handled. + + + The fact of being unattainable, of not being able to be reached or acquired. + The fact of being unattainable, of not being able to be reached or acquired. + + A rack of Balmain brings a mind-bending new unattainability to your wardrobe with tumescent shoulder pads (a motorcycle jacket, $8,915) and motocross-style jeans weighing in at an unforgivable $2,915. + + + a style of painting and sculpture produced under the influence of European academies of art. + a style of painting and sculpture produced under the influence of European academies of art. + + The setting and treatment of the subject here are typical of his artistic approach, which lies between the idealized academicism of Bouguereau and the social realism of Daumier. + + + The behaviour of a stickler; inflexible adherence to rules. + The behaviour of a stickler; inflexible adherence to rules. + + + “We, the intellectually curious, may soon find ourselves trapped in a pen, fenced in by rule-bound sticklerism and overzealous concern for our personal safety, unless we exercise our civil liberties and our curiosity,” he declaims. + + + The state or quality of being allegorical. + The state or quality of being allegorical. + + Without intending to, Slocum wrote an allegory of human aloneness, and the allegoricalness of his book has made it one of the classic personal records. + + + transitional period between Neoclassicism and Romanticism as it was interpreted by the bourgeoisie, particularly in Germany, Austria, northern Italy, and the Scandinavian countries. + transitional period between Neoclassicism and Romanticism as it was interpreted by the bourgeoisie, particularly in Germany, Austria, northern Italy, and the Scandinavian countries. + + In general, the Biedermeier style offered visual evidence of the conflict of ideas between Classicism and Romanticism that continued during the first half of the 19th century. + + + the property of occuring regularly at equal time intervals, of maintaining a constant period or interval, despite variations in other measurable factors in the same system. + the property of occuring regularly at equal time intervals, of maintaining a constant period or interval, despite variations in other measurable factors in the same system. + + Galileo's discovery was that the period of swing of a pendulum is independent of its amplitude--the arc of the swing--the isochronism of the pendulum. + + + The state of being roundabout, indirect or not to the point. + The state of being roundabout, indirect or not to the point. + + This, my learned namesake suggests, demonstrates the circuitousness of football arguments. + + + The condition of relating to fluids, especially to the pressure that they exert or transmit. + The condition of relating to fluids, especially to the pressure that they exert or transmit. + + The structure of the high-pressure phase differs completely, depending on the hydrostaticity of applied pressure. + + + The property of being full of lumps, not being smooth. + The property of being full of lumps, not being smooth. + + "the surface is distinctive in its lumpiness, random striations, and generally uneven texture." + + + the quality or characteristic of being American. + the quality or characteristic of being American. + + + + the weight of a product (especially food) without the weight of its packaging. + the weight of a product (especially food) without the weight of its packaging. + + + + All those things, such as regular food and water, needed to sustain physical life. + All those things, such as regular food and water, needed to sustain physical life. + + He earns his daily bread as a tourist guide. + + + the weight per unit volume of a material. + the weight per unit volume of a material. + + Unlike density, specific weight is not absolute; it depends upon the gravitational acceleration, the temperature of the material and even pressure. + + + cultural movement in Europe from about the 1740s onward that preceded and presaged the artistic movement known as Romanticism. + cultural movement in Europe from about the 1740s onward that preceded and presaged the artistic movement known as Romanticism. + + The Age of Neoclassicism was followed by a transitional period also known as Pre-Romanticism. + + + the property of having or showing sound judgment. + the property of having or showing sound judgment. + + It is a tribute to her levelheadedness and strength that despite the most bizarre life imaginable after her childhood, she remained intact, true to herself. + + + the main school of painting and sculpture practiced by the Russian Futurists. + the main school of painting and sculpture practiced by the Russian Futurists. + + Neo-primitivisrn was followed first by Cubo-Futurism and then by Rayonsim. + + + the state of being imitating, copying, or unoriginal. + the state of being imitating, copying, or unoriginal. + + The imitativeness of the young child is so great that he will repeat in almost every detail all the actions of his nurse as she carries out the daily routine. + + + Gentlemanly behaviour, characteristics of or pertaining to being a gentleman. + Gentlemanly behaviour, characteristics of or pertaining to being a gentleman. + + The trauma and loss of young male lives during World War I destabilized the ideals of imperial gentlemanliness and the nation. + + + The quality or state of being absolute; of being without conditions, limitations, reservations or qualifications. + The quality or state of being absolute; of being without conditions, limitations, reservations or qualifications. + + Given the difficulty of gradualism in highly polarized polities, the better path is to qualify the unconditionality of the grant. + + + The state or quality of being sexy, of possessing the traits of sexual appeal. + The state or quality of being sexy, of possessing the traits of sexual appeal. + + She has wet hair, a pouty look on her face, and an exposed body that reminds a viewer of her sexiness. + + + The property of being full of difficulties, complexities, or controversial points. + The property of being full of difficulties, complexities, or controversial points. + + And, given the thorniness of the issues on the table, a work stoppage at all West Coast ports is not to be ruled out. + + + The quality of being clever, amusingly ingenious. + The quality of being clever, amusingly ingenious. + + And the result would be that he would kill the wittiness of the lines by burlesque. + + + an art style in late 16th century Europe characterized by spatial incongruity and excessive elongation of the human figures. + an art style in late 16th century Europe characterized by spatial incongruity and excessive elongation of the human figures. + + Mannerism favors compositional tension and instability rather than the balance and clarity of earlier Renaissance painting. + + + property of being marked by full detail, complete in all respects. + property of being marked by full detail, complete in all respects. + + Seitz had never heard of Wertham, but he recalls being struck by the precision and thoroughness of his testimony, which ran for more than an hour and took the form of a lecture to the court. + + + The property of preventing, hindering, or acting as an obstacle to something. + The property of preventing, hindering, or acting as an obstacle to something. + + But it is known that preventiveness of the morning after pills is reduced if taken after the first 24 hours in daily practice. + + + The property of not being connected with or engaged in commercial enterprises. + The property of not being connected with or engaged in commercial enterprises. + + Despite its proud non-commercialism, the campus-based small press may have a rampant best seller in its most recent publication. + + + The condition of having multiple functions. + The condition of having multiple functions. + + There is some controversy concerning the appropriateness of including food security and rural employment as aspects of the multifunctionality of agriculture. + + + a state or condition of being Swedish + a state or condition of being Swedish + + What is Swedishness? Well, it's a very broad concept, with social codes that take years to master. + + + Capability of being perceived as different or distinct. + Capability of being perceived as different or distinct. + + In this article we consider the distinguishability of segments by investigating first their equioptics in detail. + + + The state or quality of being routine, of possessing the traits of being quotidian, and repeating a pattern regularly. + The state or quality of being routine, of possessing the traits of being quotidian, and repeating a pattern regularly. + + There is something about walking as a ritual, elegant in its routineness that we must grasp. + + + Lack of skill; ineptness. + Lack of skill; ineptness. + + Here he lays his skillessness, or his vaulting laziness, one or the other, right in front of you and dares you to not see what is there. + + + (arithmetic) The state of being impossible to divide by a specific integer without leaving a remainder. + (arithmetic) The state of being impossible to divide by a specific integer without leaving a remainder. + + The primality of the number rests on the indivisibility of a certain quantity by that number. + + + The condition or political position of a member of the working class. + The condition or political position of a member of the working class. + + Throughout the people's-front period, his proletarianism had gone out of fashion, and Gold hardly figured in the writers' congresses of 1937 and 1939. + + + The quality of not being pleasing; of being disagreeable. + The quality of not being pleasing; of being disagreeable. + + Notwithstanding the uncongeniality of his surroundings, he had found opportunities for study, and never had his treasured volumes seemed more precious to him than during those long winter months, when despair haunted him like a shadow from which there seemed no means of escape. + + + The quality of having no allowance for weakness. + The quality of having no allowance for weakness. + + Juxtaposing a sailor’s connection to the sea with the ethereal and brutal quality of Antarctica, Victoria undermines our idealized visions of pristine penguins and sunny frozen seascapes to show both the unforgivingness of nature in a land devoid of time and scale and the human effort required for such a quest. + + + The property of being of, or pertaining to, a specific region or district. + The property of being of, or pertaining to, a specific region or district. + + The party's regionality prevented it from winning a national election. + + + A moderate reddish purple that is bluer, stronger, and slightly lighter than heliotrope see heliotrope and bluer and duller than eupatorium purple. + A moderate reddish purple that is bluer, stronger, and slightly lighter than heliotrope see heliotrope and bluer and duller than eupatorium purple. + + He wrote that it turned 'the colour of bishop's violet' and that he would bear the signs of it for weeks. + + + The quality of being beneficial to all parties and consistent with community laws and mores. + The quality of being beneficial to all parties and consistent with community laws and mores. + + Evidence suggests that prosociality is central to the well-being of social groups across a range of scales. + + + The property of being extremely modern. + The property of being extremely modern. + + An Italian state examiner, jolted by my edition of Cavalcanti, expressed admiration at the almost ultramodernity of Guido's language. + + + The quality of not being or involving an invasive medical procedure. + The quality of not being or involving an invasive medical procedure. + + The noninvasiveness of the procedure was considered by acceptors to be more important than its relatively low effectiveness. + + + The quality of having lost some of a former colour or intensity. + The quality of having lost some of a former colour or intensity. + + In my youth, I was obsessed with the fadedness of my jeans, which took some doing because I only ever wore original shrink-to-fit Levi's 501s. + + + (phonetics) The quality of being produced by air flowing through a constriction in the oral cavity and typically producing a sibilant, hissing, or buzzing quality, as the English /f/ and /s/. + (phonetics) The quality of being produced by air flowing through a constriction in the oral cavity and typically producing a sibilant, hissing, or buzzing quality, as the English /f/ and /s/. + + For the former, the fricativeness of the breath is audible from the throat, through the oral configuration; for the latter, the breath-friction is audible only from the lip. + + + The productiveness of a hen or other egg-laying animal. + The productiveness of a hen or other egg-laying animal. + + Breeders of layers focus on increasing egg yield, weight of eggs, and increasing internal quality such as decreasing the cholesterol content of their production to enhance economic performance. + + + The state or condition of having a flavour or essence of mint. + The state or condition of having a flavour or essence of mint. + + + Paul had come up behind me, and he leaned over to fiddle with the lens, and I could feel him then, his warmth, and I could smell the mintiness of his breath. + + + in Western painting, movement in France that represented both an extension of Impressionism and a rejection of that style’s inherent limitations. + in Western painting, movement in France that represented both an extension of Impressionism and a rejection of that style’s inherent limitations. + + + The real influence of Paris across the Atlantic came not with Impressionism but with the post-impressionism of Toulouse Lautrec and Cézanne, the Modernism of Picasso and Matisse and the radical experiments of the Surrealists. diff --git a/src/wn-noun.body.xml b/src/wn-noun.body.xml index c5b3d509..57937fb0 100644 --- a/src/wn-noun.body.xml +++ b/src/wn-noun.body.xml @@ -7497,7 +7497,9 @@ - + + + @@ -11355,6 +11357,7 @@ + @@ -15698,7 +15701,87 @@ - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -17744,6 +17827,7 @@ a cord-like tissue connecting two larger parts of an anatomical structure + @@ -18430,6 +18514,7 @@ + @@ -18570,6 +18655,7 @@ + @@ -18618,6 +18704,7 @@ + @@ -18956,6 +19043,7 @@ + @@ -19109,6 +19197,7 @@ + @@ -19282,6 +19371,7 @@ the upper lip + @@ -19348,6 +19438,7 @@ grinding tooth with a broad crown; located behind the premolars + @@ -19628,6 +19719,7 @@ any of the short curved hairs that grow from the edges of the eyelids + @@ -20093,6 +20185,7 @@ + @@ -20408,6 +20501,7 @@ + @@ -22675,6 +22769,7 @@ + @@ -22699,6 +22794,8 @@ + + @@ -22888,6 +22985,7 @@ hormone secreted by the pineal gland + @@ -23817,6 +23915,7 @@ + "genes were formerly called factors" @@ -24805,6 +24904,7 @@ + @@ -24863,6 +24963,7 @@ + @@ -25070,6 +25171,9 @@ + + + "a bony process" @@ -28025,6 +28129,7 @@ + @@ -28470,6 +28575,7 @@ + @@ -29731,6 +29837,7 @@ + @@ -30099,7 +30206,113 @@ lock of hair in the shape of a spiral or curl + lock of hair in the shape of a spiral or curl + + Ejaculate inside a vagina or anus + Ejaculate inside a vagina or anus + + + + artificial eyelashes + artificial eyelashes + + + + A breast exposed from the side + A breast exposed from the side + + + + either one of the two posterior openings at the back of the nasal cavity leading to the nasopharynx + either one of the two posterior openings at the back of the nasal cavity leading to the nasopharynx + + + + A thin lamina of elastic cartilage forming the central portion of the epiglottis. + A thin lamina of elastic cartilage forming the central portion of the epiglottis. + + + + + The fleshy hanging upper lip of a bloodhound or similar dog. + The fleshy hanging upper lip of a bloodhound or similar dog. + + The loose flaps of skin on the sides of the upper muzzle that hang to different lengths over the mouth are called flews. + + + A modified part of the ovary that in many flatworms and rotifers produces yolk-filled cells serving to nourish the true eggs. + A modified part of the ovary that in many flatworms and rotifers produces yolk-filled cells serving to nourish the true eggs. + + + + + a process projecting from the vertebra that attaches muscles and ligaments. + a process projecting from the vertebra that attaches muscles and ligaments. + + + Spinous processes are exaggerated in some animals, such as the extinct Dimetrodon and Spinosaurus, where they form a sailback or finback. + + + The seventh permanent tooth located in the upper and lower jaw on either side. + The seventh permanent tooth located in the upper and lower jaw on either side. + + The dentist told me there's a cavity in my second molar. + + + Any of various muscles that retract an organ or a body part. + Any of various muscles that retract an organ or a body part. + + The retractor muscle contracts to retract the penis into the sheath and relaxes to allow the penis to extend from the sheath. + + + Either utricle or saccule in the inner ear of vertebrates. + Either utricle or saccule in the inner ear of vertebrates. + + + + Any of the long, thin, microscopic fibrils that run through the body of a neuron and extend into the axon and dendrites, giving the neuron support and shape. + Any of the long, thin, microscopic fibrils that run through the body of a neuron and extend into the axon and dendrites, giving the neuron support and shape. + + + The term neurofibril refers to a bundle of neurofilaments. + + + A maxillary palpus is a small several-segmented process on the outer aspect of each maxilla of an insect that is believed to have a sensory function. + A maxillary palpus is a small several-segmented process on the outer aspect of each maxilla of an insect that is believed to have a sensory function. + + + + + A labial palpus is either of the jointed appendages on the front of the mentum of an insect. + A labial palpus is either of the jointed appendages on the front of the mentum of an insect. + + + + + An immunologically specific substance produced by animal sperm to implement attraction by the egg before fertilization. + An immunologically specific substance produced by animal sperm to implement attraction by the egg before fertilization. + + + + An epistatic gene is a gene that determines whether or not a given trait will be expressed. + An epistatic gene is a gene that determines whether or not a given trait will be expressed. + + The gene responsible for albinism is an epistatic gene. + + + the final section of the aortic arch; a narrowing of the aorta as a result of decreased blood flow when in foetal life. + the final section of the aortic arch; a narrowing of the aorta as a result of decreased blood flow when in foetal life. + + + + + a sugar-rich sticky liquid, secreted by aphids and some scale insects as they feed on plant sap. + a sugar-rich sticky liquid, secreted by aphids and some scale insects as they feed on plant sap. + + + Honeydew is collected by certain species of birds, wasps, stingless bees and honey bees, which process it into a dark, strong honey (honeydew honey). + diff --git a/src/wn-noun.cognition.xml b/src/wn-noun.cognition.xml index fd8b0693..3511daae 100644 --- a/src/wn-noun.cognition.xml +++ b/src/wn-noun.cognition.xml @@ -101,9 +101,11 @@ + + @@ -2874,7 +2876,7 @@ - + @@ -3465,6 +3467,8 @@ + + @@ -7605,6 +7609,7 @@ + @@ -9812,6 +9817,8 @@ + + @@ -13484,7 +13491,7 @@ - + @@ -13516,6 +13523,8 @@ + + @@ -14917,6 +14926,8 @@ + + @@ -22784,15 +22795,843 @@ - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -23050,6 +23889,8 @@ + + @@ -23109,6 +23950,7 @@ + @@ -23166,6 +24008,7 @@ + @@ -23644,6 +24487,7 @@ originality by virtue of introducing new ideas + @@ -24058,6 +24902,7 @@ + @@ -24101,6 +24946,7 @@ + @@ -24177,12 +25023,14 @@ + unskillfulness resulting from a lack of training + @@ -24199,6 +25047,7 @@ something that demonstrates a lack of professional competency + @@ -24669,6 +25518,7 @@ + "they have to operate under a system they oppose" "that language has a complex system for indicating gender" @@ -24687,6 +25537,7 @@ + @@ -25215,6 +26066,7 @@ an awareness of your orientation in space + @@ -25862,6 +26714,7 @@ + @@ -25979,6 +26832,7 @@ an unhealthy and compulsive preoccupation with something or someone + @@ -26016,6 +26870,7 @@ + "the process of thinking" "the cognitive operation of remembering" @@ -26409,6 +27264,7 @@ + "a sensation of touch" @@ -26463,6 +27319,7 @@ + "she loved the smell of roses" @@ -26893,6 +27750,9 @@ + + + "he changed the arrangement of the topics" "the facts were familiar but it was in the organization of them that he was original" "he tried to understand their system of classification" @@ -27151,6 +28011,9 @@ + + + "the attribution of lighting to an expression of God's wrath" "he questioned the attribution of the painting to Picasso" @@ -27204,6 +28067,9 @@ + + + "he set a high valuation on friendship" @@ -27957,6 +28823,7 @@ + "he can do it from memory" "he enjoyed remembering his father" @@ -27977,16 +28844,19 @@ + memory for episodes in your own life + your memory for meanings and general (impersonal) facts + @@ -28167,6 +29037,7 @@ the representation of objects (especially a god) as having human form or traits + @@ -28292,6 +29163,7 @@ + @@ -28311,6 +29183,9 @@ + + + "thinking always made him frown" "she paused for thought" @@ -28565,6 +29440,9 @@ + + + @@ -28573,6 +29451,7 @@ + @@ -28628,6 +29507,7 @@ an inference about the future (or about some hypothetical situation) based on known facts and observations + @@ -28658,6 +29538,7 @@ an analysis of the cost effectiveness of different alternatives in order to see whether the benefits outweigh the costs + @@ -28776,6 +29657,7 @@ + @@ -29449,6 +30331,7 @@ + "he has virtually no understanding of social cause and effect" @@ -29901,6 +30784,7 @@ + "several of the details are similar" "a point of information" @@ -30048,6 +30932,7 @@ + @@ -30479,6 +31364,7 @@ + @@ -30537,6 +31423,8 @@ + + @@ -30581,6 +31469,7 @@ a plan or design of something that is laid out + @@ -30748,6 +31637,9 @@ + + + @@ -30956,6 +31848,9 @@ + + + @@ -31006,6 +31901,7 @@ + "self-confidence is not an endearing property" @@ -31013,6 +31909,7 @@ a characteristic property that defines the apparent individual nature of something + "each town has a quality all its own" "the radical character of our demands" @@ -31145,6 +32042,7 @@ a particular aspect of life or activity + "he was helpless in an important sector of his life" @@ -31356,6 +32254,7 @@ a quantity that does not vary + @@ -31947,6 +32846,7 @@ (statistics) law stating that a large number of items taken at random from a population will (on the average) have the population statistics + @@ -32280,6 +33180,7 @@ + "a scientific hypothesis that survives experimental testing becomes a scientific theory" "he proposed a fresh theory of alkalis that later was accepted in chemical practices" @@ -32343,6 +33244,7 @@ + @@ -32358,6 +33260,7 @@ a hypothesis that has been formed by speculating or conjecturing (usually with little hard evidence) + "speculations about the outcome of the election" "he dismissed it as mere conjecture" @@ -32597,6 +33500,7 @@ + "they drew up a six-step plan" "they discussed plans for a new bond issue" @@ -32832,6 +33736,7 @@ + @@ -32984,6 +33889,7 @@ a planned undertaking + @@ -33299,6 +34205,7 @@ a traditional theme or motif or literary convention + "James Joyce uses the topos of the Wandering Jew in his Ulysses" @@ -33531,6 +34438,7 @@ a conventional or formulaic conception or image + "regional stereotypes have been part of America since its founding" @@ -33890,6 +34798,7 @@ + "I profited from his example" @@ -34173,6 +35082,11 @@ + + + + + @@ -34317,6 +35231,7 @@ + "he lost his faith but not his morality" @@ -34328,6 +35243,7 @@ + "devoted to the cultus of the Blessed Virgin" @@ -34963,6 +35879,7 @@ + @@ -35012,6 +35929,7 @@ the doctrine that the application of a general term to various objects indicates the existence of a mental entity that mediates the application + @@ -35364,6 +36282,7 @@ + "the sole object of her trip was to see her children" @@ -35670,6 +36589,9 @@ + + + "theories can incorporate facts and laws and tested hypotheses" "true in fact and theory" @@ -35790,6 +36712,9 @@ + + + "scientific theories must be falsifiable" @@ -35887,6 +36812,10 @@ + + + + "in what discipline is his doctorate?" "teachers should be well trained in their subject" "anthropology is the study of human beings" @@ -36567,6 +37496,7 @@ + @@ -36821,6 +37751,7 @@ + @@ -36861,6 +37792,8 @@ + + @@ -36886,6 +37819,9 @@ + + + @@ -36949,6 +37885,8 @@ + + @@ -36987,6 +37925,8 @@ the square root of the variance + + @@ -37111,6 +38051,7 @@ + @@ -37547,6 +38488,7 @@ + @@ -37735,6 +38677,7 @@ + @@ -38089,6 +39032,7 @@ + @@ -38368,6 +39312,7 @@ the branch of pharmacology that deals with the nature and effects and treatments of poisons + @@ -38977,6 +39922,7 @@ + @@ -39435,6 +40381,7 @@ the chemistry of the earth's crust + @@ -39639,6 +40586,7 @@ + "his favorite subject was physics" @@ -40127,6 +41075,7 @@ + @@ -40210,6 +41159,7 @@ + @@ -40644,6 +41594,7 @@ + "architecture and eloquence are mixed arts whose end is sometimes beauty and sometimes use" @@ -40685,6 +41636,8 @@ + + "he had trouble deciding which branch of engineering to study" @@ -40983,6 +41936,19 @@ + + + + + + + + + + + + + @@ -41165,6 +42131,7 @@ + @@ -41233,6 +42200,7 @@ an approach to psychology that emphasizes observable measurable behavior + @@ -41602,6 +42570,11 @@ + + + + + @@ -41658,6 +42631,7 @@ + @@ -41752,6 +42726,13 @@ + + + + + + + "the college of arts and sciences" @@ -41959,6 +42940,7 @@ + @@ -42126,6 +43108,7 @@ + @@ -42256,6 +43239,20 @@ + + + + + + + + + + + + + + @@ -42321,6 +43318,7 @@ the informed analysis and evaluation of literature + @@ -42377,6 +43375,7 @@ + @@ -42969,6 +43968,7 @@ + @@ -43155,6 +44155,13 @@ + + + + + + + "he had the attitude that work was fun" @@ -43850,6 +44857,12 @@ + + + + + + @@ -43860,6 +44873,9 @@ a political theory favoring the abolition of governments + + + @@ -43891,6 +44907,7 @@ + @@ -44072,6 +45089,9 @@ + + + @@ -44284,6 +45304,7 @@ + @@ -44585,6 +45606,8 @@ + + "Islam is a complete way of life, not a Sunday religion" "the term Muhammadanism is offensive to Muslims who believe that Allah, not Muhammad, founded their religion" @@ -44791,7 +45814,7 @@ - + @@ -45042,12 +46065,1058 @@ tendency to assert principles as undeniably true + tendency to assert principles as undeniably true basic principles of the cosmos in Hinduism, Buddhism, Sikhism, Jainism and other religions + basic principles of the cosmos in Hinduism, Buddhism, Sikhism, Jainism and other religions - + + + + an inability to understand the consequences of one's actions because of financial privilege + an inability to understand the consequences of one's actions because of financial privilege + + + + a system for automatically correcting text + a system for automatically correcting text + + + + + something that inspires you to exercise + something that inspires you to exercise + + + + + An objective that is worth achieving only for its own enjoyment + An objective that is worth achieving only for its own enjoyment + + + + an ambitious project with a high chance of failure + an ambitious project with a high chance of failure + + + + The hypothesis that microorganisms may transmit life from outer space to habitable bodies; or the process of such transmission. + The hypothesis that microorganisms may transmit life from outer space to habitable bodies; or the process of such transmission. + + + + A smell of genitals or sex + A smell of genitals or sex + + + + the social sphere of the Twitter service + the social sphere of the Twitter service + + + + a method for solving problems in linear programming that tests adjacent vertices of the feasible set in sequence so that at each new vertex the objective function improves or is unchanged. + a method for solving problems in linear programming that tests adjacent vertices of the feasible set in sequence so that at each new vertex the objective function improves or is unchanged. + + The simplex algorithm begins at a starting vertex and moves along the edges of the polytope until it reaches the vertex of the optimum solution. + + + a system in which a person's descent is traced through their mother and her maternal ancestors. + a system in which a person's descent is traced through their mother and her maternal ancestors. + + + + a theory of mental content based on an analogy with Darwinian evolution. + a theory of mental content based on an analogy with Darwinian evolution. + + + + (architecture) the repetitive use of a group of visual elements to establish a recognizable pattern + (architecture) the repetitive use of a group of visual elements to establish a recognizable pattern + + + + + (Judeo-Christian theology), the belief that God created this world out of nothing. + (Judeo-Christian theology), the belief that God created this world out of nothing. + + + + Remarkable intelligence, intelligence at or above and beyond the level of a genius. + Remarkable intelligence, intelligence at or above and beyond the level of a genius. + + + + the process of rendering something absolute or converting it into an absolute. + the process of rendering something absolute or converting it into an absolute. + + + + the scientific philosophy where laws are "induced" from sets of data. + the scientific philosophy where laws are "induced" from sets of data. + + + + the theory, system, or principles of democracy. + the theory, system, or principles of democracy. + + + + reduction of textual meaning to authorial biography. + reduction of textual meaning to authorial biography. + + In seeking to uncover the authentic experience that informed the fictional or poetic account, biographism is considered a dilettante approach to literature and experience. + + + economic analysis of how much it will cost a company to manufacture a product and how much profit will be recognized from manufacturing the product. + economic analysis of how much it will cost a company to manufacture a product and how much profit will be recognized from manufacturing the product. + + Different cost structure analysis methods include a review on the types of costs, cost behavior, and break-even analysis. + + + the doctrines and practices of the Calixtins, a Hussite group demanding communion in both wafer and wine. + the doctrines and practices of the Calixtins, a Hussite group demanding communion in both wafer and wine. + + Utraquism was a Christian dogma first proposed by Jacob of Mies, professor of philosophy at the University of Prague, in 1414. + + + origin of a systematic group only once (as by mutation) or at a single location. + origin of a systematic group only once (as by mutation) or at a single location. + + Discusses the significance of monotopism and polytopism in quantitative analyses of Tertiary floras. + + + An average in which each quantity to be averaged is assigned a weight, determining the relative importance of each quantity on the average. + An average in which each quantity to be averaged is assigned a weight, determining the relative importance of each quantity on the average. + + This simple mechanical model is now a familiar representation of the weighted arithmetic mean of a set of observations. + + + the conceptualism of Abelard. + the conceptualism of Abelard. + + Although in one sense Abelard's attempt must be profoundly respected, yet practically no consequences worth mentioning have matured from it; for he was able to establish no mediatory psychological function beyond conceptualism or sermonism, which is merely a revised edition, altogether one-sided and intellectual, of the ancient Logos conception. + + + the equilibrium constant for the ionization of an electrolyte (a weak one). + the equilibrium constant for the ionization of an electrolyte (a weak one). + + + + the now obsolete theory that all of the rocks of the earth's crust were formed by the agency of water. + the now obsolete theory that all of the rocks of the earth's crust were formed by the agency of water. + + Werner, with his Neptunism theory, argued that all rocks are the precipitates and crystallized minerals of an ocean that once covered the earth in the not too distant past. + + + the theories or practices of Voltaire characterized by a skeptical but deistic religious attitude, opposition to intolerance, and castigation of bigotry. + the theories or practices of Voltaire characterized by a skeptical but deistic religious attitude, opposition to intolerance, and castigation of bigotry. + + Declarations of pan-Voltairianism will prove no panacea, but rather simply capture an aspirational bonhomie reflected in “unity” marches that, however impressive, conceal seeds of future violent explosions given a still elusive and unfinished accounting of the broader equities at play. + + + the religion of a group mentioned in the Koran as entitled to Muslim religious toleration along with Jews and Christians and usually identified with the Mandaeans or the Elkesaites. + the religion of a group mentioned in the Koran as entitled to Muslim religious toleration along with Jews and Christians and usually identified with the Mandaeans or the Elkesaites. + + The 'olah, or burnt offering, suppresses the wrong view: Sabianism in the broad sense of belief in astrology, magic, and superstition. + + + the interdisciplinary study of systems in general, with the goal of elucidating principles that can be applied to all types of systems at all nesting levels in all fields of research. + the interdisciplinary study of systems in general, with the goal of elucidating principles that can be applied to all types of systems at all nesting levels in all fields of research. + + Contemporary ideas from systems theory have grown with diverse areas, exemplified by the work of biologist Ludwig von Bertalanffy, linguist Béla H. Bánáthy, sociologist Talcott Parsons, ecological systems with Howard T. Odum, Eugene Odum and Fritjof Capra, organizational theory and management with individuals such as Peter Senge, interdisciplinary study with areas like Human Resource Development from the work of Richard A. Swanson, and insights from educators such as Debora Hammond and Alfonso Montuori. + + + A condition in which a person with a mental disability, such as an autism spectrum disorder, demonstrates profound and prodigious capacities or abilities far in excess of what would be considered normal. + A condition in which a person with a mental disability, such as an autism spectrum disorder, demonstrates profound and prodigious capacities or abilities far in excess of what would be considered normal. + + + Individuals diagnosed with savant syndrome boast unparalleled ability in certain skills and subject areas. + + + the study of Etruscan civilization, especially its artifacts and language. + the study of Etruscan civilization, especially its artifacts and language. + + Half a century ago, however, Massimo Pallottino, the father figure of modern "Etruscology", demolished this thesis once and for all, and today it is accepted that the origins of the Etruscan city states must be found in the internal social transformations that took place among the indigenous late prehistoric societies of Etruria in the two or three centuries preceding the emergence of the city states. + + + architectural style that drew its inspiration from medieval architecture and competed with the Neoclassical revivals in the United States and Great Britain. + architectural style that drew its inspiration from medieval architecture and competed with the Neoclassical revivals in the United States and Great Britain. + + In England, the centre of the Gothic revival movement, Gothic revival was intertwined with deeply philosophical movements associated with a re-awakening of High Church or Anglo-Catholic belief (and by the Catholic convert Augustus Welby Pugin) concerned by the growth of religious nonconformism. + + + a revolutionary anarchist doctrine that advocates the abolition of both the state and private ownership of the means of production. + a revolutionary anarchist doctrine that advocates the abolition of both the state and private ownership of the means of production. + + The difference between collectivist anarchism and anarchist communism is that collectivist anarchism stresses collective ownership of productive, subsistence and distributary property, while communist anarchism negates the concept of ownership in favor of usage or possession with productive means being a possession not owned by any individual or particular group. + + + a pseudo-scientific hypothesis that posits that intelligent extraterrestrial beings have visited Earth and made contact with humans in antiquity and prehistory. + a pseudo-scientific hypothesis that posits that intelligent extraterrestrial beings have visited Earth and made contact with humans in antiquity and prehistory. + + Sagan argued that while many legends, artifacts and purported out-of-place artifacts were cited in support of ancient astronaut theories, "very few require more than passing mention" and could be easily explained with more conventional theories. + + + a project, scheme, or proposal brought forward in opposition to another, as in the negotiation of a treaty. + a project, scheme, or proposal brought forward in opposition to another, as in the negotiation of a treaty. + + Yet little did Tolstoi realize in the spring of 1888 that even more serious challenges lay ahead in the fall, when his opponents, capitalizing on Alexander IIl's detachment from the reform process, would rally together to present a counterproject. + + + (logic and mathematics) abstract, theoretical organization of terms and implicit relationships that is used as a tool for the analysis of the concept of deduction. + (logic and mathematics) abstract, theoretical organization of terms and implicit relationships that is used as a tool for the analysis of the concept of deduction. + + + A formal system is said to be recursive (i.e. effective) if the set of axioms and the set of inference rules are decidable sets or semidecidable sets, according to context. + + + a technical term in Christian theology employed in mainstream Christology to describe the union of Christ's humanity and divinity in one hypostasis, or individual existence. + a technical term in Christian theology employed in mainstream Christology to describe the union of Christ's humanity and divinity in one hypostasis, or individual existence. + + The hypostatic union is the term used to describe how God the Son, Jesus Christ, took on a human nature, yet remained fully God at the same time. + + + A tendency to blame victims for their misfortune, so that one feels less likely to be victimized in a similar way. + A tendency to blame victims for their misfortune, so that one feels less likely to be victimized in a similar way. + + + Previous research has indicated only indirectly that arousal may serve to mediate the defensive attribution of responsibility to a victim. + + + the meta-ethical view that nothing is intrinsically moral or immoral. + the meta-ethical view that nothing is intrinsically moral or immoral. + + The moral nihilism of celebrity culture is played out on reality television shows, most of which encourage a dark voyeurism into other people's humiliation, pain, weakness, and betrayal. + + + any set of axioms from which some or all axioms can be used in conjunction to logically derive theorems. + any set of axioms from which some or all axioms can be used in conjunction to logically derive theorems. + + An axiomatic system is said to be consistent if it lacks contradiction (i.e. it is not possible to derive both a statement and its negation from the system's axioms). + + + an umbrella term for disciplines that deal with describing, transcribing, editing or annotating texts and physical documents. + an umbrella term for disciplines that deal with describing, transcribing, editing or annotating texts and physical documents. + + The historical roots of textual scholarship date back to the 3rd century BCE, when the scholarly activities of copying, comparing, describing and archiving texts became professionalized in the Library of Alexandria. + + + a technique by which problems in analysis, in particular differential equations, are transformed into algebraic problems, usually the problem of solving a polynomial equation. + a technique by which problems in analysis, in particular differential equations, are transformed into algebraic problems, usually the problem of solving a polynomial equation. + + Guided greatly by intuition and his wealth of knowledge on the physics behind his circuit studies, [Heaviside] developed the operational calculus now ascribed to his name. + + + a branch of Shiism practiced especially in northwest Syria and adjacent parts of Turkey and Lebanon. + a branch of Shiism practiced especially in northwest Syria and adjacent parts of Turkey and Lebanon. + + Additionally, there has been a recent movement to unite Alawism and the other branches of Twelver Islam through educational exchange programs in Syria and Qom. + + + An evaluation undertaken during the implementation phase of a project. + An evaluation undertaken during the implementation phase of a project. + + Ongoing evaluation can influence both the scope of the programme and the selection of projects, as well as programme implementation arrangements. + + + A belief that Earth is the center of the universe and does not move. + A belief that Earth is the center of the universe and does not move. + + addition to the minority of stubborn fundamentalists who insist on a geocentric model for dogmatic reasons, there are also a substantial number of undereducated people who hold a kind of passive geocentrism for ignorance, believing (if they even think about it at all) that the sun must orbit the Earth daily because that it what we appear to see. + + + The quality of using manipulation purposefully, of tending to manipulate others. + The quality of using manipulation purposefully, of tending to manipulate others. + + Nevertheless, to block Stanley's efforts to maintain power and control, Fromm advised me to confront the manipulativeness of his behavior head on. + + + (psychology) perception of or reaction to a stimulus that occurs without awareness or consciousness. + (psychology) perception of or reaction to a stimulus that occurs without awareness or consciousness. + + Subliminal perception or cognition is a subset of unconscious cognition where the forms of unconscious cognition also include attending to one signal in a noisy environment while unconsciously keeping track of other signals (e.g one voice out of many in a crowded room) and tasks done automatically (e.g. driving a car). + + + a broad field of engineering dealing with energy efficiency, energy services, facility management, plant engineering, environmental compliance and alternative energy technologies. + a broad field of engineering dealing with energy efficiency, energy services, facility management, plant engineering, environmental compliance and alternative energy technologies. + + + The discipline of energy engineering deals with energy efficiency issues by reducing energy loads and increasing relative systems performance. + + + the sustained, concerted actions of policy makers and communities that promote the standard of living and economic health of a specific area. + the sustained, concerted actions of policy makers and communities that promote the standard of living and economic health of a specific area. + + The Five-Year Economic Development Strategy is the District's first strategic roadmap for sustained, sector-driven economic development. + + + study of both chemistry and biochemistry which are important in agricultural production, the processing of raw products into foods and beverages, and in environmental monitoring and remediation. + study of both chemistry and biochemistry which are important in agricultural production, the processing of raw products into foods and beverages, and in environmental monitoring and remediation. + + Agricultural chemistry must be considered within the context of the soil ecosystem in which living and nonliving components interact in complicated cycles that are critical to all living things. + + + In statistics, the absolute difference between an element of a data set and a given point. + In statistics, the absolute difference between an element of a data set and a given point. + + This average absolute deviation gives the average distance of any data item from the mean and thus is a good measure of spread. + + + belief in a priori principles or reasoning; specifically : the doctrine that knowledge rests upon principles that are self-evident to reason or are presupposed by experience in general. + belief in a priori principles or reasoning; specifically : the doctrine that knowledge rests upon principles that are self-evident to reason or are presupposed by experience in general. + + Nevertheless, the apriorism of both neoclassical and Austrian economics is vulnerable to the kind of criticism Dewey used against Kant. + + + a measure of statistical dispersion, being equal to the difference between the upper and lower quartiles. + a measure of statistical dispersion, being equal to the difference between the upper and lower quartiles. + + + From the set of data above we have an interquartile range of 3.5, a range of 9 – 2 = 7 and a standard deviation of 2.34. + + + Attribution of human feelings to things not human, such as inanimate objects, animals, or natural phenomena. + Attribution of human feelings to things not human, such as inanimate objects, animals, or natural phenomena. + + Moreover, when hate is attributed to God in scriptural translations, it is most likely an anthropopathism. + + + an interdisciplinary field of research and scholarship pertaining to a particular geographical, national/federal, or cultural region. + an interdisciplinary field of research and scholarship pertaining to a particular geographical, national/federal, or cultural region. + + Other large and important programs followed Ford's—most notably, the National Defense Education Act of 1957, renamed the Higher Education Act in 1965, which allocated funding for some 125 university-based area studies units known as National Resource Center programs at U.S. universities, as well as for Foreign Language and Area Studies fellowships for graduate students. + + + a Christian movement following the teachings of Czech reformer Jan Hus (c. 1369–1415), who became the best-known representative of the Bohemian Reformation and one of the forerunners of the Protestant Reformation. + a Christian movement following the teachings of Czech reformer Jan Hus (c. 1369–1415), who became the best-known representative of the Bohemian Reformation and one of the forerunners of the Protestant Reformation. + + + The Taborites usually had the support of the Orebites (later called Orphans), an eastern Bohemian sect of Hussitism based in Hradec Králové. + + + style of architecture based on the writings and buildings of the humanist and theorist from Vicenza, Andrea Palladio (1508–80). + style of architecture based on the writings and buildings of the humanist and theorist from Vicenza, Andrea Palladio (1508–80). + + Richard Boyle, 3rd Earl of Burlington was an architect and enthusiastic promoter of Palladianism and was influential in establishing it as a new national style. + + + the philosophy of Bergson, emphasizing duration as the central fact of experience and asserting the existence of the élan vital as an original life force essentially governing all organic processes. + the philosophy of Bergson, emphasizing duration as the central fact of experience and asserting the existence of the élan vital as an original life force essentially governing all organic processes. + + Given that there was a Bergsonism of the political right and left, a Bergsonism of the aesthetic establishment and the avant-garde, and even a Bergsonism for French pioneers in advertising psychology and cellular theory, it is not so strange that there might be a Bergsonism for financiers, especially those of a utopian persuasion. + + + the philosophy of Albertus Magnus, a German scholastic philosopher (1193–1280). + the philosophy of Albertus Magnus, a German scholastic philosopher (1193–1280). + + These differences articulated themselves in medieval thought in the form of philosophical schools, the best-known of which are Thomism, Scotism, Albertism, and nominalism. + + + (computing) a search procedure using techniques modelled on the biological theory of natural selection. + (computing) a search procedure using techniques modelled on the biological theory of natural selection. + + Also, in searching a large state-space, multi-modal state-space, or n-dimensional surface, a genetic algorithm may offer significant benefits over more typical search of optimization techniques. + + + The property of being clumsy and awkward, and thus excessive. + The property of being clumsy and awkward, and thus excessive. + + What seemed sharp and pointed onstage comes across pedantically in the film, which treats its subject with a clumsy heavy-handedness. + + + (Stoic philosophy) a matter having no moral merit or demerit. + (Stoic philosophy) a matter having no moral merit or demerit. + + Esteem (or reputation, fame, glory) was for Stoics an adiaphoron, and though it could be classed as proe'gmenon with a certain 'value', it was only after Diogenes' time that they conceded that its 'value' was more than instrumental. + + + A point (proposition in a debate etc.) that forms part of a larger point. + A point (proposition in a debate etc.) that forms part of a larger point. + + The subpoint is that slogans aren't going to help -- as I have written here, and in all three of my books for parents, education from schools, faith based communities, and parents will. + + + the original version of string theory, developed in the late 1960s. + the original version of string theory, developed in the late 1960s. + + Although bosonic string theory has many attractive features, it falls short as a viable physical model in two significant areas and is forced to posit a 26 dimensional spacetime to remedy inconsistencies. + + + a philosophy or media theory dedicated to studying what lies beyond the realm of metaphysics. + a philosophy or media theory dedicated to studying what lies beyond the realm of metaphysics. + + Of all the French cultural exports over the last 150 years or so, ‘pataphysics--the science of imaginary solutions and the laws governing exceptions--has proven to be one of the most durable. + + + a forward-looking assessment of the likely future effects of new initiatives. + a forward-looking assessment of the likely future effects of new initiatives. + + The purpose of ex ante evaluation is to optimise the allocation of resources and to improve the quality of programming. + + + a conflict of the soul (as with the body or between good and evil). + a conflict of the soul (as with the body or between good and evil). + + Later echoes of medieval psychomachy can be found in Shakespeare's 144th sonnet and in Tennyson's poem ‘The Two Voices’ (1842). + + + market research or statistics classifying population groups according to psychological variables (as attitudes, values, or fears); also: variables or trends identified through such research. + market research or statistics classifying population groups according to psychological variables (as attitudes, values, or fears); also: variables or trends identified through such research. + + Psychographics is often confused with demographics, where historical generations may be defined both by demographics, such as the years in which a particular generation is born or even the fertility rates of that generation's parents, but also by psychographic variables like attitudes, personality formation, and cultural touchstones. + + + memories that can be consciously recalled such as facts and knowledge. + memories that can be consciously recalled such as facts and knowledge. + + + + The fact that medial temporal lobe structures, including the hippocampus, are critical for declarative memory is firmly established by now. + + + A measurement of how expectations compare to results, used in the common chi-squared tests for goodness of fit of an observed distribution to a theoretical one, the independence of two criteria of classification of qualitative data, and in confidence interval estimation for a population standard deviation of a normal distribution from a sample standard deviation. + A measurement of how expectations compare to results, used in the common chi-squared tests for goodness of fit of an observed distribution to a theoretical one, the independence of two criteria of classification of qualitative data, and in confidence interval estimation for a population standard deviation of a normal distribution from a sample standard deviation. + + The chi-square statistic compares the observed count in each table cell to the count which would be expected under the assumption of no association between two or more groups, populations, or criteria. + + + a doctrine that psychology must be based essentially on data derived from introspection. + a doctrine that psychology must be based essentially on data derived from introspection. + + Introspectionism, of course, continued as an influential research program well into the first two decades of the twentieth century but then plummeted; by the 1930s it had fallen into general disrepute and was completely abandoned. + + + an academic discipline that deals with various theoretical, historical, and critical approaches to films. + an academic discipline that deals with various theoretical, historical, and critical approaches to films. + + Since the launch of the hugely influential Cinegraph project in the early 1980s, both German film and German film studies have changed practically beyond all recognition. + + + The state or quality of being revolutionary. + The state or quality of being revolutionary. + + + It is a short step from the natural pre-revolutionariness of one who creates scandal (with his life or with his work; and better if with his life through his work) to revolutionariness proper, and it is solely dependent on the real outside circumstances. + + + socialism associated chiefly with Marxians and based principally upon a belief that historical forces (as economic determinism and the class struggle) determine usually by violent means the achievement of socialist goals. + socialism associated chiefly with Marxians and based principally upon a belief that historical forces (as economic determinism and the class struggle) determine usually by violent means the achievement of socialist goals. + + Marx acknowledges the contribution to his own scientific socialism of the philosophy of Hegel, the economics of Ricardo and the utopian socialism of Fourier, St Simon, Owen and others. + + + When an animal senses its surrounding environment by generating electric fields and detecting distortions in these fields using electroreceptor organs. + When an animal senses its surrounding environment by generating electric fields and detecting distortions in these fields using electroreceptor organs. + + In a process called active electrolocation, animals are able to detect and analyse objects in their environment, which allows them to perceive a detailed electrical picture of their surroundings even in complete darkness. + + + a statistical measure of central tendency, much like the mean and median, that involves the calculation of the mean after replacing given parts of a probability distribution or sample at the high and low end with the most extreme remaining values. + a statistical measure of central tendency, much like the mean and median, that involves the calculation of the mean after replacing given parts of a probability distribution or sample at the high and low end with the most extreme remaining values. + + The main results include a necessary and sufficient condition for asymptotic normality of the Winsorized mean under the assumption that rn→∞, sn→∞, rnn−1→0, snn−1→0 and F is convex at infinity. + + + examination or observation of what is outside oneself, as opposed to introspection. + examination or observation of what is outside oneself, as opposed to introspection. + + The botanist is a ceremonial sort, his extrospection the work of a husbandman of the mind. + + + an intellectual movement originating from 19th century that wanted the Russian Empire to be developed upon values and institutions derived from its early history. + an intellectual movement originating from 19th century that wanted the Russian Empire to be developed upon values and institutions derived from its early history. + + The growth of medieval scholarship coincided with the emergence in the early 19th century of Pan-Slavism in the South Slavic and Western Slavic lands and what is called Slavophilia in Russia. + + + a form of neo-Kantianism developed principally by C. B. Renouvier and his followers rejecting the noumena of Kant and restricting knowledge to phenomena as constituted by a priori categories. + a form of neo-Kantianism developed principally by C. B. Renouvier and his followers rejecting the noumena of Kant and restricting knowledge to phenomena as constituted by a priori categories. + + This is at least how Preti interpreted his link with Kantian neocriticism at Marburg, with Banfi's thought and with Husserl's. + + + the belief that God is the central aspect to our existence. + the belief that God is the central aspect to our existence. + + Edwards's theocentrism suggests an inclusive rather than exclusive posture of God vis-à-vis the world. + + + the quality or state of being demanding or unyielding. + the quality or state of being demanding or unyielding. + + Since I was a guest in their home, I was not about to critique the dinner with the exactingness of a professional restaurant reviewer. + + + a formal exploration of addictions from a variety of academic and scientific perspectives: sociological, cultural, psychological, anthropological, and psychoanalytic. + a formal exploration of addictions from a variety of academic and scientific perspectives: sociological, cultural, psychological, anthropological, and psychoanalytic. + + Experiments psychologists Mark Sobell and Linda Sobell provided powerful momentum to the anti-abstinence movement in addiction studies in the 1970s by showing that controlled drinking was not only possible but demonstrated success in recovery. + + + the philology of Classical Sanskrit, Greek and Classical Latin. + the philology of Classical Sanskrit, Greek and Classical Latin. + + Classical philology was a major preoccupation of the 19th-century German education system, which became "the paradigm for higher education" throughout Western culture. + + + movement whose goal was the political unification of all people speaking German or a Germanic language. + movement whose goal was the political unification of all people speaking German or a Germanic language. + + After all, Germanist concepts of identity were popular among segments of the radical right, as can be seen in the integral pan-Germanism of Georg von Schönerer and Arthur Seyss-Inquart. + + + lenience toward or indulgence of a wide variety of social behavior. + lenience toward or indulgence of a wide variety of social behavior. + + Though some view permissiveness as a positive, social conservatives claim that it destroys the moral and sociocultural structures necessary for a civilized and valid society. + + + the scientific study of smells or of the sense of smell. + the scientific study of smells or of the sense of smell. + + Suitably equipped, man and rodent traded sniff for sniff in what must haye been one of the most exciting contests in the history of olfactology. + + + a person or thing considered inferior to another or others. + a person or thing considered inferior to another or others. + + + + one of the principal schools of ancient pre-Socratic philosophy, so called from its seat in the Greek colony of Elea (or Velia) in southern Italy. + one of the principal schools of ancient pre-Socratic philosophy, so called from its seat in the Greek colony of Elea (or Velia) in southern Italy. + + Contributing to this general framework are the two Parmenidean Principles that are never far from Plato's thought and help constitute his Eleaticism. + + + the property of having or proceeding from a single center. + the property of having or proceeding from a single center. + + In sum, different cities follow different forms, and neither Chicago's historic monocentrism nor Los Angeles's polycentricism fit them all. + + + an Old Norse term for a type of sorcery which was practiced in Norse society during the Late Scandinavian Iron Age. + an Old Norse term for a type of sorcery which was practiced in Norse society during the Late Scandinavian Iron Age. + + Of all the reconstructed systems of archaic magickal practice, Seiðr seems to be one of the most misunderstood. + + + A term loosely applied to any social theory or sociological analysis which draws on the ideas of Karl Marx and Friedrich Engels, but amends or extends these, usually by incorporating elements from other intellectual traditions. + A term loosely applied to any social theory or sociological analysis which draws on the ideas of Karl Marx and Friedrich Engels, but amends or extends these, usually by incorporating elements from other intellectual traditions. + + According to Therborn, Habermas is closer to the neo-Marxism of Anderson, Cohen, and Poulantzas, than to the Marxism of the Frankfurt School with which he is so often identified. + + + a political ideology that seeks to find a balance between individual liberty and social justice. + a political ideology that seeks to find a balance between individual liberty and social justice. + + The social liberalism of Roosevelt's vision for old age security was clearly expressed in his advocacy of contributory old age insurance as Governor of New York. + + + an approach to knowledge based on the effort to understand the meaning of contingent, unique, and often subjective phenomena. + an approach to knowledge based on the effort to understand the meaning of contingent, unique, and often subjective phenomena. + + Experience sampling methods are essential tools for building a modern idiographic approach to understanding personality. + + + a classifier that is able to predict, given a sample input, a probability distribution over a set of classes, rather than only outputting the most likely class that the sample should belong to. + a classifier that is able to predict, given a sample input, a probability distribution over a set of classes, rather than only outputting the most likely class that the sample should belong to. + + + + Probabilistic classifiers provide classification with a degree of certainty, which can be useful in its own right, or when combining classifiers into ensembles. + + + a form of realism that was developed at the beginning of the 20th century in opposition to idealism, that emphasizes the distinction between the object and the act of sensation, and that holds the objective world to exist independently of the knowing mind and to be directly knowable. + a form of realism that was developed at the beginning of the 20th century in opposition to idealism, that emphasizes the distinction between the object and the act of sensation, and that holds the objective world to exist independently of the knowing mind and to be directly knowable. + + central feature of the new realism was a rejection of the epistemological dualism of John Locke and of older forms of realism. + + + A form of collectivism proposed by François-Noël Babeuf. + A form of collectivism proposed by François-Noël Babeuf. + + But Herzen's attack on its advocacy of terror that frees by 'despotism', on its Babeufism, was quite explicit. + + + (philosophy) The doctrine of Cyrenaics that people should ultimately aim at the pleasure of the present moment, disregarding future pain that could result from it. + (philosophy) The doctrine of Cyrenaics that people should ultimately aim at the pleasure of the present moment, disregarding future pain that could result from it. + + Cyrenaicism deduces a single, universal aim for all people which is pleasure. + + + (Psychology) a school of thought postulating that the personality of an individual is dependent on the type of his physique (somatotype). + (Psychology) a school of thought postulating that the personality of an individual is dependent on the type of his physique (somatotype). + + Constitutional psychology is a now discredited theory, developed in the 1940s by American psychologist William Herbert Sheldon, associating body types with human temperament types. + + + the standardized mental picture held in common by members of a cultural group depicting an oversimplified image of themselves and their behaviour. + the standardized mental picture held in common by members of a cultural group depicting an oversimplified image of themselves and their behaviour. + + Just as the Malays made ingroup-favoring attributions, so their autostereotype is very positive. + + + The study of games and gaming, especially video games. + The study of games and gaming, especially video games. + + Huntemann introduces the second issue of Ada, focused on feminist game studies, and discusses the increasingly louder voice of feminism in gaming culture. + + + a syllogism in which some statement supporting one or both of the premises is introduced with the premises themselves. + a syllogism in which some statement supporting one or both of the premises is introduced with the premises themselves. + + An epicheirema is said to be of the first or second order according as the major or minor premiss is thus supported. + + + in physics, the theory that describes the weak force. + in physics, the theory that describes the weak force. + + Fermi's 'theory of β rays' or, as it came to be called, the theory of weak interaction, was decisively advanced by two experimental discoveries. + + + the standard deviation of a random sample taken from a statistical population. + the standard deviation of a random sample taken from a statistical population. + + The sample standard deviation distribution is a slightly complicated, though well-studied and well-understood, function. + + + Opposition to traditionalism. + Opposition to traditionalism. + + Following the collapse of the Qing dynasty in 1911 the anti-traditionalism of the Chinese intellectual elite was embraced by the iconoclastic Chinese Nationalists and led to the widespread destruction of religious and ancestral temples in the 1920s. + + + The property of being of, or pertaining to, a large geographic region. + The property of being of, or pertaining to, a large geographic region. + + In particular, the authors examine the link between the seasonality and regionality of the climate trends over the United States and the leading patterns of sea surface temperature (SST) variability, including a global warming (GW) pattern and a Pacific decadal variability (PDV) pattern. + + + the average of the absolute deviations from a central point and a summary statistic of statistical dispersion or variability. + the average of the absolute deviations from a central point and a summary statistic of statistical dispersion or variability. + + A more meaningful way to quantify the spread is to compute the average deviation of the data points from the data set's mean (= average) value. + + + organized worship of the Indian god Shiva and one of the three principal forms of modern Hinduism. + organized worship of the Indian god Shiva and one of the three principal forms of modern Hinduism. + + However, we should also note that in the original Shaivism (of the Pashupatas) the concept of the spiritual path was exceedingly mystical, bizarre, and controversial. + + + a mental framework based on shared ideas, attitudes and modes of behavior that span a society. + a mental framework based on shared ideas, attitudes and modes of behavior that span a society. + + The cultural model of deafness arises from, but is not limited to, deaf people themselves, especially congenitally deaf people whose primary language is the sign language of their nation or community, as well as their children, families, friends and other members of their social networks. + + + when a person's thoughts and feelings are rejected, ignored, or judged. + when a person's thoughts and feelings are rejected, ignored, or judged. + + Invalidation is emotionally upsetting for anyone, but particularly hurtful for someone who is emotionally sensitive. + + + in logic, the formal analysis of logical terms and operators and the structures that make it possible to infer true conclusions from given premises. + in logic, the formal analysis of logical terms and operators and the structures that make it possible to infer true conclusions from given premises. + + Aristotelian syllogistic became known as ‘categorical syllogistic’ and the Peripatetic adaptation of Stoic syllogistic as ‘hypothetical syllogistic’. + + + A branch of probability and statistics concerned with deriving information about properties of random variables, stochastic processes, and systems based on observed samples. + A branch of probability and statistics concerned with deriving information about properties of random variables, stochastic processes, and systems based on observed samples. + + Typically, the problem is approached assuming a probabilistic description of uncertainty and applying statistical estimation theory. + + + a theorem that describes the circumstances under which the the strong law of large numbers holds. + a theorem that describes the circumstances under which the the strong law of large numbers holds. + + In this paper, Kolmogorov's strong law of large numbers for sums of independent and level-wise identically distributed fuzzy random variables is obtained. + + + Apathy and/or antipathy towards all political affiliations. + Apathy and/or antipathy towards all political affiliations. + + + Thus the French interwar pursuit of apoliticism resulted in the most political trial in the nation's history. + + + The beliefs or practices of the originally mendicant Roman Catholic religious order founded by St. Francis of Assisi in 1209 and dedicated to the virtues of humility and poverty. + The beliefs or practices of the originally mendicant Roman Catholic religious order founded by St. Francis of Assisi in 1209 and dedicated to the virtues of humility and poverty. + + His Franciscanism was that of respectable, well-educated priests worshipping God in perfect liturgical harmony, embracing a life of penitence in poverty. + + + the philosophical theory that energy is the substrate of all phenomena and that all observable changes can be interpreted as transformations of one kind of energy into another. + the philosophical theory that energy is the substrate of all phenomena and that all observable changes can be interpreted as transformations of one kind of energy into another. + + Ostwald's philosophical outlook, known as energetism or energetic monism, was strongly influenced by his scientific background and by the state of physical science at the end of the nineteenth century. + + + a branch of psychoanalysis developed by Alfred Adler; it focuses on social integration, physical security and sexual satisfaction. + a branch of psychoanalysis developed by Alfred Adler; it focuses on social integration, physical security and sexual satisfaction. + + + + the property of being only partially aware of or sensitive to something. + the property of being only partially aware of or sensitive to something. + + But there was between the cousins another far less obvious antipathy — coming from the unseizable family resemblance, which each perhaps resented; or from some half-consciousness of that old feud persisting still between their branches of the clan, formed within them by odd words or half-hints dropped by their elders. + + + The state or quality of concerning or being related to politics, the art and process of governing. + The state or quality of concerning or being related to politics, the art and process of governing. + + Maybe you could even define a topic as political in this context somehow, or at least build a test for the politicalness of a topic. + + + a sample of metal, carefully prepared for analysis. + a sample of metal, carefully prepared for analysis. + + The surface of a metallographic specimen is prepared by various methods of grinding, polishing, and etching. + + + ineptitude in dealing with reality. + ineptitude in dealing with reality. + + But unless you get over his blindness, his unreality about something he has already agreed to, he is going against his own agreements. + + + (vulgar, colloquial) The state or condition of being very bad; unpleasant; miserable; insignificant. + (vulgar, colloquial) The state or condition of being very bad; unpleasant; miserable; insignificant. + + "This place has half the shittiness ratio of New Jersey." + + + a point of view in which human nature is exhaustively determined by the culture in which a person lives, leaving no room for human agency. + a point of view in which human nature is exhaustively determined by the culture in which a person lives, leaving no room for human agency. + + This is where he locates his anthropologism in a wider naturalism and materialism in response (in part) to criticism that it was not sufficiently distinguished from the immanentist Hegelianism that was a dominant feature of Left Hegelianism. + + + the classical synthesis of Islamic philosophical theology, formulated by al-Ash'ari. + the classical synthesis of Islamic philosophical theology, formulated by al-Ash'ari. + + Ash'arism, the "middle-road" theology, combined the logical methodology of the Mu'tazilites and the beliefs of the Traditionalists. + + + a theory of anarchism which advocates the abolition of the state, capitalism, wages and private property (while retaining respect for personal property), and in favor of common ownership of the means of production, direct democracy, and a horizontal network of voluntary associations and workers' councils. + a theory of anarchism which advocates the abolition of the state, capitalism, wages and private property (while retaining respect for personal property), and in favor of common ownership of the means of production, direct democracy, and a horizontal network of voluntary associations and workers' councils. + + + At the same time, he was evolving from Bakunin's collectivist anarchism to the doctrine of anarchist communism, of which Kropotkin was the leading exponent. + + + any of several traditions of thought within the anarchist movement that emphasize the individual and their will over external determinants such as groups, society, traditions, and ideological systems. + any of several traditions of thought within the anarchist movement that emphasize the individual and their will over external determinants such as groups, society, traditions, and ideological systems. + + Traditionally, individualist anarchism has considered itself part of the fold of left-anarchism (though not social anarchism), a broader movement that opposes both capitalism and the state, which it sees as dual forces of oppression. + + + In particle physics, the unified description of two of the four known fundamental interactions of nature: electromagnetism and the weak interaction. + In particle physics, the unified description of two of the four known fundamental interactions of nature: electromagnetism and the weak interaction. + + + The existence of the electroweak interactions was experimentally established in two stages, the first being the discovery of neutral currents in neutrino scattering by the Gargamelle collaboration in 1973, and the second in 1983 by the UA1 and the UA2 collaborations that involved the discovery of the W and Z gauge bosons in proton–antiproton collisions at the converted Super Proton Synchrotron. + + + one of the eight branches into which ayurveda medicine is traditionally divided, defined as a section of toxicology that deals with food poisoning, snakebites, dog bites, insect bites, etc. + one of the eight branches into which ayurveda medicine is traditionally divided, defined as a section of toxicology that deals with food poisoning, snakebites, dog bites, insect bites, etc. + + Agada Tantra (Toxicology) was so highly developed during the early ages that it was given prime status, as one among the eight branches of Classical Ayurveda. + + + a part of economics that expresses value or normative judgments about economic fairness or what the outcome of the economy or goals of public policy ought to be. + a part of economics that expresses value or normative judgments about economic fairness or what the outcome of the economy or goals of public policy ought to be. + + Normative economics, in contrast, becomes arbitrary and unmotivated unless it attributes largely self-interested preferences to people. + + + a normative belief in some form of European geopolitical, cultural, ethnic or racial entity. + a normative belief in some form of European geopolitical, cultural, ethnic or racial entity. + + Pan-Europeanism may imply political action on the basis of common traits recognized in European people, countries and cultures, and on the basis of intimate intra-European international relations - their inclusion in the European Constitution, for instance. + + + application of the economic concepts and economic analysis to the problems of formulating rational managerial decisions. + application of the economic concepts and economic analysis to the problems of formulating rational managerial decisions. + + In managerial economics, the relationship between how much customers must pay for an item and how much customers buy is called demand. + + + a statement of how and why particular facts about the social world are related. + a statement of how and why particular facts about the social world are related. + + An example of a sociological theory is the work of Robert Putnam on the decline of civic engagement. + + + a social science field that identifies and analyses violent and nonviolent behaviours as well as the structural mechanisms attending conflicts (including social conflicts) with a view towards understanding those processes which lead to a more desirable human condition. + a social science field that identifies and analyses violent and nonviolent behaviours as well as the structural mechanisms attending conflicts (including social conflicts) with a view towards understanding those processes which lead to a more desirable human condition. + + Peace and Conflict Studies are assuming increasing importance both internationally and within nations as governments and non-government organisations struggle to find ways of resolving conflicts without recourse to violence. + + + an attribution that does not change over time or across situations. + an attribution that does not change over time or across situations. + + If you infer that Charley has always been a math wizard, you have made both a person attribution and a stable attribution, also called a person-stable attribution. + + + the philosophical theories of Nietzsche advocating the overcoming of both a threatening nihilism and a slave morality as exemplified for him in historical Christianity through a reevaluation of all values on the basis of a will to power epitomized in his doctrine of the superman and the idea of the eternal recurrence of all things. + the philosophical theories of Nietzsche advocating the overcoming of both a threatening nihilism and a slave morality as exemplified for him in historical Christianity through a reevaluation of all values on the basis of a will to power epitomized in his doctrine of the superman and the idea of the eternal recurrence of all things. + + Vattimo presents an interesting case, because he has long been an influential Nietzsche scholar, and he has recently recounted his own return to religion, and his attempt to reconcile it with his Nietzscheanism, in terms that are both personal and philosophical. + + + A process where certain species of fish or aquatic amphibians can detect electric fields using specialized electroreceptors to detect and to locate the source of an external electric field in its environment. + A process where certain species of fish or aquatic amphibians can detect electric fields using specialized electroreceptors to detect and to locate the source of an external electric field in its environment. + + Weakly electric fish use their electrosensory systems for electrocommunication, active electrolocation and low-frequency passive electrolocation. + + + the act or result of making relative or regarding as relative rather than absolute. + the act or result of making relative or regarding as relative rather than absolute. + + The relativization of the concepts of length and intervals of time appears difficult to many, but probably only because it is strange. + + + Politics which favors the process of uniting a political entity which consists of smaller regions, either by cancelling the regions completely or by transferring their power to the central government. + Politics which favors the process of uniting a political entity which consists of smaller regions, either by cancelling the regions completely or by transferring their power to the central government. + + The simultaneous process of pluralisation, unitarisation and centralisation was one of the most significant results of pillarisation. + + + the ability to remember music-related information, such as melodic content and other progressions of tones or pitches. + the ability to remember music-related information, such as melodic content and other progressions of tones or pitches. + + Musical memory is considered to be partly independent from other memory systems. + + + the study of theatrical performance in relation to its literary, physical, psycho-biological, sociological, and historical contexts. + the study of theatrical performance in relation to its literary, physical, psycho-biological, sociological, and historical contexts. + + Its wide citation in a range of scholarly contexts, in the UK, Australasia and North America and in geography, urban and theatre studies, suggests its reception as a contribution to research in theatre and urban cultures. + + + one half of the difference obtained by subtracting the first quartile from the third quartile in a frequency distribution. + one half of the difference obtained by subtracting the first quartile from the third quartile in a frequency distribution. + + + In interpreting the quartile deviation of any distribution of test scores, the size of the value is always the indicator. + + + the act or process of making or becoming objective. + the act or process of making or becoming objective. + + Next, there is the state of verbal objectivization of consciousness, whereby the initially ordered consciousness is given rational expression. + + + the art and practice of designing and building military works and maintaining lines of military transport and communications. + the art and practice of designing and building military works and maintaining lines of military transport and communications. + + Modern military engineering can be divided into three main tasks or fields: combat engineering, strategic support, and ancillary support. + + + the philosophical position adopted by Pavlov that all behavioral and physiological processes are regulated by the nervous system. + the philosophical position adopted by Pavlov that all behavioral and physiological processes are regulated by the nervous system. + + Based on the research of I. M. Sechenov, the concept of nervism was introduced into physiology by I. P. Pavlov in 1883. + + + Forecasting technique which uses statistical methods (such as exponential smoothing or moving averages) to project the future pattern of a time series data. + Forecasting technique which uses statistical methods (such as exponential smoothing or moving averages) to project the future pattern of a time series data. + + Accurate trend extrapolation is the most important part of future planning. + + + imitation of or belief in the ideals and lifestyle of Byron. + imitation of or belief in the ideals and lifestyle of Byron. + + Modern Greece was associated with a political Byronism of a certain kind. + + + the scientific study or description of the sense organs and sensations. + the scientific study or description of the sense organs and sensations. + + However, her knowledge of esthesiology and diagnosis were solid and very convincing (the comprehensible parts were, anyway). + + + analysis of sickness within the framework of the body's failure to deal with the burden of toxins. Homeopathic remedies often are used as treatment. Developed by Hans Heinrich Reckeweg. + analysis of sickness within the framework of the body's failure to deal with the burden of toxins. Homeopathic remedies often are used as treatment. Developed by Hans Heinrich Reckeweg. + + Homotoxicology is a model of disease and treatment based on quack medicine and pseudoscience. + + + a type of summative evaluation of an initiative after it has been completed. + a type of summative evaluation of an initiative after it has been completed. + + This ex post evaluation of exceptional access under the 2010 stand-by arrangement on Greece was prepared by a staff team of the International Monetary Fund. + + + the branch of economics that concerns the description and explanation of economic phenomena. + the branch of economics that concerns the description and explanation of economic phenomena. + + There is a large part of the economics of education that is explicitly about the development of a positive economics of the demand for schooling that has no policy implications, even if NAP were true. + + + Technical term in Hinduism used to classify philosophical schools and persons that do not accept the authority of the Vedas as supreme revealed scriptures. + Technical term in Hinduism used to classify philosophical schools and persons that do not accept the authority of the Vedas as supreme revealed scriptures. + + Of the thinkers we will examine Bhartrhari, Sankara, and Aurobindo may be taken as representative of Hindu astika schools, while the Buddhist Nagarjuna comes from a nastika school. + + + a school of psychology based on the general principles of behaviorism but broader and more flexible in concept. It stresses experimental research and laboratory analyses in the study of overt behavior and in various subjective phenomena that cannot be directly observed and measured, such as fantasies, love, stress, empathy, trust, and personality. + a school of psychology based on the general principles of behaviorism but broader and more flexible in concept. It stresses experimental research and laboratory analyses in the study of overt behavior and in various subjective phenomena that cannot be directly observed and measured, such as fantasies, love, stress, empathy, trust, and personality. + + Behaviorism underwent a remarkable development from the less sophisticated formulations of Watson to the brilliant neobehaviorism of Skinner. + + + an all-encompassing designation that covers many 19th century architectural revival styles which were neither Grecian nor Gothic but which instead drew inspiration from a wide range of classicizing Italian modes. + an all-encompassing designation that covers many 19th century architectural revival styles which were neither Grecian nor Gothic but which instead drew inspiration from a wide range of classicizing Italian modes. + + By the time Italy had developed its obsession with the neo-Renaissance in the 1870s, collectors and scholars in the rest of Europe had been excited by Renaissance taste and style for several decades. + + + the placing of Christ at the center of one's thought, actions, or theological system. + the placing of Christ at the center of one's thought, actions, or theological system. + + The immediate question is whether Christocentrism inculcates an inherently imbalanced trinitarianism. + + + psychology concerned with the purposive factor or force in behavior. + psychology concerned with the purposive factor or force in behavior. + + Opposing behaviourism, he argued that behaviour was generally goal-oriented and purposive, an approach he called hormic psychology. + + + the branch of biology dealing with energy or the activity of living organisms. + the branch of biology dealing with energy or the activity of living organisms. + + These relations constitute a phenomenological network that guides the theoretical understanding of the biodynamics of the human body. + + + a subfield of energy engineering that deals with the generation, transmission, distribution and utilization of electric power and the electrical devices connected to such systems including generators, motors and transformers. + a subfield of energy engineering that deals with the generation, transmission, distribution and utilization of electric power and the electrical devices connected to such systems including generators, motors and transformers. + + There is also a severe shortage of power engineering expertise in other sectors, such as government bodies and finance organizations, where a detailed knowledge of energy supply and demand is increasingly important as societies develop and adapt to pressing environmental and economic constraints, dwindling reserves of fossil fuels and the emergence of new energy technologies. + + + thoughts about sex or sexual encounters. + thoughts about sex or sexual encounters. + + I have dirty thoughts about young college girls. + + + admiration for Europe, Europeans, or the European Union. + admiration for Europe, Europeans, or the European Union. + + The other challenge is that this open and liberal Euroscepticism may be an even more elite project than liberal Europhilia. + + + An obsolete term for ritualistic act or sequence of acts performed by a person with obsessive-compulsive neurosis. + An obsolete term for ritualistic act or sequence of acts performed by a person with obsessive-compulsive neurosis. + + The conceptual history of "anancasm" in psychiatry remains almost unexplored and this article will help to remove this deficit. + + + the ability to monitor one's own and other people's emotions, to discriminate between different emotions and label them appropriately, and to use emotional information to guide thinking and behavior. + the ability to monitor one's own and other people's emotions, to discriminate between different emotions and label them appropriately, and to use emotional information to guide thinking and behavior. + + At the same time, as employers recognize that their profit depends on the emotional intelligence of their employees, they become amenable to launching programs that will increase it. + + + A type of socialism which attempts to reach feasible goals instead of aiming for the ultimate goals of Marxism-Leninism. + A type of socialism which attempts to reach feasible goals instead of aiming for the ultimate goals of Marxism-Leninism. + + Real Socialism as a concept emerged in the 19705 in the Soviet Union and Eastern Europe for the principal purpose of distinguishing the existing system there from theoretical or abstract concepts of socialism. + + + when an individual believes that the cause of negative events is consistent across different contexts. + when an individual believes that the cause of negative events is consistent across different contexts. + + He could either make the global attribution that he is always hopeless at anything practical or the specific one that he only has trouble with flat-pack assembly. + + + the standard deviation of points formed around a linear function, and an estimate of the accuracy of the dependent variable being measured. + the standard deviation of points formed around a linear function, and an estimate of the accuracy of the dependent variable being measured. + + Therefore, a residual standard deviation of 0.345 means that about 95% of prediction errors will be less than 2(0.345) 0.690. + + + a field of theoretically, politically, and empirically engaged cultural analysis that was initially developed by British academics in the late 1950s, '60s and '70s, and has been subsequently taken up and transformed by scholars from many different disciplines around the world. + a field of theoretically, politically, and empirically engaged cultural analysis that was initially developed by British academics in the late 1950s, '60s and '70s, and has been subsequently taken up and transformed by scholars from many different disciplines around the world. + + In fact, in England as well as elsewhere, cultural studies has drawn upon, and embodied, an enormously wide range of theoretical positions, from humanism to poststructuralism, from Marx to Foucault, from pragmatism to psychoanalysis. + + + opposition to democracy, typically, though not always, associated with anti-egalitarianism. + opposition to democracy, typically, though not always, associated with anti-egalitarianism. + + The anti-democracy of right-wing extremism includes an aversion to the democratic rules of the game. + + + A branch of economics which focuses on the conditions that exist in and choices constrained by the legal framework of a political constitution. + A branch of economics which focuses on the conditions that exist in and choices constrained by the legal framework of a political constitution. + + Similarly, constitutional economics suggests that in matters of constitutional choice it is essential that participants can choose for themselves through the unanimity rule whether the rules are in their own interest. + + + an algorithm that implements classification. + an algorithm that implements classification. + + + + + Classifier performance depends greatly on the characteristics of the data to be classified. + + + a philosophical movement opposing mid-19th century materialism and idealism, developing from Kant's epistemology, considering the thing-in-itself as a borderline concept and emphasizing normative considerations in ethics and jurisprudence. + a philosophical movement opposing mid-19th century materialism and idealism, developing from Kant's epistemology, considering the thing-in-itself as a borderline concept and emphasizing normative considerations in ethics and jurisprudence. + + + Fischer was earlier involved in a dispute with the Aristotelian Friedrich Adolf Trendelenburg concerning the interpretation of the results of the Transcendental Aesthetic, a dispute that prompted Hermann Cohen's 1871 seminal work Kants Theorie der Erfahrung, a book often regarded as the foundation of 20th century neo-Kantianism. + + + The use of electroreception to locate surrounding objects. + The use of electroreception to locate surrounding objects. + + + + Sharks and rays (members of the subclass Elasmobranchii), such as the lemon shark, rely heavily on electrolocation in the final stages of their attacks, as can be demonstrated by the robust feeding response elicited by electric fields similar to those of their prey. + + + a subfield of computer science that explores the study and construction of algorithms that can learn from and make predictions on data. + a subfield of computer science that explores the study and construction of algorithms that can learn from and make predictions on data. + + + + + + As a scientific endeavour, machine learning grew out of the quest for artificial intelligence. + + + A version of the law of large numbers that states that the sample average converges almost surely to the expected value. + A version of the law of large numbers that states that the sample average converges almost surely to the expected value. + + + The mathematical relation between these two experiments was recognized in 1909 by the French mathematician Émile Borel, who used the then new ideas of measure theory to give a precise mathematical model and to formulate what is now called the strong law of large numbers for fair coin tossing. + + + any simple probabilistic classifier based on applying Bayes' theorem with strong (naive) independence assumptions between the features. + any simple probabilistic classifier based on applying Bayes' theorem with strong (naive) independence assumptions between the features. + + + Naive Bayes classifiers are highly scalable, requiring a number of parameters linear in the number of variables (features/predictors) in a learning problem. + + + a classifier that constructs a hyperplane or set of hyperplanes in a high- or infinite-dimensional space, which can be used for classification, regression, or other tasks. + a classifier that constructs a hyperplane or set of hyperplanes in a high- or infinite-dimensional space, which can be used for classification, regression, or other tasks. + + + The SVM algorithm has been widely applied in the biological and other sciences. diff --git a/src/wn-noun.communication.xml b/src/wn-noun.communication.xml index 78e8a27b..f9dc5ac6 100644 --- a/src/wn-noun.communication.xml +++ b/src/wn-noun.communication.xml @@ -1574,6 +1574,7 @@ + @@ -3885,6 +3886,7 @@ + @@ -3903,7 +3905,7 @@ - + @@ -5062,6 +5064,7 @@ + @@ -8778,7 +8781,7 @@ - + @@ -11282,6 +11285,7 @@ + @@ -12738,7 +12742,7 @@ - + @@ -13437,6 +13441,7 @@ + @@ -19160,6 +19165,7 @@ + @@ -24930,6 +24936,7 @@ + @@ -28102,6 +28109,7 @@ + @@ -35641,6 +35649,7 @@ + @@ -39605,6 +39614,7 @@ + @@ -40388,2583 +40398,3913 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -43047,6 +44387,7 @@ + "he sent a three-word message" @@ -43090,6 +44431,7 @@ + @@ -43216,6 +44558,7 @@ a page of a book displaying the title and author and publisher + @@ -43648,6 +44991,7 @@ + "he wrote an interesting piece on Iran" "the children acted out a comic piece to amuse the guests" @@ -43749,6 +45093,7 @@ + @@ -43781,6 +45126,7 @@ + "she reported several anonymous calls" "he placed a phone call to London" "he heard the phone ringing but didn't want to take the call" @@ -43963,6 +45309,8 @@ + + "she is a star of screen and video" "Television is a medium because it is neither rare nor well done" - Ernie Kovacs @@ -44004,6 +45352,7 @@ + @@ -44058,6 +45407,7 @@ the sending and processing of e-mail by computer + @@ -44160,6 +45510,10 @@ + + + + "he taught foreign languages" "the language introduced is standard throughout the text" "the speed with which a program can be executed depends on the language in which it is written" @@ -44339,6 +45693,7 @@ + "words are the blocks from which sentences are made" "he hardly said ten words all morning" @@ -44406,6 +45761,7 @@ + @@ -44425,6 +45781,7 @@ (linguistics) a word that is derived from another word + "`electricity' is a derivative of `electric'" @@ -44545,6 +45902,9 @@ + + + @@ -44857,6 +46217,9 @@ + + + @@ -44893,6 +46256,7 @@ + @@ -45028,6 +46392,10 @@ + + + + "the word `pocket' has two syllables" @@ -45084,6 +46452,7 @@ + @@ -45095,6 +46464,8 @@ a variant phonological representation of a morpheme + + "the final sounds of `bets' and `beds' and `horses' and `oxen' are allomorphs of the English plural morpheme" @@ -45216,6 +46587,7 @@ + @@ -45227,6 +46599,8 @@ (grammar) one of the two main constituents of a sentence; the grammatical constituent about which something is predicated + + @@ -45286,6 +46660,7 @@ + @@ -45566,6 +46941,8 @@ + + @@ -45619,6 +46996,9 @@ + + + @@ -45692,6 +47072,7 @@ the primary form of an adjective or adverb; denotes a quality without qualification, comparison, or relation to increase or diminution + @@ -45733,6 +47114,7 @@ + @@ -45749,6 +47131,12 @@ a word or group of words function as an adverb + + + + + + @@ -45778,6 +47166,8 @@ a function word that combines with a noun or pronoun or noun phrase to form a prepositional phrase that can have an adverbial or adjectival relation to some other word + + @@ -45788,6 +47178,10 @@ + + + + @@ -45919,6 +47313,7 @@ a verb tense that expresses actions or states at the time of speaking + @@ -45929,12 +47324,15 @@ a verb tense in some languages (classical Greek and Sanskrit) expressing action (especially past action) without indicating its completion or continuation + + a verb tense that expresses actions or states in the past + @@ -46213,6 +47611,7 @@ + @@ -46275,6 +47674,9 @@ + + + "the professor didn't like his friends to use his formal title" @@ -46442,6 +47844,7 @@ the name by which a geographical place is known + @@ -46454,6 +47857,7 @@ + "the heading seemed to have little to do with the text" @@ -46580,6 +47984,7 @@ translation of foreign dialogue of a movie or TV program; usually displayed at the bottom of the screen + @@ -46667,6 +48072,7 @@ a transcription intended to represent each distinct speech sound with a separate symbol + @@ -46733,6 +48139,8 @@ + + @@ -46809,6 +48217,7 @@ + @@ -46969,6 +48378,7 @@ + "the Israeli web site was damaged by hostile hackers" @@ -47039,6 +48449,7 @@ a writing system based on alphabetic characters + @@ -47165,6 +48576,7 @@ + @@ -47189,6 +48601,7 @@ + @@ -47197,6 +48610,7 @@ + "the technical literature" "one aspect of Waterloo has not yet been treated in the literature" @@ -47316,6 +48730,7 @@ fiction with a large amount of imagination in it + "she made a lot of money writing romantic fantasies" @@ -47325,11 +48740,14 @@ + + a genre of fast-paced science fiction involving oppressive futuristic computerized societies + @@ -47547,6 +48965,7 @@ + @@ -47602,6 +49021,7 @@ + @@ -47667,6 +49087,10 @@ + + + + @@ -47941,6 +49365,7 @@ + @@ -48067,6 +49492,7 @@ + "there were more than a thousand words of text" "they handed out the printed text of the mayor's speech" "he wants to reconstruct the original text" @@ -48542,6 +49968,8 @@ + + @@ -48608,6 +50036,7 @@ a shared on-line journal where people can post diary entries about their personal experiences and hobbies + "postings on a blog are usually in chronological order" @@ -48863,6 +50292,8 @@ a treatise advancing a new point of view resulting from research; usually a requirement for an advanced academic degree + + @@ -49110,6 +50541,7 @@ + @@ -49520,6 +50952,7 @@ + @@ -51359,6 +52792,7 @@ + @@ -51431,6 +52865,7 @@ + @@ -52117,6 +53552,7 @@ an alphabet derived from the Greek alphabet and used for writing Slavic languages (Russian, Bulgarian, Serbian, Ukrainian, and some other Slavic languages) + @@ -52390,6 +53826,7 @@ + @@ -52457,6 +53894,7 @@ + @@ -52477,6 +53915,8 @@ + + @@ -52831,6 +54271,7 @@ + @@ -52902,6 +54343,8 @@ a receipt given by the carrier to the shipper acknowledging receipt of the goods being shipped and specifying the terms of delivery + + @@ -53913,6 +55356,7 @@ + @@ -54509,6 +55953,7 @@ + @@ -54576,6 +56021,11 @@ + + + + + "the program required several hundred lines of code" @@ -54752,6 +56202,7 @@ (computer science) a program that determines how a computer will communicate with a peripheral device + @@ -55204,6 +56655,7 @@ malicious software, designed to break into a system malicious software, designed to break into a system + @@ -55874,6 +57326,7 @@ the significance of a story or event + "the moral of the story is to love thy neighbor" @@ -56113,6 +57566,7 @@ nonsensical talk or writing + @@ -56158,6 +57612,7 @@ + @@ -56207,6 +57662,8 @@ + + "they went to a movie every Saturday night" "the film was shot on location" @@ -56523,6 +57980,7 @@ a broadcast via radio + @@ -56618,6 +58076,7 @@ + "mailed an indignant letter to the editor" @@ -56667,6 +58126,7 @@ a letter that is sent successively to several people + @@ -56725,6 +58185,7 @@ + "they sent us a card from Miami" @@ -56813,6 +58274,7 @@ + "she must have seen him but she gave no sign of acknowledgment" "the preface contained an acknowledgment of those who had helped her" @@ -56825,6 +58287,7 @@ + @@ -56854,6 +58317,7 @@ + @@ -56932,6 +58396,7 @@ an expression of greeting + "every morning they exchanged polite hellos" @@ -57027,6 +58492,7 @@ + @@ -57443,6 +58909,7 @@ + "the film provided a valuable record of stage techniques" @@ -57454,11 +58921,13 @@ + proof of a mathematical theorem + @@ -57601,6 +59070,7 @@ an indication of potential opportunity + "he got a tip on the stock market" "a good lead for a job" @@ -58063,6 +59533,7 @@ a rule or especially body of rules or principles generally established as valid and fundamental in a field of art or philosophy + "the neoclassical canon" "canons of polite society" @@ -58072,6 +59543,7 @@ + @@ -58088,6 +59560,7 @@ + @@ -58514,6 +59987,7 @@ + @@ -58550,6 +60024,7 @@ a printing process that uses an etched or engraved plate; the plate is smeared with ink and wiped clean, then the ink left in the recesses makes the print + @@ -58689,6 +60164,8 @@ an official report (usually sent in haste) + + @@ -58835,6 +60312,7 @@ + "words of approval seldom passed his lips" @@ -59076,6 +60554,7 @@ + "he always appreciated praise for his work" @@ -59782,6 +61261,7 @@ + "the senator received severe criticism from his opponent" @@ -59999,6 +61479,7 @@ showing your contempt by derision + @@ -60636,6 +62117,7 @@ + @@ -61191,6 +62673,8 @@ + + @@ -61854,6 +63338,8 @@ + + "they had an agreement that they would not interfere in each other's business" "there was an understanding between management and the workers" @@ -61961,6 +63447,7 @@ a formal agreement establishing an association or alliance between nations or other groups to achieve a particular aim + @@ -62054,6 +63541,7 @@ + @@ -62235,6 +63723,7 @@ a humorous play on words + "I do it for the pun of it" "his constant punning irritated her" @@ -62333,6 +63822,7 @@ + "he loved to solve chessmate puzzles" "that's a real puzzler" @@ -62366,6 +63856,7 @@ a puzzle in which words corresponding to numbered clues are to be found and written in to squares in the puzzle + @@ -62624,6 +64115,7 @@ + "he posted signs in all the shop windows" @@ -62650,6 +64142,8 @@ a sign visible from the street + + @@ -63158,6 +64652,7 @@ + @@ -63217,6 +64712,7 @@ + @@ -63243,6 +64739,7 @@ + @@ -63328,6 +64825,7 @@ + "don't forget the minus sign" @@ -63457,6 +64955,8 @@ + + @@ -63467,6 +64967,7 @@ sheet music to be played on a piano + @@ -63614,6 +65115,7 @@ + "the Greek alphabet has 24 characters" @@ -63717,6 +65219,7 @@ + @@ -64019,6 +65522,7 @@ + "his grandmother taught him his letters" @@ -64539,6 +66043,8 @@ + + "Chinese characters are ideograms" @@ -64624,6 +66130,7 @@ a punctuation mark (-) used between parts of a compound word or between the syllables of a word when the word is divided at the end of a line of text + @@ -64805,6 +66312,9 @@ + + + @@ -64862,6 +66372,8 @@ + + @@ -65498,11 +67010,15 @@ the female singing voice between contralto and soprano + + + the highest female voice; the voice of a boy before puberty + @@ -66107,6 +67623,7 @@ a screening for a select audience in advance of release for the general public + @@ -66359,6 +67876,7 @@ + @@ -66500,6 +68018,7 @@ + @@ -66706,6 +68225,7 @@ + @@ -68390,6 +69910,7 @@ + @@ -68594,6 +70115,16 @@ a nonstandard form of American English characteristically spoken by African Americans in the United States + + + + + + + + + + @@ -70189,6 +71720,7 @@ + @@ -70735,6 +72267,8 @@ + + @@ -71009,6 +72543,7 @@ + @@ -71025,6 +72560,8 @@ + + "he wrote several plays but only one was produced on Broadway" @@ -71072,6 +72609,7 @@ a short play + @@ -71360,6 +72898,7 @@ a comedy with serious elements or overtones + @@ -71706,6 +73245,8 @@ + + @@ -71722,6 +73263,7 @@ music arranged in parts for several voices or instruments + @@ -71812,6 +73354,7 @@ + @@ -72028,6 +73571,7 @@ a verse or song to be chanted or sung in response + @@ -72239,6 +73783,7 @@ + "the composition is written in four movements" @@ -72643,6 +74188,7 @@ + "a successful musical must have at least three good songs" @@ -72911,6 +74457,8 @@ + + @@ -73112,6 +74660,8 @@ + + @@ -73137,6 +74687,7 @@ + @@ -73150,6 +74701,7 @@ a genre of popular music composed for ballroom dancing + @@ -73222,11 +74774,14 @@ + + an early form of modern jazz (originating around 1940) + @@ -73281,12 +74836,15 @@ + + "rock is a generic term for the range of styles that evolved out of rock'n'roll." loud and harsh sounding rock music with a strong beat; lyrics usually involve violent or fantastic imagery + @@ -73360,6 +74918,7 @@ + "all the reporters were expected to adopt the style of the newspaper" @@ -73461,6 +75020,7 @@ + "he suggested a better formulation" "his manner of expression showed how much he cared" @@ -73537,6 +75097,7 @@ + @@ -73563,6 +75124,7 @@ using language effectively to please or persuade + @@ -74138,6 +75700,8 @@ the distribution of stresses within a polysyllabic word + + @@ -74159,6 +75723,8 @@ + + "the piece has a fast rhythm" "the conductor set the beat" @@ -74377,6 +75943,7 @@ + @@ -74435,6 +76002,7 @@ + @@ -74492,6 +76060,7 @@ + @@ -74570,6 +76139,7 @@ + @@ -74652,6 +76222,9 @@ + + + @@ -74862,6 +76435,7 @@ understatement for rhetorical effect (especially when expressing an affirmative by negating its contrary) + "saying `I was not a little upset' when you mean `I was very upset' is an example of litotes" @@ -74925,6 +76499,7 @@ + @@ -75096,6 +76671,7 @@ + "a singer takes good care of his voice" "the giraffe cannot make any vocalizations" @@ -75111,6 +76687,8 @@ + + @@ -75155,6 +76733,19 @@ + + + + + + + + + + + + + @@ -75226,6 +76817,7 @@ a vowellike sound that serves as a consonant + @@ -75259,6 +76851,10 @@ + + + + @@ -75354,6 +76950,7 @@ the act of nasalizing; the utterance of sounds modulated by the nasal resonators + @@ -75717,6 +77314,7 @@ + "they are always correcting my pronunciation" @@ -75745,6 +77343,7 @@ + @@ -76065,6 +77664,7 @@ discussion; (`talk about' is a less formal alternative for `discussion of') + "his poetry contains much talk about love and anger" @@ -76797,6 +78397,7 @@ + "he whispered a spell as he moved his hands" "inscribed around its base is a charm in Balinese" @@ -76863,6 +78464,7 @@ the act of making a proposal + "they listened to her proposal" @@ -77112,6 +78714,7 @@ + "the British ships dropped anchor and waited for orders from London" @@ -77204,6 +78807,8 @@ + + "the report included his interpretation of the forensic evidence" @@ -78247,6 +79852,7 @@ + @@ -78268,6 +79874,7 @@ descriptive word or phrase + @@ -78637,6 +80244,7 @@ + @@ -79099,6 +80707,7 @@ a warning against certain acts + "a caveat against unfair practices" @@ -79475,6 +81084,7 @@ a public instance of reciting or repeating (from memory) something prepared in advance + "the program included songs and recitations of well-loved poems" @@ -79823,6 +81433,7 @@ zealous preaching and advocacy of the gospel + @@ -79973,6 +81584,7 @@ + @@ -80267,6 +81879,7 @@ + "it is used as a reference for comparing the heating and the electrical energy involved" @@ -80716,6 +82329,7 @@ + "the owner's mark was on all the sheep" @@ -80829,6 +82443,7 @@ a label associated with something for the purpose of identification + "semantic tags were attached in order to identify different meanings of the word" @@ -81048,6 +82663,7 @@ a request for something to be made, supplied, or served + "I gave the waiter my order" "the company's products were in such demand that they got more orders than their call center could handle" @@ -81163,11 +82779,1720 @@ a genre of literature and performing arts, in which shortcomings are held up to ridicule, ideally with the intent of shaming others + a genre of literature and performing arts, in which shortcomings are held up to ridicule, ideally with the intent of shaming others a word or expression that is outside of standard usage and is very informal + a word or expression that is outside of standard usage and is very informal + + An expression meaning 'praise God' in Arabic + An expression meaning 'praise God' in Arabic + + + + An operating system from Google for mobile devices + An operating system from Google for mobile devices + + + + sending sexual messages using a mobile phone or computer + sending sexual messages using a mobile phone or computer + + + + a computer program for automatically moderating an online forum or discussion + a computer program for automatically moderating an online forum or discussion + + + + A list of things you plan to do before you die + A list of things you plan to do before you die + + + + A genre of electronic music descended from 2-step garage, characterised by its dark mood, sparse, half-step and two-step rhythms, an average bpm of 140 and an emphasis on sub-bass. + A genre of electronic music descended from 2-step garage, characterised by its dark mood, sparse, half-step and two-step rhythms, an average bpm of 140 and an emphasis on sub-bass. + + + + ideograms and smileys used in electronic messages and Web pages + ideograms and smileys used in electronic messages and Web pages + + + + a sign made by a fan, usually with the target's name on it + a sign made by a fan, usually with the target's name on it + + + + A card with store credit given as a gift + A card with store credit given as a gift + + + + metadata tag used on social network and microblogging services which makes it easier for users to find messages with a specific theme or content + metadata tag used on social network and microblogging services which makes it easier for users to find messages with a specific theme or content + + + + A personal version of the fantasy world from popular media + A personal version of the fantasy world from popular media + + + + a polite but old-fashioned greeting to a woman + a polite but old-fashioned greeting to a woman + + + + A message on a social media website + A message on a social media website + + + + + + + + a contract entered into prior to marriage, civil union + a contract entered into prior to marriage, civil union + + + + The act of asking someone to go to a prom with you + The act of asking someone to go to a prom with you + + + + an insightful bit of advice + an insightful bit of advice + + + + malicious software that makes a computer unusable unless a payment is made to the attacker + malicious software that makes a computer unusable unless a payment is made to the attacker + + + + Act of talking honestly + Act of talking honestly + + + + a genre of television programming that documents ostensibly unscripted real-life situations + a genre of television programming that documents ostensibly unscripted real-life situations + + + + A post on social media that has already been posted + A post on social media that has already been posted + + + + An phone call made by an automated service + An phone call made by an automated service + + + + A message with sexual content + A message with sexual content + + + + A poor quality and controversial Internet post + A poor quality and controversial Internet post + + + + A subgenre of alternative rock typified by significant use of guitar distortion, feedback, obscured vocals and the blurring of component musical parts into indistinguishable "walls of sound" + A subgenre of alternative rock typified by significant use of guitar distortion, feedback, obscured vocals and the blurring of component musical parts into indistinguishable "walls of sound" + + + + An early view of an unreleased product + An early view of an unreleased product + + + + Interactive forms of media that allow users to interact with and publish to each other, generally by means of the Internet + Interactive forms of media that allow users to interact with and publish to each other, generally by means of the Internet + + + + + + + A subgenre of speculative science fiction set in an anachronistic 19th century society. + A subgenre of speculative science fiction set in an anachronistic 19th century society. + + + + + + the act of sending messages via SMS + the act of sending messages via SMS + + + + an Instagram post that is all words + an Instagram post that is all words + + + + A post on the social media site Twitter + A post on the social media site Twitter + + + + Regular videos on the Web typically by a single independent author + Regular videos on the Web typically by a single independent author + + + + + A term used in phonetics and phonology to characterize speech sounds, with sounds described as either voiceless (unvoiced) or voiced. + A term used in phonetics and phonology to characterize speech sounds, with sounds described as either voiceless (unvoiced) or voiced. + + + + a title of respect placed before the surname of an official, scholar, or other distinguished man. + a title of respect placed before the surname of an official, scholar, or other distinguished man. + + + + a type of synthetic language in which single morphemes can convey multiple pieces of information. + a type of synthetic language in which single morphemes can convey multiple pieces of information. + + + + a verb in the imperative mood. + a verb in the imperative mood. + + + + music suitable for a galop dance + music suitable for a galop dance + + + + the art of engraving on a waxed plate on which a printing surface is created by electrotyping. + the art of engraving on a waxed plate on which a printing surface is created by electrotyping. + + + + the bijective base-1 numeral system: in order to represent a number N, an arbitrarily chosen symbol representing 1 is repeated N times. + the bijective base-1 numeral system: in order to represent a number N, an arbitrarily chosen symbol representing 1 is repeated N times. + + + + The official phonetic system for transcribing the Mandarin pronunciations of Chinese characters into the Latin alphabet. + The official phonetic system for transcribing the Mandarin pronunciations of Chinese characters into the Latin alphabet. + + + + the technique, found in some medieval English music, of singing voice parts in parallel thirds. + the technique, found in some medieval English music, of singing voice parts in parallel thirds. + + + + An order placed with a broker that is executed after a given stop price has been reached, and then becomes a limit order to buy (or sell) at the limit price or better. + An order placed with a broker that is executed after a given stop price has been reached, and then becomes a limit order to buy (or sell) at the limit price or better. + + A stop-limit order at $15 in such a scenario would not be exercised, since the stock falls from $20 to $12.50 without touching $15. + + + A pronoun acting as an adjective, such as which in which dictionaries? + A pronoun acting as an adjective, such as which in which dictionaries? + + Others is a compound pronoun, including both an adjective pronoun and a noun, and is equivalent to other men. + + + The name of a Saint taken as a proper name. + The name of a Saint taken as a proper name. + + This Native place name was used for a while in parallel with the hagionym Saint-Francois-Xavier (1850s) as well as another ”official” toponym, Grantown, named after Cuthbert Grant. + + + A thesis submitted for a master's degree. + A thesis submitted for a master's degree. + + The term graduate thesis is sometimes used to refer to both master's theses and doctoral dissertations. + + + verse that is intended to be sung, especially Greek lyric verse of the seventh to fifth century B.C. + verse that is intended to be sung, especially Greek lyric verse of the seventh to fifth century B.C. + + We have seen that virtually all the melic verse of antiquity was addressed to someone, primarily because the forms of ancient rhetoric and music required it. + + + a short play consisting of one act. + a short play consisting of one act. + + The origin of the one-act play may be traced to the very beginning of drama: in ancient Greece, Cyclops, a satyr play by Euripides, is an early example. + + + an iambic line of six feet that allows for numerous variations, used for the theatre by poets such as Plautus and Terence. + an iambic line of six feet that allows for numerous variations, used for the theatre by poets such as Plautus and Terence. + + Variations in iambic senarius are due to resolution (replacing a long with two shorts) and anceps (when a syllable may be either long or short). + + + (phonetics, of a consonant) The property of being spoken without vibration of the vocal cords, as [t], [s], or [f]. + (phonetics, of a consonant) The property of being spoken without vibration of the vocal cords, as [t], [s], or [f]. + + Instead, he plans to maintain voicelessness of the consonant and an unintended consequence of that effort is a pitch perturbation following release. + + + A clause expressing purpose or intention (e.g. one introduced by in order that or lest). + A clause expressing purpose or intention (e.g. one introduced by in order that or lest). + + Final clauses that refer to the same subject as the main clause of the sentence can be expressed with to, in order to, so as to, for fear of, et cetera. + + + Etiquette practiced or advocated in electronic communication over a computer network. + Etiquette practiced or advocated in electronic communication over a computer network. + + I know there is a UK political blog war going on at the moment about 'netiquette' and lies and spin and deceit, and I have not wanted to join in. + + + a language in which words are made up of a linear sequence of distinct morphemes and each component of meaning is represented by its own morpheme. + a language in which words are made up of a linear sequence of distinct morphemes and each component of meaning is represented by its own morpheme. + + Agglutinative languages tend to have a high rate of affixes/morphemes per word, and to be very regular, in particular with very few irregular verbs. + + + The subject of a sentence that expresses the actual agent of an expressed or implied action (as father in “it is your father speaking”) or that is the thing about which something is otherwise predicated (as to do right in “it is sometimes hard to do right”). + The subject of a sentence that expresses the actual agent of an expressed or implied action (as father in “it is your father speaking”) or that is the thing about which something is otherwise predicated (as to do right in “it is sometimes hard to do right”). + + The notion of a logical subject can be made more precise in terms of a definition of reference, for something is a logical subject only if it is a referent of a sentence token. + + + a consonant sound in speech that is made by allowing air to escape from the mouth, as opposed to the nose. + a consonant sound in speech that is made by allowing air to escape from the mouth, as opposed to the nose. + + That is, especially within complex units, there may not be enough time to articulate a nasal at one point of articulation and an oral consonant at another. + + + (usually plural) a saying of Jesus not in the canonical gospels but found in other New Testament or early Christian writings. + (usually plural) a saying of Jesus not in the canonical gospels but found in other New Testament or early Christian writings. + + According to the Roman Catholic Church, for Agrapha to be genuine, they must be supported by external and internal evidence. + + + a Semitic language of ancient Ethiopia, now used only as the liturgical language of the Ethiopian Church. + a Semitic language of ancient Ethiopia, now used only as the liturgical language of the Ethiopian Church. + + Some linguists do not believe that Geʻez constitutes the common ancestor of modern Ethiopian languages, but that Geʻez became a separate language early on from some hypothetical, completely unattested language, and can thus be seen as an extinct sister language of Tigre and Tigrinya. + + + a type of music resembling the blues that is related to, but more earthy and modal in approach than, straight bop. + a type of music resembling the blues that is related to, but more earthy and modal in approach than, straight bop. + + Hard bop first developed in the mid-1950s, and is generally seen as originating with The Jazz Messengers, a quartet led by pianist Horace Silver and drummer Art Blakey. + + + the name of an object which may be perceived by one or more of the five senses. + the name of an object which may be perceived by one or more of the five senses. + + “Kitten” is an example of a concrete noun. A kitten registers with the five senses: you can see a kitten, pet its fur, smell its breath, hear it purr and taste its kisses. + + + a type of rhythm in which each time value is a multiple or fraction of a specified time unit but there are not regularly recurring accents. + a type of rhythm in which each time value is a multiple or fraction of a specified time unit but there are not regularly recurring accents. + + + + (rhetoric) A figure of speech whereby something is given less importance by the name given it than it merits. + (rhetoric) A figure of speech whereby something is given less importance by the name given it than it merits. + + The last and perhaps the most important of the ridiculing figures according to these writers is tapinosis. + + + a preposition consisting of a single word. + a preposition consisting of a single word. + + In the English language we have approximately 70 simple prepositions. + + + a numeral that does not specify an exact number. + a numeral that does not specify an exact number. + + Most is an indefinite numeral adjective denoting part of a whole. + + + (grammar) A word that expresses a countable quantity. + (grammar) A word that expresses a countable quantity. + + Cardinal numerals expressing numbers below 100 are single words, while those expressing higher numbers are syntactically composite. + + + jazz performed with a regular beat, moderate tempo, lack of improvisation, and an emphasis on warm tone and clearly outlined melody. + jazz performed with a regular beat, moderate tempo, lack of improvisation, and an emphasis on warm tone and clearly outlined melody. + + The combination of Basie's sweet jazz and Eckstine's low-down blues sensibilities meshed well. + + + a grammatical compound not having the same syntactic function in the sentence as any one of its immediate constituents. + a grammatical compound not having the same syntactic function in the sentence as any one of its immediate constituents. + + The noun bittersweet is an exocentric compound, since it is a noun but its elements are both adjectives. + + + excessive or undeserved praise. + excessive or undeserved praise. + + The piano instructor believes in encouraging her students but avoids any overpraise that might make them complacent. + + + imitation of or resemblance to the oratorical or literary style of Cicero especially as practiced or produced by the Ciceronians of the early Renaissance. + imitation of or resemblance to the oratorical or literary style of Cicero especially as practiced or produced by the Ciceronians of the early Renaissance. + + Ciceronianism of the narrowest variety towards a more direct and natural form of expression. + + + a syllable that ends with a consonant. + a syllable that ends with a consonant. + + The vowel in a closed syllable is short. + + + a recording of the radioactivity emitted by a tracer in an organism or organ system. + a recording of the radioactivity emitted by a tracer in an organism or organ system. + + + + any of various methods of using flags or pennants to send signals. + any of various methods of using flags or pennants to send signals. + + Flag signals allowed communication at a distance before the invention of radio and are still used especially in connection with ships. + + + a film genre that contains appropriate content for younger viewers but aims to appeal not only to children, but to a wide range of ages. + a film genre that contains appropriate content for younger viewers but aims to appeal not only to children, but to a wide range of ages. + + According to Bazalgette and Staples, a fine example of a family film is Honey, I Shrunk the Kids (1989), which if it was a European children's film with a similar plot, the title would be Sis, Dad Shrunk Us, explaining that European children's films are told from the child's perspective, portraying the story through the various emotions and experiences of the child. + + + a word or idiom of the Greek language used in another language, especially for literary effect. + a word or idiom of the Greek language used in another language, especially for literary effect. + + A key to identifying the channel of transmission of a Grecism to Yiddish is the geography of the Grecism within Yiddish. + + + a dash that is one-half the length of an em dash. + a dash that is one-half the length of an em dash. + + The en dash is commonly used to indicate a closed range of values—a range with clearly defined and finite upper and lower boundaries—roughly signifying what might otherwise be communicated by the word "through". + + + A rhetorical figure resulting from a reverted arrangement in the last clause of a sentence of the two principal words of the clause preceding; inversion of the members of an antithesis: as, “A poem is a speaking picture; a picture a mute poem”. + A rhetorical figure resulting from a reverted arrangement in the last clause of a sentence of the two principal words of the clause preceding; inversion of the members of an antithesis: as, “A poem is a speaking picture; a picture a mute poem”. + + I am not of Paracelsus's mind, that boldly delivers a receipt to make a man without conjunction; yet cannot but wonder at the multitude of heads that do deny traduction, having no other arguments to confirm their belief than that rhetorical sentence and antimetathesis of Augustine, "creando infunditur, infundendo creatur." + + + a type of language that has an ergative case or in which the direct object of a transitive verb has the same form as the subject of an intransitive verb. + a type of language that has an ergative case or in which the direct object of a transitive verb has the same form as the subject of an intransitive verb. + + An ergative language maintains a syntactic or morphological equivalence (such as the same word order or grammatical case) for the object of a transitive verb and the single core argument of an intransitive verb, while treating the agent of a transitive verb differently. + + + a computer file that contains digitized audio either in the Compact Disc (CDDA) format or in an MP3, AAC or other compressed format. + a computer file that contains digitized audio either in the Compact Disc (CDDA) format or in an MP3, AAC or other compressed format. + + + + + (usually plural) a command or set of commands covering an entire day issued by a military organization or a military commander to troops, sailors, etc. + (usually plural) a command or set of commands covering an entire day issued by a military organization or a military commander to troops, sailors, etc. + + They ran everything and issued daily orders from the occupied Headquarters. + + + prior to 1968 a court title given by the Pope to high-ranking clergy as well as laypersons, usually members of prominent Italian noble families. + prior to 1968 a court title given by the Pope to high-ranking clergy as well as laypersons, usually members of prominent Italian noble families. + + From the days of Pope Leo I (440-461) the pontifical household had included papal chamberlains who were personal attendants on the Pope in his private apartments. + + + a name of a "minor" or small natural feature (e.g., a field, path, bridge, ditch, etc.). + a name of a "minor" or small natural feature (e.g., a field, path, bridge, ditch, etc.). + + Larrain is the name of a farmhouse in Astigarraga (Gipuzkoa) and a microtoponym in the same province. + + + an adverbial that talks about a possible or counterfactual situation and its consequences. + an adverbial that talks about a possible or counterfactual situation and its consequences. + + This suggests an adverbial of condition; Old furniture will last forever if you polish it regularly + + + An accent on the first syllable of a word. + An accent on the first syllable of a word. + + The fronting took place more slowly in American English and so Modern American English has forms like elo'ngate, imprégnate and remonstrate where British English usually has initial stress. + + + a morpheme that signifies the past tense of a verb. + a morpheme that signifies the past tense of a verb. + + In English, The most popular past tense morpheme is indicated by the suffix –ed added to regular verbs. + + + a file that includes printouts ready for publishing. + a file that includes printouts ready for publishing. + + + + a piece of music composed for the Hungarian Csárdás dance. + a piece of music composed for the Hungarian Csárdás dance. + + The Csárdás is characterized by a variation in tempo: it starts out slowly (lassú) and ends in a very fast tempo (friss, literally "fresh"). + + + a type of operatic soprano voice that has the limpidity and easy high notes of a lyric soprano, yet can be "pushed" on to achieve dramatic climaxes without strain. + a type of operatic soprano voice that has the limpidity and easy high notes of a lyric soprano, yet can be "pushed" on to achieve dramatic climaxes without strain. + + The more dramatic sister of the lyric soprano is the spinto soprano, not quite a full-on dramatic soprano, but possessing a combination of qualities of both the lyric and the dramatic sopranos. + + + an inflectional language, or one characterized by grammatical endings. + an inflectional language, or one characterized by grammatical endings. + + + English is a mildly synthetic language, while older Indo-European languages, like Latin, Greek and Sanskrit, are highly synthetic. + + + a way of showing the truth or falsehood of a given statement by a straightforward combination of established facts, usually axioms, existing lemmas and theorems, without making any further assumptions. + a way of showing the truth or falsehood of a given statement by a straightforward combination of established facts, usually axioms, existing lemmas and theorems, without making any further assumptions. + + A proof by contraposition of the implication p → q is a direct proof of ¬q →¬p (the contrapositive of p → q ). + + + a vowel sound made with your tongue near the top of your mouth. + a vowel sound made with your tongue near the top of your mouth. + + The vowel in seat is a close vowel and that in sat a fairly open vowel. + + + a type of consonant in some languages, e.g., Hausa, produced by sudden release of pressure from the glottis. + a type of consonant in some languages, e.g., Hausa, produced by sudden release of pressure from the glottis. + + The vast majority of ejective consonants noted in the world's languages consists of stops or affricates, and all ejective consonants are obstruents. + + + an aorist that lacks the sigma or -s phoneme. + an aorist that lacks the sigma or -s phoneme. + + Over time, the asigmatic aorist became increasingly marked as an archaic language feature and was eventually replaced by the other two aorist formations. + + + Fighting together or in an alliance with an ally (or allies) + Fighting together or in an alliance with an ally (or allies) + + In technical language the Peloponnesian League was a hegemonic symmachy + + + language designed to persuade or influence others. + language designed to persuade or influence others. + + Martin Luther King Jr. used rhetorical language to get his point across; everyone should be treated equal. + + + a sign telling drivers to stop and wait until they can continue safely. + a sign telling drivers to stop and wait until they can continue safely. + + The 1968 Vienna Convention on Road Signs and Signals allows for two types of stop sign, as well as three acceptable variants. + + + a Common Slavonic nasalized front vowel in the early Cyrillic and Glagolitic alphabets. + a Common Slavonic nasalized front vowel in the early Cyrillic and Glagolitic alphabets. + + The names of the letters do not imply capitalization, as both little and big yus exist in majuscule and minuscule variants. + + + an official letter in which one's achievements are recognized and honored. + an official letter in which one's achievements are recognized and honored. + + + + A problem with the stipulation "White to move and checkmate Black in no more than three moves against any defence". + A problem with the stipulation "White to move and checkmate Black in no more than three moves against any defence". + + Accordingly, the solver usually takes it for granted that a three-mover has a threat, unless the setting definitely suggests a block position. + + + small circular, rectangular, or square advertisement appearing usually at the bottom of a webpage. + small circular, rectangular, or square advertisement appearing usually at the bottom of a webpage. + + They are mostly ideal for co-branding excercises, where one website associates itself intrinsically with another via the use of a button ad instead of normal hyperlink. + + + any road sign used primarily to give information about the location of either the driver or possible destinations, and are considered a subset of the informative signs group. + any road sign used primarily to give information about the location of either the driver or possible destinations, and are considered a subset of the informative signs group. + + Direction signs are far more varied internationally than other classes of sign, as the Vienna Convention does not specify sizes, colours, symbols or positions of such signs. + + + the pronouncing of a sound without lip rounding. + the pronouncing of a sound without lip rounding. + + Historically, phonemic schwa seems to have developed by delabialization and denasalization of a low, back, rounded and nasalized vowel. + + + a large subgenre of trance music, named for the feeling which listeners claim to get (often described as a "rush"). + a large subgenre of trance music, named for the feeling which listeners claim to get (often described as a "rush"). + + Instead of the darker tone of Goa, uplifting trance uses similar chord progressions as progressive trance, but tracks' chord progressions usually rest on a major chord, and the balance between major and minor chords in a progression will determine how "happy" or "sad" the progression sounds. + + + a means of proving a theorem by showing that if it is true of any particular case, it is true of the next case in a series, and then showing that it is indeed true in one particular case. + a means of proving a theorem by showing that if it is true of any particular case, it is true of the next case in a series, and then showing that it is indeed true in one particular case. + + Next, we illustrate this process again, by using mathematical induction to give a proof of an important result, which is frequently used in algebra, calculus, probability and other topics. + + + a sentence that is an exclamation, a general or striking comment, or a succinct summary of what has previously been said. + a sentence that is an exclamation, a general or striking comment, or a succinct summary of what has previously been said. + + In Chaucer's The Reeve's Tale, the Reeve drives home his story of a cheating Miller by summarizing the tale that he has told in an epiphonema. + + + a dramatized, purely acoustic performance, broadcast on radio or published on audio media, such as tape or CD. + a dramatized, purely acoustic performance, broadcast on radio or published on audio media, such as tape or CD. + + An important turning point in radio drama came when Schenectady, New York's WGY, after a successful tryout on August 3, 1922, began weekly studio broadcasts of full-length stage plays in September 1922, using music, sound effects and a regular troupe of actors, The WGY Players. + + + an iambic verse in which the last foot is a spondee or trochee instead of an iambus. + an iambic verse in which the last foot is a spondee or trochee instead of an iambus. + + Limping iamb is a fitting name, as a spondee or trochee in the last foot effectively break the metrical rhythm. + + + an early technology for the transmission of facsimiles. + an early technology for the transmission of facsimiles. + + Ives then turned his attention to television, which he regard as merely a speeded-up form of phototelegraphy. + + + a computer file that contains digitized video. + a computer file that contains digitized video. + + + A program (or hardware) which can decode video or audio is called a codec; playing or encoding a video file will sometimes require the user to install a codec library corresponding to the type of video and audio coding used in the file. + + + vivid picturesque description. + vivid picturesque description. + + Hypotyposis, in other words, makes the mediated appear immediate and induces passive acceptance. + + + a pun made by changing the letters of a word, especially the initial letter. + a pun made by changing the letters of a word, especially the initial letter. + + A paragram is a play on words made by altering a word, or sometimes only a letter, in a common expression or literary allusion. + + + A noun identifying a person. + A noun identifying a person. + + The fact that baroque flautist is the personal noun form can be deduced from the fact that flautist is the personal noun form of the head noun flute. + + + a speech sound having as an obvious concomitant an audible puff of breath, as initial stop consonants or initial h -sounds. + a speech sound having as an obvious concomitant an audible puff of breath, as initial stop consonants or initial h -sounds. + + The p in English pot is an aspirate, but the p in spot is not. + + + palindromic verse, named after Satodes, an Ancient Greek poet. + palindromic verse, named after Satodes, an Ancient Greek poet. + + The sotadic metre or sotadic verse, which has been classified by ancient and modern scholars as a form of ionic metre, is one that reads backwards and forwards the same, as “llewd did I live, and evil I did dwell.” + + + a subtype of the mezzo-soprano with a range from approximately the G below middle C (G3) to the A two octaves above middle C (A5). + a subtype of the mezzo-soprano with a range from approximately the G below middle C (G3) to the A two octaves above middle C (A5). + + Lyric mezzo-sopranos do not have the vocal agility of the coloratura mezzo-soprano or the size of the dramatic mezzo-soprano. + + + a syllable ended by a vowel or diphthong. + a syllable ended by a vowel or diphthong. + + An open syllable occurs when a vowel is at the end of the syllable, resulting in the long vowel sound, e.g. pa/per, e/ven, o/pen, go & we. + + + (linguistics, poetry) the use of isosyllabic verse. + (linguistics, poetry) the use of isosyllabic verse. + + But it is likewise true that—especially in the context of the eighteenth century—anapestic meter seemed somewhat flippant and irreverent in comparison with the staid isosyllabism of iambic pentameter. + + + the ​tense that is used to refer to ​events, ​actions, and ​conditions that are ​happening all the ​time, or ​exist now. + the ​tense that is used to refer to ​events, ​actions, and ​conditions that are ​happening all the ​time, or ​exist now. + + The ​sentences "I ​live in Madrid", "She doesn't like ​cheese", and "I ​think you're ​wrong" are all in the ​present ​simple. + + + Excessive interpretation. + Excessive interpretation. + + Diligent reviewers and careful editors can identify mistakes, provide balance, and restrain overinterpretation. + + + The Cyrillic letter Ь/ь, which in Old Church Slavonic represented a short (or "reduced") front vowel, and in modern languages serves to denote a soft (palatalized) consonant. + The Cyrillic letter Ь/ь, which in Old Church Slavonic represented a short (or "reduced") front vowel, and in modern languages serves to denote a soft (palatalized) consonant. + + The yers in weak position were lost, although not in some instances before palatalizing the preceeding consonant by the front yer b. + + + a ticket given to someone who checks a coat or other personal item into a cloakroom and which is used to redeem that item at a later period. + a ticket given to someone who checks a coat or other personal item into a cloakroom and which is used to redeem that item at a later period. + + + + The characteristic quality of poetry that is marked by departure from the subject, course, or idea at hand; or by an exploration of a different or unrelated concern. + The characteristic quality of poetry that is marked by departure from the subject, course, or idea at hand; or by an exploration of a different or unrelated concern. + + Eighteenth-century writers, says Stabler, were never ‘lost’ in their digressiveness and used it as a method of supporting their concepts. + + + A lengthy, formal treatise written by a candidate for the doctoral degree at a university. + A lengthy, formal treatise written by a candidate for the doctoral degree at a university. + + The term graduate thesis is sometimes used to refer to both master's theses and doctoral dissertations. + + + an act of describing oneself. + an act of describing oneself. + + His self-description as an "experimenter" puts him shoulder-to-shoulder with William James and John Dewey. + + + an unstressed, central variant of a fuller vowel. + an unstressed, central variant of a fuller vowel. + + The most common reduced vowel is schwa. + + + Poetry made up of lines of the same approximate meter and length, not broken up into stanzas. + Poetry made up of lines of the same approximate meter and length, not broken up into stanzas. + + There are only a few instances of stichic verse in the Menschheitsdammerung, and many of these are simply linked quatrains. + + + one of the rhythmic modes of the medieval music. + one of the rhythmic modes of the medieval music. + + Modal notation was developed by the composers of the Notre Dame school from 1170 to 1250, replacing the even and unmeasured rhythm of early polyphony and plainchant with patterns based on the metric feet of classical poetry, and was the first step towards the development of modern mensural notation. + + + A personal information manager developed by Corel; no longer in use. + A personal information manager developed by Corel; no longer in use. + + I've been using CorelCENTRAL for a few years and I agree that it's a disaster. + + + a type of rhythm which is neither divisive nor additive; characterized by no recurring accents, and unspecified time values. + a type of rhythm which is neither divisive nor additive; characterized by no recurring accents, and unspecified time values. + + Some chants and recitative vocal pieces may be considered as instances of a free rhythm. + + + Mozilla Calendar was a free software / open source calendar and personal information manager based on the open iCalendar standard. + Mozilla Calendar was a free software / open source calendar and personal information manager based on the open iCalendar standard. + + The initial plan was for Mozilla Calendar to eventually be integrated into the Mozilla Application Suite alongside the other components. + + + (usually plural) one of a series of antiphons and responses expressing the remonstrance of Jesus Christ with his people, usually sung on Good Friday. + (usually plural) one of a series of antiphons and responses expressing the remonstrance of Jesus Christ with his people, usually sung on Good Friday. + + In their present form in the Roman Rite, the Improperia are a series of three couplets, sung antiphonally by cantors and followed by alternate Greek and Latin responses from the two halves of the choir; and nine other lines sung by the cantors, with the full choir responding after each with the refrain "Popule meus, quid feci tibi? . . . ." + + + a chain letter sent through email messages. + a chain letter sent through email messages. + + There are many forms of chain email that threaten death or the taking of one's soul by telling tales of others' deaths, such as the Katu Lata Kulu chain email, stating that if it is not forwarded, the receivers of the message will be killed by the spirit. + + + (phonetics) Any vowel sound produced in the back of the mouth. + (phonetics) Any vowel sound produced in the back of the mouth. + + Examples of back vowels include "u" in “rule” and "o" in “pole”. + + + a constructed language devised by J. R. R. Tolkien, a sign language used by the Dwarves of Middle-Earth. + a constructed language devised by J. R. R. Tolkien, a sign language used by the Dwarves of Middle-Earth. + + Iglishmêk is by far the most advanced of the gesture languages of Middle-earth, being the most elaborate and organized system. + + + an early subgenre of trance music that peaked prominently on the international dance scene between 1995 and 1998. + an early subgenre of trance music that peaked prominently on the international dance scene between 1995 and 1998. + + The creation of dream trance was a response to social pressures in Italy during the early 1990s; the growth of rave culture among young adults, and the ensuing popularity of nightclub attendance, had created a weekly trend of deaths due to car accidents as clubbers drove across the country overnight, falling asleep at the wheel from strenuous dancing as well as alcohol and drug use. + + + a short scripture reading; done after a psalmody. + a short scripture reading; done after a psalmody. + + We can distinguish between a short and long reading, called capitula or lectio respectively. + + + a meaningless chant or expression used in conjuring or incantation. + a meaningless chant or expression used in conjuring or incantation. + + This claim is substantiated by the fact that in the Netherlands, the words Hocus pocus are usually accompanied by the additional words pilatus pas, and this is said to be based on a post-Reformation parody of the traditional Catholic ritual of transubstantiation during mass, being a Dutch corruption of the Latin words "Hoc est corpus", meaning this is (my) body, and the credo "sub Pontio Pilato passus et sepultus est", meaning under Pontius Pilate he suffered and was buried. + + + an adverbial that expresses an idea that suggests the opposite of the main part of the sentence. + an adverbial that expresses an idea that suggests the opposite of the main part of the sentence. + + A number of them deal with marked forms within the verb phrase, but at least downtoners, concessive adverbials and pied piping constructions do not fall in this category. + + + an expression of hope for someone's future happiness or welfare. + an expression of hope for someone's future happiness or welfare. + + We sent our best wishes for a speedy recovery. + + + a poem whose meaning is conveyed through its graphic shape or pattern on the printed page. + a poem whose meaning is conveyed through its graphic shape or pattern on the printed page. + + "The Mouse's Tale" is a concrete poem by Lewis Carroll which appears in his novel Alice's Adventures in Wonderland. + + + a sign, abbreviation, letter, or character standing for words in ancient manuscripts or on coins or medals. + a sign, abbreviation, letter, or character standing for words in ancient manuscripts or on coins or medals. + + One practice was rendering an over-used, formulaic phrase only as a siglum, e.g. RIP for requiescat in pace ("Rest in Peace"), because the long-form written usage of the abbreviated phrase, itself, was rare. + + + (astronomy) a series of star maps for different times, for example, for each month; the maps are generally drawn to a small scale and in book form. + (astronomy) a series of star maps for different times, for example, for each month; the maps are generally drawn to a small scale and in book form. + + In 1627, Julius Schiller published the star atlas Coelum Stellatum Christianum which replaced pagan constellations with biblical and early Christian figures. + + + a characteristic feature of Aramaic occurring in another language. + a characteristic feature of Aramaic occurring in another language. + + Even Joachim Jeremias, one of the prime champions of this criterion, recognized that the mere presence of an Aramaism could not prove the authenticity of an independent unit of translation. + + + (philosophy, law, sciences) Evidence which tends to disprove a claim or hypothesis. + (philosophy, law, sciences) Evidence which tends to disprove a claim or hypothesis. + + People persevere in asserting all sorts of things in the face of apparent counterevidence. + + + a descriptive word or phrase which an author regularly or standardly uses to describe an object or, more often, a person. + a descriptive word or phrase which an author regularly or standardly uses to describe an object or, more often, a person. + + Stock epithets are most commonly used in literature which is based on a strong oral tradition, for example, some types of epic poetry and ballad. + + + nasalization that consists of an oral vowel followed by a nasal semivowel. + nasalization that consists of an oral vowel followed by a nasal semivowel. + + It is only before a fricative (and for a in word-final position) that e and a are pronounced as asynchronous nasal vowels, that is, [eu] and [ou]. + + + a term popularised by Pope John Paul II with reference to efforts to reawaken the faith in traditionally Christian parts of the world, particularly Europe. + a term popularised by Pope John Paul II with reference to efforts to reawaken the faith in traditionally Christian parts of the world, particularly Europe. + + The New Evangelization calls each of us to deepen our faith, believe in the Gospel message and go forth to proclaim the Gospel. + + + (phonetics) articulated with the flexible front part of the tongue. + (phonetics) articulated with the flexible front part of the tongue. + + Only the coronal consonants can be divided into apical (using the tip of the tongue), laminal (using the blade of the tongue), domed (with the tongue bunched up), or subapical (using the underside of the tongue), as well as a few rarer orientations, because only the front of the tongue has such dexterity. + + + A problem with the stipulation "White to move and checkmate Black in two moves against any defence". + A problem with the stipulation "White to move and checkmate Black in two moves against any defence". + + Although, if he was consistent, perhaps he should have said that a three-mover would be three times as difficult as a two-mover. + + + the ​form of a ​verb used to ​describe an ​action that ​happened before the ​present ​time and is no ​longer ​happening. + the ​form of a ​verb used to ​describe an ​action that ​happened before the ​present ​time and is no ​longer ​happening. + + Regular verbs form the simple past in -ed; however there are a few hundred irregular verbs with different forms. + + + a Common Slavonic nasalized back vowel in the early Cyrillic and Glagolitic alphabets. + a Common Slavonic nasalized back vowel in the early Cyrillic and Glagolitic alphabets. + + The names of the letters do not imply capitalization, as both little and big yus exist in majuscule and minuscule variants. + + + A vowel which is normally pronounced somewhat longer than other vowels (usually around 1½ to double length). + A vowel which is normally pronounced somewhat longer than other vowels (usually around 1½ to double length). + + Long vowel is the term used to refer to vowel sounds whose pronunciation is the same as its letter name. + + + a broad genre consisting of descriptive accounts, also known as travelogues or itineraries, telling about an individual or a group's encounter with a new place, peoples and cultures. + a broad genre consisting of descriptive accounts, also known as travelogues or itineraries, telling about an individual or a group's encounter with a new place, peoples and cultures. + + The first wave of travel literature in the century following Columbus recounted heroic tales of crusades, conquests and pilgrimages. + + + a verb form expressing action as single in its occurrence without repetition or continuation. + a verb form expressing action as single in its occurrence without repetition or continuation. + + Semelfactive verbs include "blink", "sneeze", and "knock". + + + An entry, such as one in an account or reference work, that is included within a main entry. + An entry, such as one in an account or reference work, that is included within a main entry. + + The middle stem of most transitive verbs are given as a subentry (in italics) under the transitive verb entry (in bold face). + + + a blog in which there is a limitation on the length of individual postings. + a blog in which there is a limitation on the length of individual postings. + + A survey by the Data Center of China Internet from 2010 showed that Chinese microblog users most often pursued content created by friends, experts in a specific field or related to celebrities. + + + Special emphasis placed exceptionally upon tones not subject to grammatical accent. + Special emphasis placed exceptionally upon tones not subject to grammatical accent. + + Rhetorical accent, or emphasis, is designed to give to a sentence distinctness and clearness. + + + A personal information manager developed in 1993 by WordPerfect Corporation; no longer in use. + A personal information manager developed in 1993 by WordPerfect Corporation; no longer in use. + + InfoCentral focused on creating and tracking connection between data objects. + + + a musical scale having intervals that mutate between major and minor and used especially in jazz. + a musical scale having intervals that mutate between major and minor and used especially in jazz. + + There are no notes in the minor pentatonic that are not in blues scale for the same scale, but a true blues scale contains a flatted fifth. + + + tape-recorded musical and natural sounds, often electronically distorted, arranged in planned combinations, sequences, and rhythmic patterns to create an artistic work. + tape-recorded musical and natural sounds, often electronically distorted, arranged in planned combinations, sequences, and rhythmic patterns to create an artistic work. + + title Composition Concrete refers in part to the musique concrete of the French-American composer Edgar Varese, who taped sounds and then edited and reorganized them, and in part to Davis's own style. + + + a yer semivowel that was reduced to an ultrashort vowel, and eventually disappeared in a modern Slavic language. + a yer semivowel that was reduced to an ultrashort vowel, and eventually disappeared in a modern Slavic language. + + Counting from the last yer in a word, the final yer is weak, the previous yer is strong, the previous yer is weak, etc., until a full vowel is reached, and then the pattern is started again with alternating weak then strong yers. + + + (Literary & Literary Critical Terms) undistinguished literary work produced to order. + (Literary & Literary Critical Terms) undistinguished literary work produced to order. + + James Scully has observed that much of what is called political poetry, or poetry that deals with politics, is hackwork. + + + An added title page bearing the series title proper and usually, though not necessarily, other information about the series. + An added title page bearing the series title proper and usually, though not necessarily, other information about the series. + + The series title is given on a separate series title page, usually the verso of the leaf bearing the half title. + + + a rhyme of but a single stressed syllable, as in disdain, complain. + a rhyme of but a single stressed syllable, as in disdain, complain. + + In English-language poetry, especially serious verse, masculine rhymes comprise a majority of all rhymes. + + + a notation used in logic. + a notation used in logic. + + + + a news dispatch from the international news agency Reuters. + a news dispatch from the international news agency Reuters. + + A Reuters dispatch the next day left the clear impression that the attack might have something to do with opponents of embryonic stem cell research. + + + (phonetics) Any sound articulated with the tongue near or touching the back of the alveolar ridge. + (phonetics) Any sound articulated with the tongue near or touching the back of the alveolar ridge. + + The sibilant postalveolars (i.e. fricatives and affricates) are sometimes called "hush consonants" because they include the sound of English Shhh! (as distinguished from the "hiss consonant" [s], as in Ssss!). + + + A section of text that comes before the story. + A section of text that comes before the story. + + The promythium originally functioned to index the fable according to its subject, so that a would-be orator could easily locate exempla relative to his topic. + + + (phonetics) Any vowel sound produced in the front of the mouth. + (phonetics) Any vowel sound produced in the front of the mouth. + + Examples of front vowels include "a" in “man” and "e" in “gel”. + + + (linguistics) any vowel sound in which the tongue is positioned halfway between a front vowel and a back vowel. + (linguistics) any vowel sound in which the tongue is positioned halfway between a front vowel and a back vowel. + + In practice, unrounded central vowels tend to be further forward and rounded central vowels further back. + + + a piece of music in the rhythm of the Hungarian Csárdás dance. + a piece of music in the rhythm of the Hungarian Csárdás dance. + + Classical composers who have used csárdás themes in their works include Emmerich Kálmán, Franz Liszt, Johannes Brahms, Léo Delibes, Johann Strauss, Pablo de Sarasate, Pyotr Ilyich Tchaikovsky and others. + + + a syllable with a short vowel as the nucleus and no coda. + a syllable with a short vowel as the nucleus and no coda. + + A light syllable consists of a single short vowel in an open syllable. + + + The marked point, on an azimuth marker, for which the azimuth(s) to one or more distant points is (are) given. + The marked point, on an azimuth marker, for which the azimuth(s) to one or more distant points is (are) given. + + An azimuth mark, together with its associated triangulation station, provides an accurate azimuth (like a compass direction) that is based on true North rather than magnetic North. + + + a secondary heading, especially one printed above another. + a secondary heading, especially one printed above another. + + + + bringing radio signals into homes and businesses via coaxial cable. + bringing radio signals into homes and businesses via coaxial cable. + + On the East Coast the most popular commercial cable radio station was WLHE, started in 1979 in Woburn, Massachusetts. + + + That state of an adverb indicating simple quality, without comparison or relation to increase or diminution. + That state of an adverb indicating simple quality, without comparison or relation to increase or diminution. + + An example using a positive-degree adverb that doesn't end in -ly would be the adverb "fast" in the sentence, "She drove fast." + + + (linguistics) A vowel that is pronounced with the lips drawn together and forming a circular opening. + (linguistics) A vowel that is pronounced with the lips drawn together and forming a circular opening. + + Thus rounded vowels and labialized consonants affect each other through phonetic assimilation: Rounded vowels labialize consonants, and labialized consonants round vowels. + + + the variant readings, footnotes, etc found in a scholarly work or a critical edition of a text. + the variant readings, footnotes, etc found in a scholarly work or a critical edition of a text. + + The first printed edition of the New Testament with critical apparatus, noting variant readings among the manuscripts, was produced by the printer Robert Estienne of Paris in 1550. + + + a simplified form of the Cyrillic alphabet, introduced by Tsar Peter the Great for printing secular works. + a simplified form of the Cyrillic alphabet, introduced by Tsar Peter the Great for printing secular works. + + The introduction of the civil script, designed under Peter the Great for scientific and academic pursuits, altered the system in a decisive way. + + + an ancient Roman form of writing, and the basis for modern capital letters. + an ancient Roman form of writing, and the basis for modern capital letters. + + Square capitals were used to write inscriptions, and less often to supplement everyday handwriting. + + + A linguistic feature of Yiddish, especially a Yiddish idiom or phrasing that appears in another language. + A linguistic feature of Yiddish, especially a Yiddish idiom or phrasing that appears in another language. + + Schmooze is an example of a Yiddishism. + + + a subtype of the mezzo-soprano with a range from approximately the F below middle C to the G two octaves above middle C. + a subtype of the mezzo-soprano with a range from approximately the F below middle C to the G two octaves above middle C. + + The dramatic mezzo-soprano can sing over an orchestra and chorus with ease and was often used in the 19th century opera, to portray older women, mothers, witches and evil characters. + + + A directmate with the stipulation "White to move and checkmate Back in no more than n moves against any defence" where n is greater than 3. + A directmate with the stipulation "White to move and checkmate Back in no more than n moves against any defence" where n is greater than 3. + + This week's problem is a more-mover by a composer better known for his endgame study and theory work. + + + A graphic engine is a type of software used by application programs to draw graphics on computer display screens. + A graphic engine is a type of software used by application programs to draw graphics on computer display screens. + + The graphic engine of Microsoft Windows is its integral part. + + + a bill of lading issued when the shipment passes through different modes of transport or different distribution centers. + a bill of lading issued when the shipment passes through different modes of transport or different distribution centers. + + + + + a platform to build social networks or social relations among people who share similar interests, activities, backgrounds or real-life connections. + a platform to build social networks or social relations among people who share similar interests, activities, backgrounds or real-life connections. + + Social networking services are increasingly being used in legal and criminal investigations. + + + proof that a boater has taken and passed an approved boater education course. + proof that a boater has taken and passed an approved boater education course. + + A boating license or boater education card is required in most states in order to operate a motorized vessel. + + + a pronoun indicating possession, for example mine, yours, hers, theirs. + a pronoun indicating possession, for example mine, yours, hers, theirs. + + It is common for languages to have independent possessive determiners (adjectives) and possessive pronouns corresponding to the personal pronouns of the language. + + + (archaic, obsolete) A register. + (archaic, obsolete) A register. + + Others of later time have sought to assert him by old legends and Cathedrall regests. + + + (grammar) a pronoun having no specific referent, such as someone, anybody, or nothing. + (grammar) a pronoun having no specific referent, such as someone, anybody, or nothing. + + In "many disagree with his views" the word "many" functions as an indefinite pronoun, while in "many people disagree with his views" it functions as a quantifier. + + + a writing system in which graphemes are ideograms representing concepts or ideas, rather than a specific word in a language. + a writing system in which graphemes are ideograms representing concepts or ideas, rather than a specific word in a language. + + + The successful decipherment was preceded by a long period during which hieroglyphs were wrongly believed to be a purely ideographic script. + + + gentle humour at one's own expense. + gentle humour at one's own expense. + + His letter home has a touch of self-mockery. + + + (rhetoric) exhortation; admonition. + (rhetoric) exhortation; admonition. + + In Deuteronomy it is often impossible to separate parenesis from history. + + + a fusion genre of heavy metal music and traditional folk music that developed in Europe during the 1990s. + a fusion genre of heavy metal music and traditional folk music that developed in Europe during the 1990s. + + + Even with the departure of Martin Walkyier in 2001, Skyclad remains an active folk metal group today after nearly two decades since their formation. + + + the art or process of producing chromolithographs printed on cloth to imitate an oil painting. + the art or process of producing chromolithographs printed on cloth to imitate an oil painting. + + Oleography was a technique used for large scale quality color printing. + + + a poetic phrase, utterance, etc. + a poetic phrase, utterance, etc. + + Just as hath is a poeticism in Keats and an unmarked form for Shakespeare, sogebided may have been a poeticism to Alfred and an unmarked form for Qedmon. + + + A series of instructions that activates a graphics device, such as a display screen or plotter. + A series of instructions that activates a graphics device, such as a display screen or plotter. + + + + a dispatch sent via radio transmission. + a dispatch sent via radio transmission. + + A radio dispatch gets its veracity from the authentic sound of the reporter being in the scene--even interacting with others in the scene. + + + a type of music that developed in the 1970s, combining jazz styles with rock music and using electronic instruments such as guitars and synthesizers. + a type of music that developed in the 1970s, combining jazz styles with rock music and using electronic instruments such as guitars and synthesizers. + + Jazz Fusion incorporates elements of different genres while maintaining an element that is distinctly 'jazz'. + + + an eight-note scale made up of alternating semitones and whole tones. + an eight-note scale made up of alternating semitones and whole tones. + + Bernstein often used the octatonic scale, also very popular in jazz music, as a basis for his compositions. + + + (music) the craft of hymn composition. + (music) the craft of hymn composition. + + As windows into the Kingdom, iconography and hymnography reveal the glory and majesty of God. + + + contracts that are traded (and privately negotiated) directly between two parties, without going through an exchange or other intermediary. + contracts that are traded (and privately negotiated) directly between two parties, without going through an exchange or other intermediary. + + The OTC derivative market is the largest market for derivatives, and is largely unregulated with respect to disclosure of information between the parties, since the OTC market is made up of banks and other highly sophisticated parties, such as hedge funds. + + + a speech sound by which the airstream flows inward through the mouth or nose. + a speech sound by which the airstream flows inward through the mouth or nose. + + An ingressive is a speech sound that is articulated using an inwards moving airstream mechanism. + + + a production where two or more different production companies are working together, for example in a film production. + a production where two or more different production companies are working together, for example in a film production. + + The show was a co-production between the United Kingdom's BBC and Germany's ZDF broadcasters. + + + Electronic trance from Europe. + Electronic trance from Europe. + + + Euro-Trance emerged as a hybrid of Hard Trance and Eurodance music and was most popular between late 1998 and 2000. + + + a diacritic mark of the Latin script, used primarily in written Hungarian. + a diacritic mark of the Latin script, used primarily in written Hungarian. + + Standard Hungarian has 14 vowels in a symmetrical system: seven short vowels (a, e, i, o, ö, u, ü) and seven long ones, which are written with an acute accent in the case of á, é, í, ó, ú, and with the double acute in the case of ő, ű. + + + An adverb that describes how the action of a verb is carried out. + An adverb that describes how the action of a verb is carried out. + + Adverbs of manner (like "desperately") can modify verbs directly. + + + postage stamps, or any other markings recognized and accepted by the postal system or systems providing service, which indicate the payment of sufficient fees for the class of service which the item of mail is to be or had been afforded. + postage stamps, or any other markings recognized and accepted by the postal system or systems providing service, which indicate the payment of sufficient fees for the class of service which the item of mail is to be or had been afforded. + + + + a clitic that is associated with a following word. + a clitic that is associated with a following word. + + The indefinite article 'a' is a proclitic, a word that wants to merge phonologically with the word that follows it. + + + a necessarily true or logically certain proposition. + a necessarily true or logically certain proposition. + + If the latter, then neither an universally valid, much less an apodictic proposition can arise from it, for experience never can give us any such proposition. + + + a verb form expressing action as complete or as implying the notion of completion, conclusion, or result. + a verb form expressing action as complete or as implying the notion of completion, conclusion, or result. + + + Perfective verbs are commonly formed from imperfective ones by the addition of a prefix, or else the imperfective verb is formed from the perfective one by modification of the stem or ending. + + + a sign indicating the operation of multiplication. + a sign indicating the operation of multiplication. + + Other symbols can also be used to denote multiplication, often to reduce confusion between the multiplication sign × and the commonly used variable x. + + + the use in a text of different tones or viewpoints, whose interaction or contradiction is important to the text's interpretation. + the use in a text of different tones or viewpoints, whose interaction or contradiction is important to the text's interpretation. + + What caught my eye about this is that it bears interesting relation to Bakhtin's concept of the dialogism of the "living word" -- in fact, capitalize that "w" and it would be downright eerie. + + + a yer semivowel that was not reduced to an ultrashort vowel, but instead evolved into different sound in a modern Slavic language. + a yer semivowel that was not reduced to an ultrashort vowel, but instead evolved into different sound in a modern Slavic language. + + Counting from the last yer in a word, the final yer is weak, the previous yer is strong, the previous yer is weak, etc., until a full vowel is reached, and then the pattern is started again with alternating weak then strong yers. + + + form of didactic drama presenting a series of loosely connected scenes that avoid illusion and often interrupt the story line to address the audience directly with analysis, argument, or documentation. + form of didactic drama presenting a series of loosely connected scenes that avoid illusion and often interrupt the story line to address the audience directly with analysis, argument, or documentation. + + Epic theatre is now most often associated with the dramatic theory and practice evolved by the playwright-director Bertolt Brecht in Germany from the 1920s onward. + + + an indication of satisfaction or approval. + an indication of satisfaction or approval. + + The phrase "two thumbs up" has come to be used as an indication of very high quality or unanimity of praise. + + + crossword puzzles in which each clue is a word puzzle in and of itself. + crossword puzzles in which each clue is a word puzzle in and of itself. + + Many Canadian newspapers, including the Ottawa Citizen, Toronto Star and the Globe and Mail, carry cryptic crosswords. + + + an iambic line of six feet in which all ancipitia are short and no resolutions of the longa are allowed. + an iambic line of six feet in which all ancipitia are short and no resolutions of the longa are allowed. + + A pure iambic trimeter is an extremely rare verse, but can be found in the poetry of Catullus. + + + the use of hyperbole. + the use of hyperbole. + + Their oriental mellifluousness, hyperbolism, and obsequious politeness of speech have, as well as the Asiatic appearance of their features and dress, been noticed by all travellers in Poland. + + + any software program that runs on a user's local computer and accesses data stored on a remote computer. + any software program that runs on a user's local computer and accesses data stored on a remote computer. + + Your Web browser is a client program that has requested a service from a server; in fact, the service and resouce the server provided is the delivery of this Web page. + + + a vowel sound in which the lips are slack or drawn back. + a vowel sound in which the lips are slack or drawn back. + + Strangely, Japanese too shows lenition of dental plosives neighbouring back vowels ie. specifically, the high back unrounded vowel u. + + + instrumental music, as a concerto or string quartet, that draws no inspiration from or makes no reference to a text, program, visual image, or title and that exists solely in terms of its musical form, structure, and elements. + instrumental music, as a concerto or string quartet, that draws no inspiration from or makes no reference to a text, program, visual image, or title and that exists solely in terms of its musical form, structure, and elements. + + There were several champions of absolute music, people that believed that music had the ability to transcend the boundaries of human limitations (language, time, space, etc.) + + + (phonetics) A vowel that is produced with a lowering of the velum so that air escapes both through nose as well as the mouth. + (phonetics) A vowel that is produced with a lowering of the velum so that air escapes both through nose as well as the mouth. + + In French and Portuguese, nasal vowels are phonemes distinct from oral vowels since words can differ mainly in the nasal or oral quality of a vowel. + + + harmony in which each chord has three notes that create three melodic lines. + harmony in which each chord has three notes that create three melodic lines. + + Preserving harmonic integrity presents its own significant problems, if only because four-part harmony, compared with three-part harmony, is structurally quite different (some would say organically different). + + + In languages that distinguish vowel length, a vowel which is normally pronounced shorter than a long vowel. + In languages that distinguish vowel length, a vowel which is normally pronounced shorter than a long vowel. + + When a vowel is followed by a consonant, the vowel is short. + + + a suite of internet protocols, which provide Security transparency, security and network management. + a suite of internet protocols, which provide Security transparency, security and network management. + + FLIP is a connectionless protocol designed to support transparency, group communication, secure communication and easy network management. + + + a term (as a noun or pronoun) in a sentence that occupies the position of the subject in normal English word order and anticipates a subsequent word or phrase that specifies the actual substantive content. + a term (as a noun or pronoun) in a sentence that occupies the position of the subject in normal English word order and anticipates a subsequent word or phrase that specifies the actual substantive content. + + In the sentence "the bear was killed by the hunter," The topicalized goal of the action (“the bear”) is the grammatical subject of the passive sentence and is acted upon by the agent (“the hunter”), which is the logical, but not the grammatical, subject of the passive sentence. + + + An act structure found in early twentieth century stage dramas, such as those of Anton Chekhov and Henrik Ibsen. + An act structure found in early twentieth century stage dramas, such as those of Anton Chekhov and Henrik Ibsen. + + The technical feat which Ibsen here achieves of carrying through without a single break the whole action of a four-act play has been much commented on and admired. + + + a subtype of the mezzo-soprano with a range from approximately the G below middle C (G3) to the B two octaves above middle C (B5). + a subtype of the mezzo-soprano with a range from approximately the G below middle C (G3) to the B two octaves above middle C (B5). + + Although coloratura mezzo-sopranos have impressive and at times thrilling high notes, they are most comfortable singing in the middle of their range, rather than the top. + + + (linguistics) The characteristic of a noun, in some languages, that is dependent on its unliving or non-sentient nature; this characteristic affects grammatical features (it can modify verbs used with the noun, affect the noun's declension etc). + (linguistics) The characteristic of a noun, in some languages, that is dependent on its unliving or non-sentient nature; this characteristic affects grammatical features (it can modify verbs used with the noun, affect the noun's declension etc). + + In other words, the inanimacy of a head noun like "evidence" appeared not to penetrate the syntactic analysis of the verb "examined." + + + any information, minutes, files, accounts or other records which a governmental body is required to maintain, and which must be accessible to scrutiny by the public. + any information, minutes, files, accounts or other records which a governmental body is required to maintain, and which must be accessible to scrutiny by the public. + + Although public records are records of public business, they are not necessarily available without restriction, although Freedom of Information legislation (FOI) that has been gradually introduced in many jurisdictions since the 1960s has made access easier. + + + an agreement by a party to sell one product but only on the condition that the buyer also purchases a different (or tied), usually unrelated product. + an agreement by a party to sell one product but only on the condition that the buyer also purchases a different (or tied), usually unrelated product. + + In recent years, changing business practices surrounding new technologies have put the legality of tying arrangements to the test. + + + an Indo-European language that shows distinctive preservation of the Proto-Indo-European labiovelars and that shows a historical development of velar articulations, as the sounds (k) or [kh] from Proto-Indo-European palatal phonemes. + an Indo-European language that shows distinctive preservation of the Proto-Indo-European labiovelars and that shows a historical development of velar articulations, as the sounds (k) or [kh] from Proto-Indo-European palatal phonemes. + + The Centum languages show characteristic plain velars and labiovelars articulated at the back of the mouth in inherited Indo-European lexical items. + + + is a form of humour predicated on deliberate violations of causal reasoning, producing events and behaviours that are obviously illogical. + is a form of humour predicated on deliberate violations of causal reasoning, producing events and behaviours that are obviously illogical. + + Surreal humour is also found frequently in avant-garde theatre such as Waiting for Godot and Rosencrantz & Guildenstern Are Dead. + + + a genre of popular music associated with surf culture, particularly as found in Orange County and other areas of Southern California. + a genre of popular music associated with surf culture, particularly as found in Orange County and other areas of Southern California. + + Perhaps one of the most impactful musicians of this popular era of surf music was Dick Dale. + + + The results of marketing research that are used to plan for future marketing or product development activities. + The results of marketing research that are used to plan for future marketing or product development activities. + + Smart investors want marketing information about what consumers want to view and the public's opinion. + + + a puzzle set by somebody using chess pieces on a chess board, that presents the solver with a particular task to be achieved. + a puzzle set by somebody using chess pieces on a chess board, that presents the solver with a particular task to be achieved. + + + The sequel to Alice's Adventure's in Wonderland was designed to be a playable, albeit whimsical chess problem. + + + (often plural) a subtitle whose text is irreversibly merged in original video frames. + (often plural) a subtitle whose text is irreversibly merged in original video frames. + + Also, since you're not really encoding the video itself, the quality of the subbed version is a lot better for softsubs than hardsubs. + + + title of the member of any of several religious orders that cared for the sick in hospitals. + title of the member of any of several religious orders that cared for the sick in hospitals. + + The person who had the title of hospitaller was in charge ofall the hospital staff, its brothers on the wards, its sisters, lay brothers, servants, and specialized employees. + + + a constructed language designed for aesthetic pleasure. + a constructed language designed for aesthetic pleasure. + + + By far the largest group of artistic languages are fictional languages (sometimes also referred to as "professional artlangs"), intended to be the languages of a fictional world, and often designed with the intent of giving more depth and an appearance of plausibility to the fictional worlds with which they are associated, and to have their characters communicate in a fashion which is both alien and dislocated. + + + an adverbial that describes how the action of a verb is carried out. + an adverbial that describes how the action of a verb is carried out. + + Manner adverbials (peacefully) come before place adverbials (in our beds). + + + a song associated with the dance "The Twist" and the associated cultural craze. + a song associated with the dance "The Twist" and the associated cultural craze. + + There was Twist merchandise and memorabilia sold in those times, and many other music artists recorded twist songs. + + + a word or line of verse of seven syllables. + a word or line of verse of seven syllables. + + On the other hand, this heptasyllable is not merely common in the Saturnian but obviously the "regular" or "normal" form of the longer cola. + + + A notebook with a coil binding. + A notebook with a coil binding. + + + + sheet music for the piano (a piano score) that was once music for other instruments that was reduced as kind of projection to its most basic components within a two line staff for piano. + sheet music for the piano (a piano score) that was once music for other instruments that was reduced as kind of projection to its most basic components within a two line staff for piano. + + Piano reduction lessens the complexity of an existing score or composition to make analysis, performance, or practice easier or more clear. + + + a bill of lading issued when the shipment passes through at least two different modes of transport. + a bill of lading issued when the shipment passes through at least two different modes of transport. + + The issuer of the multimodal bill of lading takes on full responsibility for the shipment for the duration of its journey. + + + a programming language that supports scripts, programs written for a special run-time environment that can interpret (rather than compile) and automate the execution of tasks that could alternatively be executed one-by-one by a human operator. + a programming language that supports scripts, programs written for a special run-time environment that can interpret (rather than compile) and automate the execution of tasks that could alternatively be executed one-by-one by a human operator. + + HTML is a scripting language, and it's the underlying language used on the web. + + + A type of problem where White, moving first, is required to checkmate Black in a specified number of moves against any defence. + A type of problem where White, moving first, is required to checkmate Black in a specified number of moves against any defence. + + + + + Battery play is much more common in the selfmate than the directmate. + + + a vowel that you pronounce with your tongue on the bottom of your mouth. + a vowel that you pronounce with your tongue on the bottom of your mouth. + + There is an addictive musicality to the language throughout the collection, with its combination of consonant-heavy Germanic monosyllables and the open vowels of Spanish. + + + a symbol that represents peace, in the form of three lines within a circle. + a symbol that represents peace, in the form of three lines within a circle. + + In the 1950s the "peace sign", as it is known today, was designed as the logo for the British Campaign for Nuclear Disarmament and adopted by anti-war and counterculture activists in the United States and elsewhere. + + + the interpretation of written, oral, or artistic expression as allegory. + the interpretation of written, oral, or artistic expression as allegory. + + The allegoresis of secular texts had been largely neglected since Fulgentius (sixth century), and was only reprised in the diffuse commentary tradition on Martianus that preceded Eriugena’s study of that text. + + + having the same syntactic function in the sentence as one of its immediate constituents. + having the same syntactic function in the sentence as one of its immediate constituents. + + Greenhouse is an endocentric compound, since it is a noun as is its head house. + + + musical notation for Gregorian chant, traditionally written using neumes. + musical notation for Gregorian chant, traditionally written using neumes. + + This is a description of the traditional Gregorian Chant notation, so that anyone will be able to read the notation and sing it. + + + a written work produced by elucubrating. + a written work produced by elucubrating. + + + + a syllable with a branching nucleus or a branching rime. + a syllable with a branching nucleus or a branching rime. + + A heavy syllable consists of a long vowel or a diphthong, or a short vowel followed by one or more consonants in the same syllable. + + + A noisy, experimental genre of music with transgressive themes that originated in the 1970s. + A noisy, experimental genre of music with transgressive themes that originated in the 1970s. + + Industrial music was created originally by using mechanical and electric machinery, and later advanced synthesizers, samplers and electronic percussion as the technology developed. + + + a bill of lading issued when the shipment was delivered by the same vessel that picked it up. + a bill of lading issued when the shipment was delivered by the same vessel that picked it up. + + + + The Cyrillic letter Ъ/ъ, which in modern languages serves to denote a hard (non-palatalized) consonant. + The Cyrillic letter Ъ/ъ, which in modern languages serves to denote a hard (non-palatalized) consonant. + + The final yer appears to be a back yer, but several corrections to this letter have been made. + + + a praying against evil, against others, or oneself; a prayer for the removal of some evil. + a praying against evil, against others, or oneself; a prayer for the removal of some evil. + + Cicero's defence of Milo is in essence a deprecatio. + + + A particular variety of a language that is regarded as the most correct way of writing or speaking the language. + A particular variety of a language that is regarded as the most correct way of writing or speaking the language. + + Received Pronunciation (RP) is the accent of Standard English in the United Kingdom, with a relationship to regional accents similar to the relationship in other European languages between their standard varieties and their regional forms. + + + a proposition having as its subject a singular term, or a common term limited to an individual by means of a singular sign. + a proposition having as its subject a singular term, or a common term limited to an individual by means of a singular sign. + + A singular proposition is to be contrasted with a general proposition, which is not about any particular individual, and a particularized proposition, which is about a particular individual but does not contain that individual as a constituent. + + + a new writing system specifically created by an individual or group, rather than having evolved as part of a language or culture like a natural script. + a new writing system specifically created by an individual or group, rather than having evolved as part of a language or culture like a natural script. + + Balin-Silel is a constructed script invented by Aayush Chaturvedi in November 2014 to write his conlang by the same name. + + + the genre of original television content produced for broadcast via the World Wide Web. + the genre of original television content produced for broadcast via the World Wide Web. + + The Guild is an award winning web television series about the lives of an online guild called The Knights of Good. + + + A verb that explicitly conveys the kind of speech act being performed. + A verb that explicitly conveys the kind of speech act being performed. + + It is for this reason that apologize is called a performative verb, defined as a verb denoting linguistic action that can both describe a speech act and express it. + + + an aorist formed by adding sigma or -s to the stem. + an aorist formed by adding sigma or -s to the stem. + + The sigmatic aorist has disappeared in Baltic, so our information on this category is limited to the Slavic data. + + + a preposition that consists of a group of words that act as one unit. + a preposition that consists of a group of words that act as one unit. + + Examples of complex prepositions in English include in spite of, with respect to, except for, by dint of, and next to. + + + a morpheme that signifies the present tense of a verb. + a morpheme that signifies the present tense of a verb. + + The third-person singular present-tense morpheme is a survival from the time that English was an inflected language with several suffixes to distinguish person and number. + + + a moral at the end of a story. + a moral at the end of a story. + + + + + In mathematics, a graph in which edges have no orientation. + In mathematics, a graph in which edges have no orientation. + + In mathematics, and more specifically in graph theory, a tree is an undirected graph in which any two vertices are connected by exactly one path. + + + a pop and rock music genre that developed in the United Kingdom in the early 1960s. + a pop and rock music genre that developed in the United Kingdom in the early 1960s. + + Beat music declined in popularity in the UK around 1967 with the emergence of various Psychedelic Rock and Progressive Rock styles. + + + an extreme form of tragicomedy. + an extreme form of tragicomedy. + + The Suicide of Solitude, a “tragifarce” production, is currently being performed by the local theatre troupe at Rochford Winery in Healesville. + + + (linguistics) an ordinary vowel that is produced without nasalization. + (linguistics) an ordinary vowel that is produced without nasalization. + + An oral vowel is produced with the soft palate in a raised position, so that there is no airflow through the nasal cavity. + + + A case used to indicate place, or the place where, or wherein. + A case used to indicate place, or the place where, or wherein. + + Languages that use the locative case include Armenian, Azeri, Belarusian, Catalan, Serbo-Croatian, Czech, Dyirbal, Latin, Latvian, Lithuanian, Polish, Quechua, Russian, Sanskrit, Slovak, Slovene, Swahili, Turkish and Ukrainian. + + + (linguistics) Any vowel sound made with a somewhat elevated position of some certain part of the tongue, in relation to the palate; midway between the high and the low. + (linguistics) Any vowel sound made with a somewhat elevated position of some certain part of the tongue, in relation to the palate; midway between the high and the low. + + A consonant and a following mid vowel must agree in backness. + + + a pronoun used in a question. + a pronoun used in a question. + + In English and many other languages (e.g. French, Russian and Czech), the sets of relative and interrogative pronouns are nearly identical. + + + medieval drama, based on incidents in the Bible and performed in churches on holy days, usually in Latin and often chanted. + medieval drama, based on incidents in the Bible and performed in churches on holy days, usually in Latin and often chanted. + + The liturgical drama of the Elx Mystery Play (Misteri d'Elx) has its origins in the 13th or 15th century. + + + an adverbial that indicates why the particular action of the verb is taken. + an adverbial that indicates why the particular action of the verb is taken. + + It is common for more than one type of adverbial to appear in a sentence, as in Jonathan ran a race for fun last weekend, where there is an adverbial of reason and an adverbial of time. + + + an adverbial that describes when the action of a verb is carried out. + an adverbial that describes when the action of a verb is carried out. + + An adverb phrase that answers the question "when?" is called a temporal adverbial. + + + the words (as sincerely yours) that conventionally come immediately before the signature of a letter and express the sender's regard for the receiver. + the words (as sincerely yours) that conventionally come immediately before the signature of a letter and express the sender's regard for the receiver. + + Although a complimentary close is not required, it is almost standard in professional emails. + + + in cartooning, a rounded outline containing words. + in cartooning, a rounded outline containing words. + + Speech bubbles are used not only to include a character's words, but also emotions, voice inflections and unspecified language. + + + device or marking such as postage stamp, printed or stamped impressions, codings, labels, manuscript writings, or any other authorized form of markings affixed or applied to mails to qualify them to be postally serviced. + device or marking such as postage stamp, printed or stamped impressions, codings, labels, manuscript writings, or any other authorized form of markings affixed or applied to mails to qualify them to be postally serviced. + + + Prior to the establishment of the UPU in 1874, international mails sometimes bore mixed franking before the world's postal services universally agreed to deliver international mails bearing only the franking of the country of origin. + + + a word expressing a number. + a word expressing a number. + + + + + Numerals may be attributive, as in two dogs, or pronominal, as in I saw two (of them). + + + A personal information manager (often referred to as a PIM tool or, more simply, a PIM) is a type of application software that functions as a personal organizer. + A personal information manager (often referred to as a PIM tool or, more simply, a PIM) is a type of application software that functions as a personal organizer. + + + + + As an information management tool, a PIM tool's purpose is to facilitate the recording, tracking, and management of certain types of "personal information". + + + a word that is treated in pronunciation as forming a part of a neighboring word and that is often unaccented or contracted. + a word that is treated in pronunciation as forming a part of a neighboring word and that is often unaccented or contracted. + + + Most languages can adopt theme-rheme structure idiosyncratically — as for English, we often use as for theme constructions — but topic-prominent languages use systematic changes in syntax or even dedicated morpological elements such as the Japanese clitic particle -wa to mark themes and to set them apart from rhemes. + + + a word (as anthropology, kilocycle, builder) consisting of any of various combinations of words, combining forms, or affixes. + a word (as anthropology, kilocycle, builder) consisting of any of various combinations of words, combining forms, or affixes. + + + + Also common in English is another type of verb–noun (or noun–verb) compound, in which an argument of the verb is incorporated into the verb, which is then usually turned into a gerund, such as breastfeeding, finger-pointing, etc. + + + a meter of poetry consisting of three iambic units per line. + a meter of poetry consisting of three iambic units per line. + + + + + In the dramatic forms of tragedy and comedy, iambic trimeter was used mainly for the verses "spoken" by a character, that is, the dialogue rather than the choral passages. + + + Either of two letters in Cyrillic alphabets, which originally represented phonemically the ultra-short vowels in Slavic languages. + Either of two letters in Cyrillic alphabets, which originally represented phonemically the ultra-short vowels in Slavic languages. + + + + + + For determining whether a yer is strong or weak, it is necessary to break the continuous flow of speech into individual words, or prosodic units (phrases which have only a single stressed syllable, and typically include a preposition or other clitic words). + + + a Common Slavonic nasal vowel in the early Cyrillic and Glagolitic alphabets. + a Common Slavonic nasal vowel in the early Cyrillic and Glagolitic alphabets. + + + + The names of the letters do not imply capitalization, as both little and big yus exist in majuscule and minuscule variants. + + + A genre of electronic dance music with a fast tempo, repetitive phrasing, and often a hypnotic effect. + A genre of electronic dance music with a fast tempo, repetitive phrasing, and often a hypnotic effect. + + + + Classic trance employs a 4/4 time signature, a tempo of 125 to 150 BPM, and 32 beat phrases and is somewhat faster than house music + + + a form of music consisting of sounds produced by oscillating electric currents either controlled from an instrument panel or keyboard or prerecorded on magnetic tape. + a form of music consisting of sounds produced by oscillating electric currents either controlled from an instrument panel or keyboard or prerecorded on magnetic tape. + + + In Cologne, what would become the most famous electronic music studio in the world was officially opened at the radio studios of the NWDR in 1953, though it had been in the planning stages as early as 1950 and early compositions were made and broadcast in 1951. + diff --git a/src/wn-noun.event.xml b/src/wn-noun.event.xml index bb3b411b..a8d4fc92 100644 --- a/src/wn-noun.event.xml +++ b/src/wn-noun.event.xml @@ -8979,19 +8979,51 @@ - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -10032,6 +10064,8 @@ + + @@ -14534,6 +14568,7 @@ + @@ -14881,6 +14916,7 @@ + "he planned a party to celebrate Bastille Day" @@ -15019,6 +15055,7 @@ + "a ceremony commemorating Pearl Harbor" @@ -15908,6 +15945,7 @@ + "a narrow victory" "the general always gets credit for his army's victory" "clinched a victory" @@ -16130,5 +16168,52 @@ "a nasty zizz in the engine" + + Winning two sports tournaments in each of two consecutive years + Winning two sports tournaments in each of two consecutive years + + + + an event involving a marathon coding session + an event involving a marathon coding session + + + + + A social gathering before a party or a sports game. + A social gathering before a party or a sports game. + + + + a religious ceremonial or ritual observance that is held to be an affair of the individual conscience because it is neither forbidden nor enjoined by the scriptures. + a religious ceremonial or ritual observance that is held to be an affair of the individual conscience because it is neither forbidden nor enjoined by the scriptures. + + For all of the wild-eyed (and completely sectarian) assertions floating around the LCMS that ordination is a mere adiaphoron, that "laying on of hands" does not mean ritual ordination but rather a democratic election, that ordination confers nothing - I have yet to ever read about anyone actually graduating seminary and taking a call to a congregation and choosing to forgo the rite of ordination. + + + (mechanics) Motion with a continually decreasing velocity. + (mechanics) Motion with a continually decreasing velocity. + + + From this it becomes clear that the doubly decelerated motion may be constructed either by subtracting a simply accelerated motion from a simply decelerated one, or by subtracting a doubly accelerated motion from a uniform one. + + + (mechanics) Motion with a constant, continually decreasing velocity. + (mechanics) Motion with a constant, continually decreasing velocity. + + Read from bottom to top, it represents the overall distances traversed by a uniformly decelerated motion after an increasing number of equal time intervals. + + + (botany) pollination of plants by snails. + (botany) pollination of plants by snails. + + Malacophily is among the rarest instances of pollination. + + + (mechanics) any motion whose acceleration is not constant, due to the fact that the force causing it is not constant. + (mechanics) any motion whose acceleration is not constant, due to the fact that the force causing it is not constant. + + Time-varying net force must be present to cause motion with variable acceleration along that one coordinate. + diff --git a/src/wn-noun.feeling.xml b/src/wn-noun.feeling.xml index 05633172..ebbb8fcd 100644 --- a/src/wn-noun.feeling.xml +++ b/src/wn-noun.feeling.xml @@ -273,6 +273,8 @@ + + @@ -357,7 +359,9 @@ - + + + @@ -490,6 +494,7 @@ + @@ -3118,6 +3123,8 @@ + + @@ -3758,6 +3765,7 @@ + @@ -4412,6 +4420,18 @@ + + + + + + + + + + + + the conscious subjective aspect of feeling or emotion @@ -4492,6 +4512,7 @@ excessive fervor to do something or accomplish some end + "he had an absolute zeal for litigation" @@ -5215,6 +5236,7 @@ a feeling of profound love and admiration + @@ -7170,5 +7192,17 @@ enthusiasm for new technology + + The quality of being excessively zealous. + The quality of being excessively zealous. + + We are aware of the public concern for any sort of overzealousness by the law-enforcement people that can cause some embarrassment. + + + the custom of venerating deceased ancestors who are considered still a part of the family and whose spirits are believed to have the power to intervene in the affairs of the living. + the custom of venerating deceased ancestors who are considered still a part of the family and whose spirits are believed to have the power to intervene in the affairs of the living. + + Most of the historically known practices of ancestor worship in Japan are adaptations of Chinese customs. + diff --git a/src/wn-noun.food.xml b/src/wn-noun.food.xml index 850bb36b..c5d60a91 100644 --- a/src/wn-noun.food.xml +++ b/src/wn-noun.food.xml @@ -11759,6 +11759,7 @@ + @@ -15157,6 +15158,418 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + any solid substance (as opposed to liquid) that is used as a source of nourishment @@ -15182,6 +15595,9 @@ + + + "food and drink" @@ -15371,6 +15787,7 @@ + "she prepared a special dish for dinner" @@ -15431,6 +15848,7 @@ + @@ -15468,6 +15886,8 @@ something added to complete a diet or to make up for a dietary deficiency + + @@ -15550,6 +15970,8 @@ a diet excluding all meat and fish + + @@ -15630,6 +16052,7 @@ + @@ -15737,6 +16160,7 @@ + @@ -16122,6 +16546,7 @@ + "the helpings were all small" "his portion was larger than hers" "there's enough for two servings each" @@ -16353,6 +16778,12 @@ + + + + + + @@ -16384,6 +16815,7 @@ a Russian or Polish soup usually containing beet juice as a foundation + @@ -16931,6 +17363,7 @@ candy and other sweets considered collectively + "the business decided to concentrate on confectionery and soft drinks" @@ -18068,6 +18501,7 @@ + @@ -18374,6 +18808,7 @@ + @@ -18808,6 +19243,7 @@ a small ring-shaped friedcake + @@ -19189,6 +19625,7 @@ + @@ -19685,6 +20122,7 @@ + @@ -20282,6 +20720,7 @@ Italian salt-cured ham usually sliced paper thin + @@ -20434,6 +20873,7 @@ + @@ -21405,6 +21845,7 @@ + @@ -21525,6 +21966,7 @@ + @@ -21915,6 +22357,9 @@ + + + @@ -22055,6 +22500,7 @@ + @@ -22557,6 +23003,7 @@ + @@ -22684,6 +23131,7 @@ food from the seed of the mung bean plant + seed of the mung bean plant used for food seed of the mung bean plant used for food @@ -23339,6 +23787,7 @@ + @@ -23535,6 +23984,7 @@ + @@ -23658,6 +24108,7 @@ + @@ -23793,6 +24244,7 @@ large lemonlike fruit with thick aromatic rind; usually preserved + @@ -23843,6 +24295,7 @@ + @@ -24505,6 +24958,7 @@ + @@ -24627,6 +25081,7 @@ + @@ -25891,6 +26346,7 @@ + @@ -26137,6 +26593,7 @@ food prepared for cats + @@ -26256,6 +26713,7 @@ savory jelly based on fish or meat stock used as a mold for meats or vegetables + @@ -26334,6 +26792,11 @@ + + + + + @@ -26733,6 +27196,7 @@ + @@ -26774,6 +27238,7 @@ + @@ -27036,6 +27501,7 @@ + @@ -27195,6 +27661,7 @@ + @@ -27206,6 +27673,7 @@ a pungent peppery sauce + @@ -28379,6 +28847,7 @@ + @@ -28391,6 +28860,8 @@ + + @@ -28409,6 +28880,7 @@ + @@ -28421,6 +28893,7 @@ + @@ -28479,6 +28952,7 @@ + @@ -29345,6 +29819,8 @@ + + "may I take your beverage order?" @@ -29574,6 +30050,7 @@ + @@ -29602,6 +30079,7 @@ + @@ -29688,6 +30166,9 @@ + + + @@ -29779,6 +30260,7 @@ + @@ -30175,6 +30657,9 @@ + + + @@ -30368,6 +30853,9 @@ + + + @@ -30459,6 +30947,22 @@ + + + + + + + + + + + + + + + + @@ -30634,6 +31138,8 @@ + + @@ -31430,6 +31936,7 @@ + "he ordered a cup of coffee" @@ -31576,6 +32083,8 @@ + + "iced tea is a cooling drink" @@ -31599,6 +32108,9 @@ tea-like drink made of leaves of various herbs + + + @@ -31630,6 +32142,7 @@ + @@ -31713,6 +32226,7 @@ + @@ -31800,5 +32314,538 @@ "a lobster mold" "a gelatin dessert made in a mold" + + A sauce made from pureed garlic and chilis named after the town of Si Racha in Thailand + A sauce made from pureed garlic and chilis named after the town of Si Racha in Thailand + + + + A grilled sandwich whose principal filling is cheese + A grilled sandwich whose principal filling is cheese + + + + Spanish traditional beverage, made of ground almonds, sesame seeds, rice, barley, tigernuts (chufas), or melon seeds + Spanish traditional beverage, made of ground almonds, sesame seeds, rice, barley, tigernuts (chufas), or melon seeds + + + + a street food from the Philippines, made from barbecued pig or chicken intestines + a street food from the Philippines, made from barbecued pig or chicken intestines + + + + a sweet meringue-based confection made with egg white, icing sugar, granulated sugar, almond powder or ground almond, and food colouring. + a sweet meringue-based confection made with egg white, icing sugar, granulated sugar, almond powder or ground almond, and food colouring. + + + + A traditional Polish doughnut. + A traditional Polish doughnut. + + + + + a Canadian dish made with french fries and cheese curds topped with a light brown gravy + a Canadian dish made with french fries and cheese curds topped with a light brown gravy + + + + + a food with health benefits + a food with health benefits + + + + a ball-shaped Japanese snack made of a wheat flour-based batter and cooked in a special moulded pan + a ball-shaped Japanese snack made of a wheat flour-based batter and cooked in a special moulded pan + + + + a circular helping of food (especially a boneless cut of meat) "medallions of veal" + a circular helping of food (especially a boneless cut of meat) "medallions of veal" + + + + + a beverage brewed from lightly oxidized tea leaves. + a beverage brewed from lightly oxidized tea leaves. + + + + the fruit from the korlan tree. + the fruit from the korlan tree. + + + + the practice of following a diet that includes chicken or other poultry, but not meat from mammals. + the practice of following a diet that includes chicken or other poultry, but not meat from mammals. + + Vegetarianism, pescetarianism and pollotarianism diets are all strict diets that regulate consumption — the most strict diet of all is a vegan diet. + + + a sauce similar to Worcestershire sauce, manufactured by John Burgess & Son and Crosse & Blackwell; used for meat. + a sauce similar to Worcestershire sauce, manufactured by John Burgess & Son and Crosse & Blackwell; used for meat. + + + + a sweet cherry-flavored liqueur. + a sweet cherry-flavored liqueur. + + + + An addition to cat food or a type of cat food that prevents the forming of hairballs in the cat's stomach. + An addition to cat food or a type of cat food that prevents the forming of hairballs in the cat's stomach. + + Princess Fluffypaw is throwing up again, maybe we should get her on hairball formula? + + + any of a variety of strong alcoholic liqueurs made from quince fruit. + any of a variety of strong alcoholic liqueurs made from quince fruit. + + + + a dark, strong honey with a rich fragrance of stewed fruit or fig jam, not as sweet as nectar honeys. + a dark, strong honey with a rich fragrance of stewed fruit or fig jam, not as sweet as nectar honeys. + + + Honeydew honey is popular in some areas, but in other areas, beekeepers have difficulty selling the stronger-flavored product. + + + a dark, very strong lager, fermented at cooler temperatures. + a dark, very strong lager, fermented at cooler temperatures. + + The late 1990s saw to the re-launch of Baltic porters by several German breweries. + + + coffee or espresso topped with whipped cream. + coffee or espresso topped with whipped cream. + + + + A yeast dough is any dough made with the use of yest. + A yeast dough is any dough made with the use of yest. + + I know this recipe for yeast dough says I can use dried yeast, but I prefer using fresh yeast. + + + seed of cannabis plant; can be eaten raw, ground into a meal, sprouted, or made into dried sprout powder. + seed of cannabis plant; can be eaten raw, ground into a meal, sprouted, or made into dried sprout powder. + + + + the white translucent edible berry of a group of cultivars of the red currant (Ribes rubrum). + the white translucent edible berry of a group of cultivars of the red currant (Ribes rubrum). + + White currants are rarely specified in savoury cooking recipes compared with their red counterparts. + + + a liqueur infused with raspberries, rasberry juice, or raspberry flavoring. + a liqueur infused with raspberries, rasberry juice, or raspberry flavoring. + + Homemade raspberry liqueur is a good remedy for common cold. + + + a Polish mead, made using three units of water for each unit of honey. + a Polish mead, made using three units of water for each unit of honey. + + + + soup containing rice and vegetables. + soup containing rice and vegetables. + + + + a slightly spicy mustard originating from Russia. + a slightly spicy mustard originating from Russia. + + The sarepta mustard derives its name from the town of Sarepta. + + + any of a variety of strong alcoholic drinks made from blackthorn fruit. + any of a variety of strong alcoholic drinks made from blackthorn fruit. + + + + a soup made from cauliflower. + a soup made from cauliflower. + + This rich and creamy cauliflower soup is just the thing on a chilly day - and it's inexpensive too. + + + a diet that consists primarily of foods of vegetable origin but also includes some animal products, such as eggs (ovo), milk, and cheese (lacto), but no meat, fish, or poultry. + a diet that consists primarily of foods of vegetable origin but also includes some animal products, such as eggs (ovo), milk, and cheese (lacto), but no meat, fish, or poultry. + + Ovo-Lacto vegetarianism is the most popular style of vegetarianism in the United States, while Lacto is the most popular worldwide. + + + A dietary supplement containing live bacteria, usually taken after a course of antibiotics to replenish the damaged gastrointestinal flora. + A dietary supplement containing live bacteria, usually taken after a course of antibiotics to replenish the damaged gastrointestinal flora. + + The first commercially sold dairy-based probiotic was Yakult, a fermented milk with added Lactobacillus casei, in 1935. + + + vodka distilled from rye grains. + vodka distilled from rye grains. + + Among grain vodkas, rye and wheat vodkas are generally considered superior. + + + a variant of sour rye soup made with wheat flour instead of soured rye flour. + a variant of sour rye soup made with wheat flour instead of soured rye flour. + + + + a Portuguese variation of Caipirinha made using strawberries instead of lime. + a Portuguese variation of Caipirinha made using strawberries instead of lime. + + + + a Polish mead, made using equal amounts of water and honey. + a Polish mead, made using equal amounts of water and honey. + + + + sugar in the form of large crystals, often used for decoration. + sugar in the form of large crystals, often used for decoration. + + Rock sugar may look fancy, but it takes much longer to dissolve. + + + ritual drink prepared from Haoma plant. + ritual drink prepared from Haoma plant. + + The plant Haoma yielded the essential ingredient for the ritual drink, parahaoma. + + + an alcoholic beverage made from cranberries. + an alcoholic beverage made from cranberries. + + Awhile back, King-Man's colleague Mary told me she often makes her own cranberry liqueur this time of year. + + + any of a variety of strong alcoholic drinks made of walnuts. + any of a variety of strong alcoholic drinks made of walnuts. + + + + a beverage prepared by infusion of sage leaves. + a beverage prepared by infusion of sage leaves. + + + Sage tea has a calming effect. + + + an edible fruit of the small tree Prunus cerasifera. + an edible fruit of the small tree Prunus cerasifera. + + + + a thin round slice of bread usually served with soup, especially consomme. + a thin round slice of bread usually served with soup, especially consomme. + + A recipe for consomme diablotins that contains French bread, flour, olive oil, tapioca. + + + seasoning that consists of a mix of pepper and various herbs (usually basil, marjoram, oregano, sage, parsley, thyme and pepper). + seasoning that consists of a mix of pepper and various herbs (usually basil, marjoram, oregano, sage, parsley, thyme and pepper). + + + + a cordial made of the kernels of apricots, nectarines, etc., with refined spirit. + a cordial made of the kernels of apricots, nectarines, etc., with refined spirit. + + + + a type of tea that is more oxidized than oolong, green and white teas. + a type of tea that is more oxidized than oolong, green and white teas. + + + + water heated to or past the boiling point. + water heated to or past the boiling point. + + There's a kettle of boiling water on the stove. + + + a usually creamy soup made with champignon mushrooms. + a usually creamy soup made with champignon mushrooms. + + + + any of a variety of sweet alcoholic drinks made from apricots. + any of a variety of sweet alcoholic drinks made from apricots. + + Apricot brandy is my favourite type of apricot liqueur. + + + a dried rhizome or its powdered form of Kaempferia galanga, used in cooking in Indonesia. + a dried rhizome or its powdered form of Kaempferia galanga, used in cooking in Indonesia. + + + + a fruit of the calamondin tree. + a fruit of the calamondin tree. + + Calamondin is usually used in its not-so-ripe stage as sour seasoning for many Southeast Asian food such as the shomai. + + + a side product of washing the starch from the mash, often used in animal feeding. + a side product of washing the starch from the mash, often used in animal feeding. + + Potato pulp is often dried and dehydrated since it contains a lot of water. + + + strong alcoholic beverage with apple flavour. + strong alcoholic beverage with apple flavour. + + + + a beverage of a dill infusion + a beverage of a dill infusion + + Discover the health benefits of this culinary plant which is always handy and feel free to enjoy a cup of aromatic dill tea whenever you feel like it. + + + a strong liquor made from rowan infusion with the addition of natural caramel, wine distillate and fruit distillates. + a strong liquor made from rowan infusion with the addition of natural caramel, wine distillate and fruit distillates. + + Rowan vodka goes well with game. + + + large lemonlike fruit segmented into finger-like sections; most varieties contain no pulp or juice. + large lemonlike fruit segmented into finger-like sections; most varieties contain no pulp or juice. + + + + any of a variety of strong alcoholic drinks made of blackberries. + any of a variety of strong alcoholic drinks made of blackberries. + + + + red wine made from Alicante Bouschet grapes. + red wine made from Alicante Bouschet grapes. + + + + a variety of apple bred in Poland; it is harvested in October. + a variety of apple bred in Poland; it is harvested in October. + + The flesh of the Ligol apple is compact, firm and hard. + + + a vegetarian diet that includes dairy products, vegetables, fruits, grains, and nuts. + a vegetarian diet that includes dairy products, vegetables, fruits, grains, and nuts. + + The concept and practice of lacto-vegetarianism among a significant number of people comes from ancient India. + + + a Polish mead, made using two units of water for each unit of honey. + a Polish mead, made using two units of water for each unit of honey. + + + + any of a variety of strong alcoholic liqueurs made from peaches. + any of a variety of strong alcoholic liqueurs made from peaches. + + This homemade peach liqueur is delicious and easy to make. + + + a soup made from chard. + a soup made from chard. + + + + flour made from ground rye grain. + flour made from ground rye grain. + + Rye flour is used to bake the traditional sourdough breads of Germany, Austria, Switzerland, Russia, Czech Republic, Poland and Scandinavia. + + + a small onion with a sweeter taste than that of a common onion. + a small onion with a sweeter taste than that of a common onion. + + Pearl onions are a staple to the cuisine of Northern Europe, especially Sweden. + + + fragrant leaves of Cymbopogon citratus, used in cooking, in traditional medicine and are often found in herbal supplements and teas. + fragrant leaves of Cymbopogon citratus, used in cooking, in traditional medicine and are often found in herbal supplements and teas. + + + + strong alcoholic beverage with pepper flavor. + strong alcoholic beverage with pepper flavor. + + + + any of various liqueurs made from blackcurrants. + any of various liqueurs made from blackcurrants. + + + + a top-fermented barley/wheat beer brewed mainly in Belgium and the Netherlands. + a top-fermented barley/wheat beer brewed mainly in Belgium and the Netherlands. + + + + a small fruit with fleshy pulp; tastes like a combination of grape and grapefruit. + a small fruit with fleshy pulp; tastes like a combination of grape and grapefruit. + + + + any of a variety of alcoholic liqueurs made from plums. + any of a variety of alcoholic liqueurs made from plums. + + + + a concentrated liquid extract from tea leaves. + a concentrated liquid extract from tea leaves. + + Mix the tea essence with water to make it drinkable. + + + a type of prosciutto ham. + a type of prosciutto ham. + + A number of regions have their own variations of prosciutto, each with degrees of protected status, but the most prized are the Prosciutto di Parma PDO from the Emilia-Romagna region and the Prosciutto di San Daniele PDO from the Friuli-Venezia Giulia region. + + + soup made from carrots and other ingredients. + soup made from carrots and other ingredients. + + In 1908, diarrhea killed many babies in Germany. Professor Moro, at that time the head of a children hospital in Heidelberg, found out by experiment that a simple carrot soup decreased the death rate of babies suffering from diarrhea by nearly 50%. + + + a type of pasta that is elbow-shaped. + a type of pasta that is elbow-shaped. + + + + oil extracted from the nuts of Aleurites moluccanus. + oil extracted from the nuts of Aleurites moluccanus. + + + + a leaf from the curry tree, valued as seasoning in southern and west-coast Indian and Sri Lankan cooking. + a leaf from the curry tree, valued as seasoning in southern and west-coast Indian and Sri Lankan cooking. + + In the absence of tulsi leaves, curry leaves are used for rituals, such as pujas. + + + liqueur infused with blueberries, blueberry juice, or blueberry flavoring. + liqueur infused with blueberries, blueberry juice, or blueberry flavoring. + + Blueberry liqueur is a flavorful, versatile alcoholic drink that goes great simply on the rocks. + + + a mix of water, sugar, and various ingredients (such as alcohol), used to infuse cakes. + a mix of water, sugar, and various ingredients (such as alcohol), used to infuse cakes. + + A simple trick to keep you cake nice and moist is brushing it with soaking syrup right after you take it out of the oven. + + + Clapp's Favourite is a useful early-season pear, ripening in mid-August. + Clapp's Favourite is a useful early-season pear, ripening in mid-August. + + Your Clapp's Favourite pear tree is in flowering group 4. + + + honey in which some of the glucose content has spontaneously crystallized from solution as the monohydrate. + honey in which some of the glucose content has spontaneously crystallized from solution as the monohydrate. + + + + a strong liqueur prepared by infusing vodka with the fruit of Cornelian cherry. + a strong liqueur prepared by infusing vodka with the fruit of Cornelian cherry. + + I tried dogwood vodka on my trip to Armenia. + + + cookies made with poppy seeds and honey; traditional Polish Christmas sweet treats. + cookies made with poppy seeds and honey; traditional Polish Christmas sweet treats. + + + + a variation of the Caipirinha made with black vodka instead of cachaça. + a variation of the Caipirinha made with black vodka instead of cachaça. + + + + any salt or ester of cyclamic acid. + any salt or ester of cyclamic acid. + + + + + + a vanilla-flavored liqueur. + a vanilla-flavored liqueur. + + I take my coffee with a drop of vanilla liqueur to taste. + + + any of a variety of strong alcoholic liqueurs made from aronia berries. + any of a variety of strong alcoholic liqueurs made from aronia berries. + + + + an alcoholic beverage made by infusing mulberries in strong alcohol. + an alcoholic beverage made by infusing mulberries in strong alcohol. + + My aunt makes the best mulberry liqueur. + + + root vegetable common in central and eastern European cuisine, where it is used in soups and stews, or simply eaten raw, as a snack (similar to carrots). + root vegetable common in central and eastern European cuisine, where it is used in soups and stews, or simply eaten raw, as a snack (similar to carrots). + + + + a macerated substance, sometimes used to infuse vodka with flavor. + a macerated substance, sometimes used to infuse vodka with flavor. + + + + a soup made from blueberries. + a soup made from blueberries. + + Blueberry soup is perfect for summer. + + + an aspic made from low-grade cuts of pig meat, such as trotters, containing a significant proportion of connective tissue. + an aspic made from low-grade cuts of pig meat, such as trotters, containing a significant proportion of connective tissue. + + Pork jelly is a popular appetizer and, nowadays, is sometimes prepared in a more modern version using lean meat, with or without pig leftovers which are substituted with store-bought gelatin. + + + meat of a hen tukey + meat of a hen tukey + + Most experts agree that a hen turkey is better than a tom. + + + a famous Middle Eastern condiment made from dried hyssop leaves, mixed with sesame seeds, dried sumac, and often salt, as well as other spices. + a famous Middle Eastern condiment made from dried hyssop leaves, mixed with sesame seeds, dried sumac, and often salt, as well as other spices. + + + + + any of a variety of strong alcoholic drinks made of gooseberies. + any of a variety of strong alcoholic drinks made of gooseberies. + + + + a simple type of soup where a basic roux is thinned with cream or milk and then mushrooms and/or mushroom broth are added. + a simple type of soup where a basic roux is thinned with cream or milk and then mushrooms and/or mushroom broth are added. + + + Canned cream of mushroom soup has been described as "America's béchamel". + + + The practice of eating mainly vegetarian food, but making occasional exceptions for social, pragmatic, cultural, or nutritional reasons. + The practice of eating mainly vegetarian food, but making occasional exceptions for social, pragmatic, cultural, or nutritional reasons. + + + Flexitarianism will be the next ‘mega trend’ leading to sales of vegetarian foods in the UK to grow by 10% by 2016, according to food trends agency The Food People. + diff --git a/src/wn-noun.group.xml b/src/wn-noun.group.xml index 773842cf..2553348f 100644 --- a/src/wn-noun.group.xml +++ b/src/wn-noun.group.xml @@ -17598,137 +17598,550 @@ - + - + - + - + - + - + - + - - + + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -17970,6 +18383,7 @@ people viewed as members of a group + "we need more young blood in this organization" @@ -18183,6 +18597,7 @@ people who are sick + "they devote their lives to caring for the sick" @@ -18231,6 +18646,8 @@ + + @@ -18331,6 +18748,10 @@ + + + + @@ -18684,6 +19105,7 @@ + @@ -19166,6 +19588,7 @@ + "the working class" "an emerging professional class" @@ -19860,6 +20283,7 @@ + @@ -20110,6 +20534,7 @@ a group of organisms of the same type living or growing together + @@ -20169,6 +20594,7 @@ + "a set of books" "a set of golf clubs" "a set of teeth" @@ -20206,6 +20632,7 @@ + "there are two classes of detergents" @@ -20286,6 +20713,7 @@ + "the set of prime numbers is infinite" @@ -20345,6 +20773,7 @@ + "assume that the topological space is finite dimensional" @@ -20627,6 +21056,7 @@ + @@ -21780,6 +22210,7 @@ + @@ -21938,6 +22369,7 @@ + "he only invests in large well-established companies" "he started the company in his garage" @@ -22224,6 +22656,10 @@ + + + + "each industry has its own trade publications" @@ -23027,6 +23463,9 @@ + + + @@ -23287,6 +23726,7 @@ + @@ -23541,6 +23981,7 @@ + "his entire lineage has been warriors" @@ -24061,6 +24502,7 @@ + @@ -25084,6 +25526,12 @@ + + + + + + "the order of Saint Benedict" @@ -25174,6 +25622,7 @@ + @@ -25767,6 +26216,7 @@ + "a statement that sums up the nation's mood" "the news was announced to the nation" "the whole country worshipped him" @@ -26277,6 +26727,7 @@ + "there is a shortage of skilled labor in this field" @@ -27624,6 +28075,7 @@ + "two infantry divisions were held in reserve" @@ -27632,6 +28084,7 @@ + @@ -27668,6 +28121,8 @@ + + @@ -28020,6 +28475,7 @@ + "every artist needs an audience" "the broadcast reached an audience of millions" @@ -28027,11 +28483,13 @@ the audience reached by written communications (books or magazines or newspapers etc.) + the audience reached by television + @@ -28997,6 +29455,7 @@ + @@ -29012,6 +29471,7 @@ five performers or singers who perform together + @@ -29720,6 +30180,7 @@ a tabular array of the days (usually for one year) + @@ -30048,6 +30509,7 @@ + "the Venetian school of painting" @@ -30123,6 +30585,8 @@ + + "the school was founded in 1900" @@ -30522,6 +30986,8 @@ + + "early Mayan civilization" @@ -31242,6 +31708,7 @@ + "emergency council" @@ -31310,6 +31777,7 @@ + "student council" @@ -31745,6 +32213,7 @@ + "a committee is a group that keeps minutes and loses hours" - Milton Berle @@ -32233,6 +32702,7 @@ + "the Central Intelligence Agency" "the Census Bureau" "Office of Management and Budget" @@ -33174,6 +33644,7 @@ + @@ -33714,6 +34185,7 @@ + "she asked how to avoid kissing at the end of a date" @@ -34686,6 +35158,7 @@ a public secondary school usually including grades 9 through 12 + "he goes to the neighborhood highschool" @@ -35770,6 +36243,8 @@ + + @@ -36687,6 +37162,7 @@ + "the sequence of names was alphabetical" "he invented a technique to determine the sequence of base pairs in DNA" @@ -36898,6 +37374,10 @@ + + + + "he was a charter member of the movement" "politicians have to respect a mass movement" "he led the national liberation front" @@ -36973,6 +37453,18 @@ + + + + + + + + + + + + @@ -37034,6 +37526,7 @@ an artistic movement in 19th century France; artists and writers strove for detailed realistic and factual description + @@ -37173,6 +37666,8 @@ + + @@ -37690,5 +38185,559 @@ a community of Negroid people in eastern South Africa + + A set of images in the GIF format + A set of images in the GIF format + + + + Russian Special Forces + Russian Special Forces + + + + + All of the fans or devotees of something + All of the fans or devotees of something + + + + someone with a chronic illness + someone with a chronic illness + + + + A date on a Sunday + A date on a Sunday + + + + an online mobile photo-sharing site + an online mobile photo-sharing site + + + + A weight class division in combat sports, for fighters heavier than those in the bantamweight division and lighter than those in the lightweight division. + A weight class division in combat sports, for fighters heavier than those in the bantamweight division and lighter than those in the lightweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the featherweight division and lighter than those in the welterweight division. + A weight class division in combat sports, for fighters heavier than those in the featherweight division and lighter than those in the welterweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the flyweight division and lighter than those in the featherweight division. + A weight class division in combat sports, for fighters heavier than those in the flyweight division and lighter than those in the featherweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the lightweight division and lighter than those in the middleweight division. + A weight class division in combat sports, for fighters heavier than those in the lightweight division and lighter than those in the middleweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the lightweight division and lighter than those in the welterwight division. + A weight class division in combat sports, for fighters heavier than those in the lightweight division and lighter than those in the welterwight division. + + + + A weight class division in combat sports, for fighters heavier than those in the middleweight division and lighter than those in the heavyweight division. + A weight class division in combat sports, for fighters heavier than those in the middleweight division and lighter than those in the heavyweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the middleweight division and lighter than those in the super heavyweight division. + A weight class division in combat sports, for fighters heavier than those in the middleweight division and lighter than those in the super heavyweight division. + + + + A weight class division in combat sports, for fighters heavier than those in the welterweight division and lighter than those in the middleweight division. + A weight class division in combat sports, for fighters heavier than those in the welterweight division and lighter than those in the middleweight division. + + + + A weight class division in combat sports, often the heaviest. + A weight class division in combat sports, often the heaviest. + + + + A weight class division in combat sports, often the lightest. + A weight class division in combat sports, often the lightest. + + + + (combat sports) a division of competition used to match competitors against others of their own size. + (combat sports) a division of competition used to match competitors against others of their own size. + + + + + + + + + + + + + + + a group of five string players. + a group of five string players. + + + + an audio library is a collection of sound recordings. + an audio library is a collection of sound recordings. + + This is my own audio library. + + + an art movement founded by Italian artist Lucio Fontana in Milan in 1947 in which he intended to synthesize colour, sound, space, movement, and time into a new type of art. + an art movement founded by Italian artist Lucio Fontana in Milan in 1947 in which he intended to synthesize colour, sound, space, movement, and time into a new type of art. + + Originally a figurative artist like many experimentalists, he was influenced by the spatialism of Fontana. + + + a forest comprising mainly of broad-leaved trees that shed all their leaves during one season. + a forest comprising mainly of broad-leaved trees that shed all their leaves during one season. + + + + female division of Michaelites. + female division of Michaelites. + + + + a branch of the Ursuline order. + a branch of the Ursuline order. + + They are divided into two branches, the monastic Order of St. Ursula (post-nominals O.S.U.), among whom the largest organization are the Ursulines of the Roman Union, described in this article. + + + The principles, practices, or organization of the Carbonari secret society that flourished in Italy, Spain, and France early in the 19th cent. + The principles, practices, or organization of the Carbonari secret society that flourished in Italy, Spain, and France early in the 19th cent. + + The dispersion of Scalvini and Ugoni that took refuge at Geneva and others of the proscribed that proceeded to London added to the progress which Carbonarism was making in France, suggested to General Pepe the idea of an international secret society, which would combine for a common purpose the advanced political reformers of all the European States. + + + Invention or adaptation of folklore; including any use of a tradition outside the cultural context in which it was created. + Invention or adaptation of folklore; including any use of a tradition outside the cultural context in which it was created. + + In Western capitalist nations, he saw a preponderance of folklorism due to the expansion of undistrial markets, ranging from tourism to commodity goods. + + + a colony of zooids. + a colony of zooids. + + + + a Jewish religious movement that repudiated oral tradition as a source of divine law and defended the Hebrew Bible as the sole authentic font of religious doctrine and practice. + a Jewish religious movement that repudiated oral tradition as a source of divine law and defended the Hebrew Bible as the sole authentic font of religious doctrine and practice. + + This ephemeral appearance of Karaism on Spanish soil was fruitful for Jewish historical literature, for it induced the philosophically trained Abraham ibn Daud of Toledo to write his "Sefer ha-Ḳabbalah" (1161), which is invaluable for the history of the Jews in Spain. + + + any form of drama which is not naturalistic, traditional, conventional or ‘legit’; thus, theatre which disobeys or actively goes against accepted laws and rules of dramaturgy. + any form of drama which is not naturalistic, traditional, conventional or ‘legit’; thus, theatre which disobeys or actively goes against accepted laws and rules of dramaturgy. + + Most anti-theatre, including Six Characters in Search of an Author, never achieves that level of acceptance in the mind of the audience. + + + The use in music of sounds taken from an extra-musical source or context. The term is used most often of percussion or of electronic music that suggests the sounds of machinery. + The use in music of sounds taken from an extra-musical source or context. The term is used most often of percussion or of electronic music that suggests the sounds of machinery. + + More fundamentally, if only locally disruptive, was the bruitism of the Futurists which used the sounds of the non-musical environment - namely noise. + + + a style of realistic art that was developed in the Soviet Union and became a dominant style in other socialist countries. + a style of realistic art that was developed in the Soviet Union and became a dominant style in other socialist countries. + + Socialist realism of the 1930s was part of a larger system of authoritative discourse developed through an interactive exchange between leaders and their supporters. + + + a female order of the Ukrainian Greek Catholic Church. + a female order of the Ukrainian Greek Catholic Church. + + + + minerals that can be found together in a rock. + minerals that can be found together in a rock. + + + + the doctrine and practice of a 19th century Iranian sect that affirmed the progressiveness of revelation, held that no revelation was final, and forbade concubinage and polygamy, mendicancy, the use of intoxicating liquors and drugs, and dealing in slaves. + the doctrine and practice of a 19th century Iranian sect that affirmed the progressiveness of revelation, held that no revelation was final, and forbade concubinage and polygamy, mendicancy, the use of intoxicating liquors and drugs, and dealing in slaves. + + Bábism in its infancy was the cause of a greater sensation than that even which was produced by the teaching of Jesus, if we may judge from the account of Josephus of the first days of Christianity. + + + a bank or other financial institution that registers, distributes, and sells a security on the primary market on behalf of another company. + a bank or other financial institution that registers, distributes, and sells a security on the primary market on behalf of another company. + + + + A small calendar designed to fit in a pocket or a wallet; it comes in various versions, from a simple plastic card, to a booklet or a notebook. + A small calendar designed to fit in a pocket or a wallet; it comes in various versions, from a simple plastic card, to a booklet or a notebook. + + My grandfather still uses pocket calendars. + + + Court banner is formed by troops of the King. + Court banner is formed by troops of the King. + + + + + The quality or characteristic of being Czech. + The quality or characteristic of being Czech. + + There´s more Czechness in Brno than in Prague, says American academic now living in the Czech Republic. + + + the totality of all of the industries involved in the generation of electricity through nuclear power. + the totality of all of the industries involved in the generation of electricity through nuclear power. + + Since about 2001 the term nuclear renaissance has been used to refer to a possible nuclear power industry revival, driven by rising fossil fuel prices and new concerns about meeting greenhouse gas emission limits. + + + a Roman Catholic female order founded in 1859 by Robert Spiske. + a Roman Catholic female order founded in 1859 by Robert Spiske. + + + + one of many religious congregations of women. + one of many religious congregations of women. + + + + the totality of all of the industries involved in the generation, transmission, distribution and sale of renewable energy. + the totality of all of the industries involved in the generation, transmission, distribution and sale of renewable energy. + + + + The early 21st century was a very productive time for the renewable energy industry, since many governments set long term renewable energy targets. + + + items related to the life of Napoleon (engravings, paintings, books, etc.). + items related to the life of Napoleon (engravings, paintings, books, etc.). + + + + The quality of being Japanese. + The quality of being Japanese. + + Japan’s continuous obsession with the idea of the “Japaneseness” in craft products was complicated by its effort to redefine itself in terms of its “Orientalness.” + + + an open woodland in a tropical area with monsoon climate. + an open woodland in a tropical area with monsoon climate. + + + + a short-lived movement originating in Austria-Hungary around 1908 and influencing nearby Slavic states in the Balkans as well as Russia. + a short-lived movement originating in Austria-Hungary around 1908 and influencing nearby Slavic states in the Balkans as well as Russia. + + The Neo-Slavism of 1908-1910 and its effects up to the First World. War were to a large extent a creation of Czech "foreign policy". + + + Term used in Germany for neo-expressionism, the re-emergence of expressive painting in the late 1970s and 1980s. + Term used in Germany for neo-expressionism, the re-emergence of expressive painting in the late 1970s and 1980s. + + Like other neo-expressive movements of this era, the work of the Neue Wilden (i.e. new Fauves), is characterised by bright, intense colours and quick, broad brushstrokes, and can be seen to have arisen in opposition to the then dominant avant-garde movements of minimal art and conceptual art. + + + support or membership of the Society of Saint Pius X, an international traditionalist Catholic organisation. + support or membership of the Society of Saint Pius X, an international traditionalist Catholic organisation. + + They will carry the torch of Lefebvrism, of an impossible Church theology, of having a foot in both religions, Catholic and modernist, of sifting Vatican documents and decrees. + + + the theories and practice of a school of French poets in the 19th century, especially an emphasis upon art for art’s sake, careful metrics, and the repression of emotive elements. + the theories and practice of a school of French poets in the 19th century, especially an emphasis upon art for art’s sake, careful metrics, and the repression of emotive elements. + + In the early 1880s he embarked on a literary career in Paris, rejecting with equal vehemence the Naturalism of Émile Zola and the Parnassianism of Leconte de Lisle. + + + the totality of all of the industries involved in the production of electricity and energy harnessed from falling water and running water. + the totality of all of the industries involved in the production of electricity and energy harnessed from falling water and running water. + + + + + a very large, loose grouping of stars that are of similar spectral type and relatively recent origin. + a very large, loose grouping of stars that are of similar spectral type and relatively recent origin. + + + + + a boundless succession of elements arranged in a given order. + a boundless succession of elements arranged in a given order. + + Normally, the term infinite sequence refers to a sequence which is infinite in one direction, and finite in the other—the sequence has a first element, but no final element (a singly infinite sequence). + + + an organization dedicated to the exploration of space. + an organization dedicated to the exploration of space. + + If the space agency is no longer running, then the date when it was terminated (i.e. the last day of operations) is given. + + + fictional people in the 'Fortess', a series of fantasy novels by science fiction and fantasy author C. J. Cherryh. + fictional people in the 'Fortess', a series of fantasy novels by science fiction and fantasy author C. J. Cherryh. + + + + + District banner is formed by knights of a district. + District banner is formed by knights of a district. + + + + + the class of workers who are salaried and get regular, non-hourly pay checks. + the class of workers who are salaried and get regular, non-hourly pay checks. + + + + a Roman Catholic female congregation founded in 1571 in Braniewo. + a Roman Catholic female congregation founded in 1571 in Braniewo. + + + + a spirit or ideals of the Olympic Games. + a spirit or ideals of the Olympic Games. + + According to the principles of Olympism, the practice of sport is a human right. + + + An art style influenced by that of the 16th-century Italian Baroque painter Caravaggio. + An art style influenced by that of the 16th-century Italian Baroque painter Caravaggio. + + Caravaggism, a modern term used to describe the international artistic movement generated by Caravaggio's style, had a considerable life until the early 1630s. + + + (mathematics) a one-point union of a family of topological spaces. + (mathematics) a one-point union of a family of topological spaces. + + The wedge sum of n circles is often called a bouquet of circles, while a wedge product of arbitrary spheres is often called a bouquet of spheres. + + + 20th-century music in which chance or indeterminate elements are left for the performer to realize. + 20th-century music in which chance or indeterminate elements are left for the performer to realize. + + He based his idea of structured improvisation on similar processes in the aleatoric music of composer John Cage. + + + any educational institution dedicated to teaching aspects of filmmaking, including such subjects as film production, film theory, digital media production, and screenwriting. + any educational institution dedicated to teaching aspects of filmmaking, including such subjects as film production, film theory, digital media production, and screenwriting. + + I cannot help wondering why people choose to go to film school in the face of abundant evidence that the most talented and successful filmmakers in history made their own destiny by eschewing film school and building a reel instead. + + + monks collectively, considered as a group. + monks collectively, considered as a group. + + + + Advocacy of rural life instead of urbanism or city living. + Advocacy of rural life instead of urbanism or city living. + + By "ruralism" I mean the glorification of country life, and a dissatisfaction with urbanism. + + + the characteristics of Byron or his poetry, especially romanticism, melancholy, and melodramatic energy. + the characteristics of Byron or his poetry, especially romanticism, melancholy, and melodramatic energy. + + The Byronism of these passages is of course odd, except that it is a Byronism of desire and not of deed. + + + a generalized metric space in which the distance between two distinct points can be zero. + a generalized metric space in which the distance between two distinct points can be zero. + + In the same way as every normed space is a metric space, every seminormed space is a pseudometric space. + + + any of several religious movements serving as precursors to the 16th-century Protestant Reformation. + any of several religious movements serving as precursors to the 16th-century Protestant Reformation. + + Thus, he read Paul as sort of proto-Reformation theologian and wrote as if the Reformation exposition of Paul was a renewal of authentic Pauline theology. + + + a younger member or members of a group considered as a revitalizing force, as in an organization. + a younger member or members of a group considered as a revitalizing force, as in an organization. + + + + Czech surrealism founded in 1928 by Jindrich Styrsky and Toyen (Marie Cerminova). + Czech surrealism founded in 1928 by Jindrich Styrsky and Toyen (Marie Cerminova). + + + + an esoteric style of writing that attempted to elevate poetic language and themes by re-Latinizing them, using classical allusions, vocabulary, syntax, and word order. + an esoteric style of writing that attempted to elevate poetic language and themes by re-Latinizing them, using classical allusions, vocabulary, syntax, and word order. + + His comparisons of the modern decadent style with the culteranismo of an earlier epoch, whose excesses had led to satiric reactions and a more sober style, are very revealing. + + + a distinct patch or grouping of plants that can be distinguished from other units. + a distinct patch or grouping of plants that can be distinguished from other units. + + + + Breed line is offspring from the mating or breeding of individuals or organisms that are closely related genetically. + Breed line is offspring from the mating or breeding of individuals or organisms that are closely related genetically. + + He is most remembered for his breed line of dogs. + + + the uncertainties or difficulties inherent in a situation or plan. + the uncertainties or difficulties inherent in a situation or plan. + + Deals with the problematics that globalization poses for critical communication scholarship. + + + a council consisting of usually the eldest and most experienced members of the community. + a council consisting of usually the eldest and most experienced members of the community. + + + + mid-20th century French art movement. + mid-20th century French art movement. + + Along with the briefly popular painters of a style known as Miserabilism in the early 1950s, Buffet’s pictures were easily digestible accompaniments to the existential revulsion described in Jean-Paul Sartre’s novel Nausea (La Nausée), 1938, and the fiction of Albert Camus, melded with the sordid underbelly of Georges Simenon’s detective stories. + + + movement in Spanish and Spanish American poetry after World War I, characterized by a tendency to use free verse, complicated metrical innovations, and daring imagery and symbolism instead of traditional form and content. + movement in Spanish and Spanish American poetry after World War I, characterized by a tendency to use free verse, complicated metrical innovations, and daring imagery and symbolism instead of traditional form and content. + + Jorge Luis Borges declared that the “newest aesthetic,” Ultraism, is the poetic alternative to “the prevailing Rubenism and Anecdotalism.” + + + organization of the Scout Movement. + organization of the Scout Movement. + + Countries such as the United States have maintained separate Scouting organizations for boys and girls. + + + a general term for pieces of literature by different authors (usually over the same time period) who share a similar impetus for writing in some way. + a general term for pieces of literature by different authors (usually over the same time period) who share a similar impetus for writing in some way. + + + + + + + If you’ve got glimmerings of creativity in your dark, dark soul, chances are you’ve always identified a little bit more with one literary movement or another. + + + the totality of all of the industries involved in the production and sale of geothermal energy. + the totality of all of the industries involved in the production and sale of geothermal energy. + + + Broader issues concern the extent to which the legal framework for encouragement of renewable energy assists in encouraging geothermal industry innovation and development. + + + neo-evolutionary theory conceptualizing cultural evolution as a process consisting of a number of forward paths of different styles and lengths. + neo-evolutionary theory conceptualizing cultural evolution as a process consisting of a number of forward paths of different styles and lengths. + + In response, Steward’s methodological approach to multilinear evolution called for a detailed comparison of a small number of cultures that were at the same level of sociocultural integration and in similar environments, yet vastly separated geographically. + + + a group of people that share the likelihood of being affected by a given event (developing a disease, chance of being cured, etc.). + a group of people that share the likelihood of being affected by a given event (developing a disease, chance of being cured, etc.). + + + + The inorganic particulate matter suspended in bodies of water such as lakes and seas. + The inorganic particulate matter suspended in bodies of water such as lakes and seas. + + + + + a Catholic religious order for women. + a Catholic religious order for women. + + The Institute of the Ursuline Sisters of the Immaculate Virgin Mary was founded in Gandino (Bergamo, Italy) on 3rd December 1818. + + + members of the patrician class. + members of the patrician class. + + . + + + all the listeners collectively of a particular radio programme, station, or broadcaster. + all the listeners collectively of a particular radio programme, station, or broadcaster. + + + In 2012, the share of radio listenership on mobile phones has increased by 10%, as compared to 2009. + + + writing in the style of Ossian and particularly writing in the epic or legendary vein which is of a recent period but which claims to belong to antiquity. + writing in the style of Ossian and particularly writing in the epic or legendary vein which is of a recent period but which claims to belong to antiquity. + + Scott's work can be seen as a link between the Ossianism of Runciman's first Celtic revival and the more developed Celtic revival of the late nineteenth century. + + + a pile of wooden billets, covered with turf or moistened clay, used to produce wood charcoal. + a pile of wooden billets, covered with turf or moistened clay, used to produce wood charcoal. + + Professional charcoal burners often lived alone in small huts in order to tend their charcoal piles. + + + council in a religious order who provide counsel and assistance to the superiors general and provincial superior of their order. + council in a religious order who provide counsel and assistance to the superiors general and provincial superior of their order. + + + + a group of four players, including a piano player, a violin player, a viola player and a cello player. + a group of four players, including a piano player, a violin player, a viola player and a cello player. + + + + the chief executive agency of a political party; it usually consists of members chosen by the national convention to represent geographical areas or constituent elements in the party and has general supervisory powers over the organization of national conventions and the planning of campaigns + the chief executive agency of a political party; it usually consists of members chosen by the national convention to represent geographical areas or constituent elements in the party and has general supervisory powers over the organization of national conventions and the planning of campaigns + + + + post-war Spanish literary style marked by a tendency to emphasize violence and grotesque imagery. + post-war Spanish literary style marked by a tendency to emphasize violence and grotesque imagery. + + Tremendismo is marked by extravagant and strident diction pointed toward the ugly, by sallies of grimly ironic humor, and by the presentation of irrational and alienated characters. + + + in ancient Greece, a state institution organized to train freeborn youths between the ages of 18 and 20 for military and administrative service. + in ancient Greece, a state institution organized to train freeborn youths between the ages of 18 and 20 for military and administrative service. + + This dissertation provides a new diachronic history of the Athenian ephebeia, a state-sponsored and -directed system of military training for ephebes. + + + An early 20th-century Russian school of poetry that rejected the vagueness and emotionality of Symbolism in favor of Imagist clarity and texture. + An early 20th-century Russian school of poetry that rejected the vagueness and emotionality of Symbolism in favor of Imagist clarity and texture. + + Amongst the major acmeist poets, each interpreted acmeism in a different stylistic light, from Akhmatova's intimate poems on topics of love and relationships to Gumilev's narrative verse. + + + a political system in which Cabinet collectively decides the government's direction, especially in regard to legislation passed by the parliament. + a political system in which Cabinet collectively decides the government's direction, especially in regard to legislation passed by the parliament. + + + + a term encompassing a number of religious institutes of the Catholic Church, such as the Order of St. Ursula or the Ursulines of the Roman Union. + a term encompassing a number of religious institutes of the Catholic Church, such as the Order of St. Ursula or the Ursulines of the Roman Union. + + + + + + school of anthropology concerned with long-term culture change and with the similar patterns of development that may be seen in unrelated, widely separated cultures. + school of anthropology concerned with long-term culture change and with the similar patterns of development that may be seen in unrelated, widely separated cultures. + + + + Neo-evolutionism was the first in a series of modern multi-lineal evolution theories. + diff --git a/src/wn-noun.location.xml b/src/wn-noun.location.xml index 3dab8779..d5be7e89 100644 --- a/src/wn-noun.location.xml +++ b/src/wn-noun.location.xml @@ -2075,6 +2075,7 @@ + @@ -2895,6 +2896,7 @@ + @@ -5468,7 +5470,7 @@ - + @@ -5506,7 +5508,7 @@ - + @@ -5892,6 +5894,7 @@ + @@ -5966,6 +5969,7 @@ + @@ -9434,6 +9438,7 @@ + @@ -10138,9 +10143,6 @@ - - - @@ -12060,6 +12062,7 @@ + @@ -15113,6 +15116,7 @@ + @@ -16097,7 +16101,7 @@ - + @@ -16158,6 +16162,7 @@ + @@ -21345,67 +21350,67 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + @@ -21413,488 +21418,588 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -22007,6 +22112,7 @@ + @@ -22643,6 +22749,7 @@ + @@ -25986,6 +26093,21 @@ + + + + + + + + + + + + + + + @@ -28922,6 +29044,7 @@ + @@ -35117,6 +35240,7 @@ + "the border between the United States and Canada is the longest unguarded border in the world" @@ -37138,6 +37262,7 @@ + @@ -38171,6 +38296,7 @@ + @@ -40805,6 +40931,12 @@ + + + + + + @@ -40835,6 +40967,12 @@ + + + + + + @@ -41625,6 +41763,7 @@ + @@ -44074,6 +44213,7 @@ + @@ -45845,6 +45985,7 @@ + @@ -49409,11 +49550,169 @@ kingdom and soverign state consisting of the Netherlands, Aruba, Curacao and Sint Maarten + kingdom and soverign state consisting of the Netherlands, Aruba, Curacao and Sint Maarten + + A pejorative term for the United States + A pejorative term for the United States + + + + sultanate and one of the 13 states of the Federation of Malaysia; situated in eastern Peninsular Malaysia + sultanate and one of the 13 states of the Federation of Malaysia; situated in eastern Peninsular Malaysia + + + + + + sultanate and one of the 13 states that constitute the Federation of Malaysia; is the fourth largest state in the country + sultanate and one of the 13 states that constitute the Federation of Malaysia; is the fourth largest state in the country + + + + + sultanate and one of the 13 states that constitute the Federation of Malaysia; located in the northwestern part of Peninsular Malaysia + sultanate and one of the 13 states that constitute the Federation of Malaysia; located in the northwestern part of Peninsular Malaysia + + + + + sultanate and one of the 13 states that constitute the Federation of Malaysia; located in the southern portion of Peninsular Malaysia + sultanate and one of the 13 states that constitute the Federation of Malaysia; located in the southern portion of Peninsular Malaysia + + + + + sultanate and one of the 13 states that constitute the Federation of Malaysia; positioned in the north-east of Peninsular Malaysia + sultanate and one of the 13 states that constitute the Federation of Malaysia; positioned in the north-east of Peninsular Malaysia + + + + + the third largest state in Malaysia, sultanate and one of the 13 states that constitute the Federation of Malaysia + the third largest state in Malaysia, sultanate and one of the 13 states that constitute the Federation of Malaysia + + + + + an administrative-territorial division of the Russian Empire from 1775-1917. + an administrative-territorial division of the Russian Empire from 1775-1917. + + Moscow and Saint-Petersburg governorates were designated into a separate governorate-generals. + + + a line on a map connecting points of identical pressures in the water bearing stratum. + a line on a map connecting points of identical pressures in the water bearing stratum. + + + + an isogloss marking off the area in which a particular item of vocabulary is found. + an isogloss marking off the area in which a particular item of vocabulary is found. + + + + an isogram connecting points of equal temperature below the surface of the earth. + an isogram connecting points of equal temperature below the surface of the earth. + + + + A predesignated portion of a chess board that a starting piece must reach in order to receive a promotion. + A predesignated portion of a chess board that a starting piece must reach in order to receive a promotion. + + In traditional Western chess the pawns promote/enrobe on the 8th rank [the 'promotion zone']. + + + a line on a map connecting points of equal level on the piezometric surface. + a line on a map connecting points of equal level on the piezometric surface. + + + + an isogram connecting points having equal wind speed. + an isogram connecting points having equal wind speed. + + + + a line on a map connecting places with equal ground water pressure. + a line on a map connecting places with equal ground water pressure. + + + + + a line indicating a constant frequency of hail storms. + a line indicating a constant frequency of hail storms. + + + + a line drawn on a map or chart connecting places of equal or constant land upheaval. + a line drawn on a map or chart connecting places of equal or constant land upheaval. + + + + The bottom end of a heel, usually made of plastic or metal. + The bottom end of a heel, usually made of plastic or metal. + + + The bottom of most heels usually has a plastic or metal heel tip that wears away with use and can be easily replaced. + + + a line on a map connecting points at which earthquake shocks are of equal intensity. + a line on a map connecting points at which earthquake shocks are of equal intensity. + + Because of local variations in the ground conditions, isoseismals will generally separate zones of broadly similar felt intensity, while containing areas of both higher and lower degrees of shaking. + + + a line on a map linking places with the same mean summer temperature. + a line on a map linking places with the same mean summer temperature. + + + + a line indicating biological events occurring with coincidence such as plants flowering. + a line indicating biological events occurring with coincidence such as plants flowering. + + + + linguistics, an isogloss marking off an area in which a particular feature of pronunciation is found. + linguistics, an isogloss marking off an area in which a particular feature of pronunciation is found. + + To the north of the isophone speakers have a tendency to pronounce triphthongs. + + + a line drawn through geographical points at which a given phase of thunderstorm activity occurred simultaneously. + a line drawn through geographical points at which a given phase of thunderstorm activity occurred simultaneously. + + + + a line on a map connecting places with the same mean winter temperature. + a line on a map connecting places with the same mean winter temperature. + + + + an isogram connecting points with the same intensity of magnetic force. + an isogram connecting points with the same intensity of magnetic force. + + + + a line joining points with constant wind speed. + a line joining points with constant wind speed. + + + + a line connecting points on the earth's surface having the same mean temperature in the coldest month of the year. + a line connecting points on the earth's surface having the same mean temperature in the coldest month of the year. + + + + the locative boundary of a certain linguistic feature, such as the pronunciation of a vowel, the meaning of a word, or use of some syntactic feature. + the locative boundary of a certain linguistic feature, such as the pronunciation of a vowel, the meaning of a word, or use of some syntactic feature. + + + + A major isogloss in American English has been identified as the North-Midland isogloss, which demarcates numerous linguistic features, including the Northern Cities vowel shift. + diff --git a/src/wn-noun.object.xml b/src/wn-noun.object.xml index 0f9e82f2..583733b1 100644 --- a/src/wn-noun.object.xml +++ b/src/wn-noun.object.xml @@ -1111,8 +1111,8 @@ - - + + @@ -3462,7 +3462,7 @@ - + @@ -10025,227 +10025,291 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -11532,6 +11596,10 @@ something to which a mountain climber's rope can be secured + + + + @@ -13580,6 +13648,7 @@ + @@ -14881,6 +14950,7 @@ + @@ -16947,6 +17017,8 @@ accumulated earth and stones deposited by a glacier + + @@ -17354,6 +17426,8 @@ an elementary, electrically neutral particle with a very small mass + + @@ -18337,6 +18411,7 @@ any celestial body (other than comets or satellites) that revolves around a star + @@ -21822,5 +21897,71 @@ + + A planet which exists outside Earth's solar system + A planet which exists outside Earth's solar system + + + + A hole that can be used for sexual intercourse + A hole that can be used for sexual intercourse + + + + a hypothetical heredity-controlling particle of protoplasm. + a hypothetical heredity-controlling particle of protoplasm. + + + + the neutrino associated with the muon. + the neutrino associated with the muon. + + In 1962, Leon M. Lederman, Melvin Schwartz and Jack Steinberger showed that more than one type of neutrino exists by first detecting interactions of the muon neutrino (already hypothesised with the name neutretto), which earned them the 1988 Nobel Prize in Physics. + + + a metal plate with an elongated slot for the bight to go through and then a carabiner is attached so that when pull from the climber occurs the carabiner will be pulled to lock off the device. + a metal plate with an elongated slot for the bight to go through and then a carabiner is attached so that when pull from the climber occurs the carabiner will be pulled to lock off the device. + + + + a tubular or rectangular belay device, used for arresting the fall of a climber, and for rappelling. + a tubular or rectangular belay device, used for arresting the fall of a climber, and for rappelling. + + A tubular device creates more surface area to dissipate heat and has the ability to create sharper angles than the Sticht plate. + + + a body that emits radiation in constant proportion to the corresponding black-body radiation. + a body that emits radiation in constant proportion to the corresponding black-body radiation. + + A source with lower emissivity independent of frequency often is referred to as a gray body. + + + something that makes a clanking noise. + something that makes a clanking noise. + + + + a moraine created by debris accumulated on top of glacial ice. + a moraine created by debris accumulated on top of glacial ice. + + The debris can accumulate due to ice flow toward the surface in the ablation zone, melting of surface ice or from debris that falls onto the glacier from valley sidewalls, forming superglacial moraines. + + + a layer of rock particles overlying ice in the ablation of a glacier. + a layer of rock particles overlying ice in the ablation of a glacier. + + + + the first mechanical rope brake consisting of a small metal plate with a slot that allows a bight of rope to pass through to a locking carabiner and back out. + the first mechanical rope brake consisting of a small metal plate with a slot that allows a bight of rope to pass through to a locking carabiner and back out. + + Sticht plates have become less popular since more modern designs provide smoother control over the rope and are less prone to jamming, especially when doubling as a descender. + + + the neutrino associated with the tau lepton. + the neutrino associated with the tau lepton. + + When the third type of lepton, the tau, was discovered in 1975 at the Stanford Linear Accelerator Center, it too was expected to have an associated neutrino (the tau neutrino). + diff --git a/src/wn-noun.person.xml b/src/wn-noun.person.xml index d94d3a55..8492896e 100644 --- a/src/wn-noun.person.xml +++ b/src/wn-noun.person.xml @@ -5332,7 +5332,7 @@ - + @@ -6588,7 +6588,7 @@ - + @@ -12157,7 +12157,7 @@ - + @@ -14208,6 +14208,7 @@ + @@ -26936,7 +26937,7 @@ - + @@ -40648,6 +40649,7 @@ + @@ -44551,7 +44553,7 @@ - + @@ -69830,7 +69832,7 @@ - + @@ -71750,7 +71752,7 @@ - + @@ -72244,6 +72246,7 @@ + @@ -77122,6 +77125,7 @@ + @@ -78512,6 +78516,7 @@ + @@ -88379,2458 +88384,2636 @@ - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - - + + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -91167,6 +91350,7 @@ + @@ -94908,6 +95092,7 @@ + "she is the main character in the novel" @@ -95453,7 +95638,7 @@ - + @@ -96040,6 +96225,9 @@ + + + @@ -96195,6 +96383,7 @@ + @@ -96278,6 +96467,7 @@ + @@ -96947,6 +97137,7 @@ a woman who is White + @@ -102426,6 +102617,8 @@ a woman adulterer + + @@ -102529,6 +102722,7 @@ + @@ -103757,7 +103951,7 @@ a person of liberal ideals who takes no action to realize them - + @@ -105414,6 +105608,7 @@ + @@ -105893,6 +106088,7 @@ a person who keeps and updates a blog + @@ -113415,6 +113611,7 @@ + @@ -113911,6 +114108,7 @@ + @@ -114560,6 +114758,12 @@ + + + + + + @@ -115528,6 +115732,7 @@ + @@ -116001,6 +116206,7 @@ + "he was my best friend at the university" @@ -121489,7 +121695,7 @@ a person who is broad-minded and tolerant (especially in standards of religious belief and conduct) - + @@ -121830,7 +122036,7 @@ - + a person who favors a political philosophy of progress and reform and the protection of civil liberties @@ -121839,6 +122045,7 @@ + @@ -123103,6 +123310,8 @@ + + "there were two women and six men on the bus" @@ -123758,6 +123967,7 @@ a person of mean disposition + @@ -124254,6 +124464,7 @@ + @@ -124914,6 +125125,8 @@ + + "the mother of three children" @@ -125732,7 +125945,7 @@ a liberal who subscribes to neoliberalism - + @@ -127747,6 +127960,7 @@ + "he was a major player in setting up the corporation" @@ -128320,6 +128534,7 @@ + @@ -128994,6 +129209,7 @@ a person who chooses or selects out + @@ -129441,7 +129657,7 @@ someone who believes that distinct ethnic or cultural or religious groups can exist together in society - + @@ -130940,6 +131156,7 @@ + @@ -131094,6 +131311,8 @@ + + @@ -131367,6 +131586,7 @@ a teenager or young adult who is a performer (or enthusiast) of punk rock and a member of the punk youth subculture + @@ -140794,6 +141014,7 @@ + @@ -141069,6 +141290,7 @@ + @@ -141509,6 +141731,7 @@ the principal bad character in a film or work of fiction + @@ -142348,6 +142571,7 @@ an inhabitant of a western area; especially of the U.S. + @@ -142425,7 +142649,7 @@ a member of the political party that urged social reform in 18th and 19th century England; was the opposition party to the Tories - + @@ -142919,6 +143143,8 @@ + + "the woman kept house while the man hunted" @@ -161061,17 +161287,231 @@ archer who uses an arbalest + archer who uses an arbalest one who is being mentored + one who is being mentored "A student mentor may support up to seven mentees" someone who tunes a musical instrument + someone who tunes a musical instrument + + A sexually loose woman + A sexually loose woman + + + + + A sexually submissive male + A sexually submissive male + + + + the mother of at least one of your children + the mother of at least one of your children + + + + + + A mean or belligerent person + A mean or belligerent person + + + + A person considered impressive due to extreme attitudes, behavior or appearance + A person considered impressive due to extreme attitudes, behavior or appearance + + + + A fan of Justin Bieber + A fan of Justin Bieber + + + + A sexually promiscuous Indonesian woman + A sexually promiscuous Indonesian woman + + + + an adult, male fan of the show My Little Pony: Friendship is Magic + an adult, male fan of the show My Little Pony: Friendship is Magic + + + + + a female performer who performs sexual acts by camera on the internet + a female performer who performs sexual acts by camera on the internet + + + + Someone who wears a costume from a comic book or similar media + Someone who wears a costume from a comic book or similar media + + + + someone who is silly or stupid especially when seeming cute + someone who is silly or stupid especially when seeming cute + + + + a fan on the band One Direction + a fan on the band One Direction + + + + an older other woman, especially a sister, used by a female + an older other woman, especially a sister, used by a female + + + + A female fan who is obsessive about a particular subject (especially, someone or something in popular entertainment media) + A female fan who is obsessive about a particular subject (especially, someone or something in popular entertainment media) + + + + + a believer in a conspiracy theory, especially that the earth is flat + a believer in a conspiracy theory, especially that the earth is flat + + + + A friend with whom you have sex + A friend with whom you have sex + + + + someone who develops a game + someone who develops a game + + + + an entrepreneur and a mother + an entrepreneur and a mother + + + + + used by males to address an older female + used by males to address an older female + + + + a male who is older than the speaker, especially used by Korean female + a male who is older than the speaker, especially used by Korean female + + + + someone who prepares for a disaster + someone who prepares for a disaster + + + + A fan of Selena Gomez + A fan of Selena Gomez + + + + someone who is older or other superior to the speaker + someone who is older or other superior to the speaker + + + + negative term for someone who promote liberal causes especially feminism + negative term for someone who promote liberal causes especially feminism + + + + a female referring to an older male + a female referring to an older male + + + + a villain with superpowers + a villain with superpowers + + + + Fan of Taylor Swift + Fan of Taylor Swift + + + + a person who is initially cold and even hostile towards another person before gradually showing a warmer side over time. + a person who is initially cold and even hostile towards another person before gradually showing a warmer side over time. + + + + A person using Twitter + A person using Twitter + + + + a pair of twins, who are sexually promiscuous + a pair of twins, who are sexually promiscuous + + + + + + a female who is older than the speaker, especially used by Korean female + a female who is older than the speaker, especially used by Korean female + + + + a video blogger + a video blogger + + + + a character in an anime or manga who one has romantic feelings for + a character in an anime or manga who one has romantic feelings for + + + + + A white person, who is obsessed with Japanese culture, usually pejorative + A white person, who is obsessed with Japanese culture, usually pejorative + + + + a white woman with a large butt + a white woman with a large butt + + + + An East Asian Whore + An East Asian Whore + + + + Any of various supernatural monsters, sometimes shapeshifters, in Japanese folklore + Any of various supernatural monsters, sometimes shapeshifters, in Japanese folklore + + + + a trained person hired to determine the sex of chicken and other hatchlings. + a trained person hired to determine the sex of chicken and other hatchlings. + + Chick sexing is the method of distinguishing the sex of chicken and other hatchlings, usually by a trained person called a chick sexer or chicken sexer. + + + a person, group, etc, making a suggestion or plea that is ignored. + a person, group, etc, making a suggestion or plea that is ignored. + + Churchill's early warning of the danger of Nazism was a voice in the wilderness. + + + A pejorative term for a liberal + A pejorative term for a liberal + + diff --git a/src/wn-noun.phenomenon.xml b/src/wn-noun.phenomenon.xml index 63cdac7b..c82ce639 100644 --- a/src/wn-noun.phenomenon.xml +++ b/src/wn-noun.phenomenon.xml @@ -4542,6 +4542,58 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + all phenomena that are not artificial @@ -4942,6 +4994,7 @@ + @@ -6004,6 +6057,7 @@ + "they built a car that runs on electricity" "The power went oout around midnight" @@ -6080,6 +6134,9 @@ + + + "energy can take a wide variety of forms" @@ -6095,6 +6152,7 @@ + @@ -7471,6 +7529,8 @@ + + @@ -7488,6 +7548,7 @@ the mechanical energy that a body has by virtue of its position; stored energy + @@ -7947,6 +8008,7 @@ + @@ -8107,6 +8169,7 @@ the transmission of heat or electricity or sound + @@ -8182,6 +8245,7 @@ + "the intensity of stress is expressed in units of force divided by units of area" @@ -8686,5 +8750,72 @@ the angle subtended by the mean equatorial radius of the Earth at a distance of one astronomical unit + + the energy involved in the exchange interaction. + the energy involved in the exchange interaction. + + Exchange energy splittings are very elusive to calculate for molecular systems at large internuclear distances. + + + the maximum voltage that the circuit-breaker can interrupt safely and without being damaged by excessive arcing. + the maximum voltage that the circuit-breaker can interrupt safely and without being damaged by excessive arcing. + + + + smoke that is a result of combusting the products made from dried tobacco leaves, such as cigarettes. + smoke that is a result of combusting the products made from dried tobacco leaves, such as cigarettes. + + You should quit smoking, don't you know that tobacco smoke contains harmful substances? + + + the energy needed to break every chemical bond in a molecule and completely separate all its atoms. + the energy needed to break every chemical bond in a molecule and completely separate all its atoms. + + + + (physics) the potential energy of an electric charge in an electric field, or of an electric current in a magnetic field. + (physics) the potential energy of an electric charge in an electric field, or of an electric current in a magnetic field. + + + + the electric potential that occurs in a living organism. + the electric potential that occurs in a living organism. + + + + In physics, the property of a material to conduct heat. + In physics, the property of a material to conduct heat. + + When a material undergoes a phase change from solid to liquid or from liquid to gas the thermal conductivity may change. + + + The condition of occurring without gain or loss of heat (and thus with no change in entropy, in the quasistatic approximation). + The condition of occurring without gain or loss of heat (and thus with no change in entropy, in the quasistatic approximation). + + The aim of this article is to study the adiabaticity of the ramping process of an ac dipole as a function of the different parameters involved. + + + the time derivative of work. + the time derivative of work. + + + + (physics) the potential energy of a magnetic field. + (physics) the potential energy of a magnetic field. + + + + the portion of power that, averaged over a complete cycle of the AC waveform, results in net transfer of energy in one direction. + the portion of power that, averaged over a complete cycle of the AC waveform, results in net transfer of energy in one direction. + + For two systems transmitting the same amount of active power, the system with the lower power factor will have higher circulating currents due to energy that returns to the source from energy storage in the load. + + + elastic stress (any deformation of a solid material) and viscous stress (the gradual changing of the deformation) combined. + elastic stress (any deformation of a solid material) and viscous stress (the gradual changing of the deformation) combined. + + + The relation between mechanical stress, deformation, and the rate of change of deformation can be quite complicated, although a linear approximation may be adequate in practice if the quantities are small enough. + diff --git a/src/wn-noun.plant.xml b/src/wn-noun.plant.xml index 37bb1ae9..8a34eaaa 100644 --- a/src/wn-noun.plant.xml +++ b/src/wn-noun.plant.xml @@ -4557,8 +4557,8 @@ - - + + @@ -10057,12 +10057,12 @@ - + - - + + @@ -17009,9 +17009,9 @@ - + - + @@ -29671,10 +29671,10 @@ - - - - + + + + @@ -33297,8 +33297,8 @@ - - + + @@ -40015,8 +40015,8 @@ - - + + @@ -40847,7 +40847,7 @@ - + @@ -51450,8 +51450,8 @@ - - + + @@ -57990,8 +57990,8 @@ - - + + @@ -59141,8 +59141,8 @@ - - + + @@ -69976,8 +69976,8 @@ - - + + @@ -71660,9 +71660,9 @@ - + - + @@ -72800,6 +72800,26 @@ + + + + + + + + + + + + + + + + + + + + (botany) the taxonomic kingdom comprising all living or extinct plants @@ -77054,7 +77074,7 @@ - + @@ -77111,12 +77131,12 @@ wood of any of various cypress trees especially of the genus Cupressus - - - - - - + + + + + + @@ -77190,37 +77210,39 @@ evergreen monoecious coniferous trees or shrubs: cypress pines - + - + wood of any of several evergreen trees or shrubs of Australia and northern New Caledonia + wood of any of several evergreen trees or shrubs of Australia and northern New Caledonia + Australian cypress pine having globular cones - + Australian tree with small flattened scales as leaves and numerous dark brown seed; valued for its timber and resin - + small tree or shrub of southern Australia - + Australian cypress pine with fibrous inner bark - + @@ -77287,14 +77309,15 @@ junipers - + - + wood of a coniferous shrub or small tree with berrylike cones + wood of a coniferous shrub or small tree with berrylike cones @@ -77305,17 +77328,18 @@ + berrylike fruit of a plant of the genus Juniperus especially the berrylike cone of the common juniper - + any of several junipers with wood suitable for making pencils - + @@ -77342,33 +77366,33 @@ juniper of swampy coastal regions of southeastern United States; similar to eastern red cedar - + procumbent or spreading juniper - + densely branching shrub or small tree having pungent blue berries used to flavor gin; widespread in Northern Hemisphere; only conifer on coasts of Iceland and Greenland - + a procumbent variety of the common juniper - + low to prostrate shrub of Canada and northern United States; bronzed purple in winter - + small tree of western Texas and mountains of Mexico having spreading branches with drooping branchlets - + @@ -77424,24 +77448,26 @@ - + wood of either of two huge coniferous California trees that reach a height of 300 feet; sometimes placed in the Taxodiaceae + wood of either of two huge coniferous California trees that reach a height of 300 feet; sometimes placed in the Taxodiaceae + the soft reddish wood of either of two species of sequoia trees - + lofty evergreen of United States coastal foothills from Oregon to Big Sur; it flourishes in wet, rainy, foggy habitats - + @@ -77454,7 +77480,7 @@ extremely lofty evergreen of southern end of western foothills of Sierra Nevada in California; largest living organism - + @@ -77462,33 +77488,39 @@ bald cypress; swamp cypress - - - + + + - + wood of a common cypress of southeastern United States having trunk expanded at base; found in coastal swamps and flooding river bottoms + wood of a common cypress of southeastern United States having trunk expanded at base; found in coastal swamps and flooding river bottoms + - + wood of a deciduous conifer of the genus Taxodium, native to North America + wood of a deciduous conifer of the genus Taxodium, native to North America + - + wood of cypresses of river valleys of Mexican highlands + wood of cypresses of river valleys of Mexican highlands + Mexico's most famous tree; a giant specimen of Montezuma cypress more than 2,000 years old with a girth of 165 feet at Santa Maria del Tule - + "some say the Tule tree is the world's largest single biomass" @@ -95285,6 +95317,7 @@ + @@ -105246,6 +105279,7 @@ + @@ -108904,6 +108938,7 @@ seed of the mung bean plant + seed of the mung bean plant; used for food seed of the mung bean plant; used for food @@ -128207,6 +128242,7 @@ plant capable of synthesizing its own food from simple organic substances + @@ -129168,6 +129204,7 @@ + @@ -132475,27 +132512,62 @@ either of two huge coniferous California trees that reach a height of 300 feet; sometimes placed in the Taxodiaceae + either of two huge coniferous California trees that reach a height of 300 feet; sometimes placed in the Taxodiaceae + any of several evergreen trees or shrubs of Australia and northern New Caledonia + any of several evergreen trees or shrubs of Australia and northern New Caledonia + coniferous shrub or small tree with berrylike cones + coniferous shrub or small tree with berrylike cones + common cypress of southeastern United States having trunk expanded at base; found in coastal swamps and flooding river bottoms + common cypress of southeastern United States having trunk expanded at base; found in coastal swamps and flooding river bottoms + a deciduous conifer of the genus Taxodium, native to North America + a deciduous conifer of the genus Taxodium, native to North America + cypress of river valleys of Mexican highlands + cypress of river valleys of Mexican highlands + + + + A plant, fungus, or other organism that grows upon rock. + A plant, fungus, or other organism that grows upon rock. + + + + + An organism that depends on chemicals for its energy and principally on carbon dioxide for its carbon. + An organism that depends on chemicals for its energy and principally on carbon dioxide for its carbon. + + + + a fruit that has orange skin and lime green, jelly-like flesh with a refreshingly fruity taste, and texture similar to a passionfruit or pomegranate; grows on the annual vine Cucumis metuliferus. + a fruit that has orange skin and lime green, jelly-like flesh with a refreshingly fruity taste, and texture similar to a passionfruit or pomegranate; grows on the annual vine Cucumis metuliferus. + + + + + spice derived from the dried fruit of Piper guineense; very similar to cubeb pepper but is much less bitter and has a fresher more herbaceous flavour. + spice derived from the dried fruit of Piper guineense; very similar to cubeb pepper but is much less bitter and has a fresher more herbaceous flavour. + + Even in West Africa, Ashanti pepper is an expensive spice and is used sparingly. diff --git a/src/wn-noun.possession.xml b/src/wn-noun.possession.xml index fa4d7c1c..212cfe61 100644 --- a/src/wn-noun.possession.xml +++ b/src/wn-noun.possession.xml @@ -622,6 +622,7 @@ + @@ -1788,6 +1789,7 @@ + @@ -4720,7 +4722,7 @@ - + @@ -6785,11 +6787,271 @@ - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -6843,6 +7105,7 @@ + @@ -7426,6 +7689,7 @@ + @@ -8021,6 +8285,7 @@ + @@ -8058,6 +8323,7 @@ + "an allowance for profit" @@ -8136,6 +8402,9 @@ + + + @@ -8271,6 +8540,7 @@ + "wages were paid by cash" "he wasted his pay on drink" "they saved a quarter of all their earnings" @@ -8937,6 +9207,7 @@ + @@ -9171,6 +9442,11 @@ + + + + + "the price of gasoline" "he got his new car on excellent terms" "how much is the damage?" @@ -9314,6 +9590,9 @@ + + + "the admission charge" @@ -9424,6 +9703,8 @@ + + @@ -9668,6 +9949,7 @@ + "they signed a treaty to lower duties on trade between their countries" @@ -9787,6 +10069,7 @@ + @@ -9848,6 +10131,7 @@ + @@ -10079,6 +10363,9 @@ the charge for exchanging currency of one country for currency of another + + + @@ -10153,6 +10440,8 @@ + + @@ -10268,6 +10557,7 @@ + "he borrowed a large sum" "the amount he had in cash was insufficient" @@ -10340,12 +10630,14 @@ + the ownership interest of shareholders in a corporation + @@ -10622,6 +10914,8 @@ any of the equal portions into which the capital stock of a corporation is divided and ownership of which is evidenced by a stock certificate + + "he bought 100 shares of IBM at the market price" @@ -10641,6 +10935,7 @@ + "he knew the stock was a speculation when he bought it" @@ -11032,6 +11327,8 @@ + + @@ -11236,6 +11533,7 @@ + "he moved his bank account to a new bank" @@ -11506,6 +11804,7 @@ + @@ -11578,6 +11877,7 @@ + @@ -11708,6 +12008,7 @@ + @@ -12148,6 +12449,7 @@ + @@ -12265,6 +12567,7 @@ + @@ -12579,6 +12882,8 @@ + + @@ -12586,6 +12891,7 @@ + "last year there was a serious budgetary deficit" @@ -12629,6 +12935,7 @@ + @@ -13057,6 +13364,8 @@ + + @@ -13516,11 +13825,326 @@ a payment card that allows the consumer to build a continuing balacne of debt, subject to interest being charged + a payment card that allows the consumer to build a continuing balacne of debt, subject to interest being charged a tax based on the value of the goods collected by the end retailer + a tax based on the value of the goods collected by the end retailer + + an alternative cryptocurrency + an alternative cryptocurrency + + + + a currency based on the usage of cryptography to secure transactions + a currency based on the usage of cryptography to secure transactions + + + + + an exchange rate for a currency where the government has decided to link the value to some valuable commodity like gold; a fixed exchange rate does not change according to market conditions. + an exchange rate for a currency where the government has decided to link the value to some valuable commodity like gold; a fixed exchange rate does not change according to market conditions. + + + + the total price charged for a product sold to a customer, which includes the manufacturer's cost plus a retail markup. + the total price charged for a product sold to a customer, which includes the manufacturer's cost plus a retail markup. + + The average retail price for a new video game is approximately 60 US dollars. + + + the costs required to come to an acceptable agreement with the other party to the transaction, drawing up an appropriate contract and so on. + the costs required to come to an acceptable agreement with the other party to the transaction, drawing up an appropriate contract and so on. + + + + a tax levied by certain municipalities or regions, payable by visitors who stay in tourist accommodation longer than 24 hours for tourist, relaxation or training reasons. + a tax levied by certain municipalities or regions, payable by visitors who stay in tourist accommodation longer than 24 hours for tourist, relaxation or training reasons. + + + + shares held by the founders of a company; usually grant special privileges. + shares held by the founders of a company; usually grant special privileges. + + + + the costs of any activities and efforts that are designed to keep the product's potential defects from occurring. + the costs of any activities and efforts that are designed to keep the product's potential defects from occurring. + + Some example component items of the total prevention costs are: quality planning, quality training and workforce development, and product-design verification. + + + a one-time fee usually charged by the county for a property rezoning request. + a one-time fee usually charged by the county for a property rezoning request. + + + + a fixed rate paid according to the quantity produced. + a fixed rate paid according to the quantity produced. + + Factories today may receive the label "sweatshop" more because they have the long hours and poor working conditions, even if they pay an hourly or daily wage instead of a piece rate. + + + an ancient Greek silver coin equal to 1/2 drachm or 3 obols in value. + an ancient Greek silver coin equal to 1/2 drachm or 3 obols in value. + + + + an estimated price that may or may not resemble an asset's market price. + an estimated price that may or may not resemble an asset's market price. + + A nominal price can be established as part of a negotiation, or as an initial price when a product has just been introduced. + + + an obligation, especially a gambling debt based on a verbal promise, which is not legally enforceable but which is considered to be secured by the debtor's moral integrity. + an obligation, especially a gambling debt based on a verbal promise, which is not legally enforceable but which is considered to be secured by the debtor's moral integrity. + + I have to get him the money - it's a debt of honor. + + + the costs that are incurred in assessing that products/services conform to the requirements. + the costs that are incurred in assessing that products/services conform to the requirements. + + Some example component items of the total appraisal costs are: field testing, test and inspection equipment, and quality audits. + + + a bank account with added services and extras. + a bank account with added services and extras. + + + + an extra month's salary, in addition to a thirteenth salary, paid to employees according to different terms of law or contract of employment; mostly, it is equivalent to one full monthly salary. + an extra month's salary, in addition to a thirteenth salary, paid to employees according to different terms of law or contract of employment; mostly, it is equivalent to one full monthly salary. + + Some institutions practice adding a fourteenth salary, fifteenth salary and successive bonuses for higher pay grades. + + + the owner's investment in the business which consists of the net assets of an entity. + the owner's investment in the business which consists of the net assets of an entity. + + The types of accounts and their description that comprise the owner's equity depend on the nature of the entity and may include: common stock, capital surplus, retained earnings, and reserve. + + + money, or property that may readily be converted into money. + money, or property that may readily be converted into money. + + + + a charge paid to the owner of an apartment building for electricity, lifts, maintenance, etc. + a charge paid to the owner of an apartment building for electricity, lifts, maintenance, etc. + + + + the use of only one metal (such as gold or silver) in the standard currency of a country, or as a standard of monetary value. + the use of only one metal (such as gold or silver) in the standard currency of a country, or as a standard of monetary value. + + A smaller disagreement which takes place relating to metallism is whether one metal should be used as currency (as in monometallism), or should there be two or more metals for that purpose (as in bimetallism). + + + an account balance in which debits exceed credits, and the customer owes the bank money. + an account balance in which debits exceed credits, and the customer owes the bank money. + + + + the amount of money a bank has lent and may lose if it is not paid back. + the amount of money a bank has lent and may lose if it is not paid back. + + The calculated expected maximum exposure value is not to be confused with the maximum credit exposure possible. + + + costs that can easily be associated with a particular cost object. + costs that can easily be associated with a particular cost object. + + Most cost estimates are broken down into direct costs and indirect costs. + + + a reserve created by a company for both expected and unexpected expenses; not distributable as dividends. + a reserve created by a company for both expected and unexpected expenses; not distributable as dividends. + + + + the costs that arise from defects caught internally and dealt with by discarding or repairing the defective items. + the costs that arise from defects caught internally and dealt with by discarding or repairing the defective items. + + + + the costs of making sure the other party sticks to the terms of the contract, and taking appropriate action (often through the legal system) if this turns out not to be the case. + the costs of making sure the other party sticks to the terms of the contract, and taking appropriate action (often through the legal system) if this turns out not to be the case. + + + + a one-time benefit payable for each child expected, born, or adpoted. + a one-time benefit payable for each child expected, born, or adpoted. + + + + + a way of calculating the depreciation of an asset whereby one subtracts a certain percentage of its current value each year. + a way of calculating the depreciation of an asset whereby one subtracts a certain percentage of its current value each year. + + + When using the declining balance method, the salvage value is not considered in determining the annual depreciation, but the book value of the asset being depreciated is never brought below its salvage value, regardless of the method used. + + + the exchange rate in which the value of the currency is determined by the free market. + the exchange rate in which the value of the currency is determined by the free market. + + Floating exchange rates tend to be more volatile depending on the particular currency. + + + an account balance in which credits exceed debits, and the bank owes money to the customer. + an account balance in which credits exceed debits, and the bank owes money to the customer. + + + + speculative dealing in stock exchange securities or foreign exchange. + speculative dealing in stock exchange securities or foreign exchange. + + + + + + an interest rate charged by a central bank for very short term loans to other banks against an approved collateral. + an interest rate charged by a central bank for very short term loans to other banks against an approved collateral. + + Lending is via central banks, in particular the securities 'eligible for collateral' which are registered on lists; as a general rule, the Lombard rate (interest rate) is more or less one per cent above discount rate. + + + the costs that arise from defects that actually reach customers. + the costs that arise from defects that actually reach customers. + + + + a deficit that is related to the business or economic cycle. + a deficit that is related to the business or economic cycle. + + Usually, the cyclical deficit is experienced at the low point of the business cycle when there are lower levels of business activity and higher levels of unemployment. + + + a range of exchange rates for a currency where the government has decided to link the value to another currency or a basket of currencies; visited and adjusted regularly. + a range of exchange rates for a currency where the government has decided to link the value to another currency or a basket of currencies; visited and adjusted regularly. + + + + a charge paid for the take-off, landing and parking of aircraft, and the use of passenger facilities. + a charge paid for the take-off, landing and parking of aircraft, and the use of passenger facilities. + + + + capital which the business borrows from institutions or people; includes various debentures. + capital which the business borrows from institutions or people; includes various debentures. + + Capital contributed by the owner or entrepreneur of a business, and obtained, for example, by means of savings or inheritance, is known as own capital or equity, whereas that which is granted by another person or institution is called borrowed capital, and this must usually be paid back with interest. + + + the price for a good or service, less any sales tax or VAT the buyer pays and plus any subsidy the seller receives. + the price for a good or service, less any sales tax or VAT the buyer pays and plus any subsidy the seller receives. + + Even though the basic price was established a decade ago, some of our business partners want to raise it. + + + a price dictated by any entity other than market forces. + a price dictated by any entity other than market forces. + + + + the costs that arise from the products/services not conforming to the requirements. + the costs that arise from the products/services not conforming to the requirements. + + + + Inspection is never completely effective, so appraisal costs stay high as long as the failure costs stay high. + + + any liability expected to be paid off in one year or less. + any liability expected to be paid off in one year or less. + + + + an option where the buyer has the right to exercise at a set (always discretely spaced) number of times. + an option where the buyer has the right to exercise at a set (always discretely spaced) number of times. + + The Bermudan option is somewhat American and somewhat European—in terms of both option style and physical location. + + + the total revenue a company or project collects from sales divided by the number of units sold over a period of time. + the total revenue a company or project collects from sales divided by the number of units sold over a period of time. + + + + account that records any surplus after the revaluation of assets. + account that records any surplus after the revaluation of assets. + + The increase in depreciation arising out of revaluation of fixed assets is debited to revaluation reserve and the normal depreciation to Profit and Loss account. + + + a second or subsequent investment in the same thing. + a second or subsequent investment in the same thing. + + + + the price of a commodity such as a good or service in terms of another; i.e., the ratio of two prices. + the price of a commodity such as a good or service in terms of another; i.e., the ratio of two prices. + + Inflation makes it difficult for economic agents to immediately distinguish increases in the price of a good which are due to relative price changes from changes in the price which are due to inflation of prices. + + + a means to quantify the total cost of quality-related efforts and deficiencies. + a means to quantify the total cost of quality-related efforts and deficiencies. + + + + + + + a charge levied on products that are deemed harmful to the environment. + a charge levied on products that are deemed harmful to the environment. + + + + tariff imposed on a foreign commercial entity as a form of reprisal. + tariff imposed on a foreign commercial entity as a form of reprisal. + + + + a tax imposed by the government in special circumstances, intended to provide funding towards theoretically solidifying projects. + a tax imposed by the government in special circumstances, intended to provide funding towards theoretically solidifying projects. + + Up to €972 (€1,944 for married couples) annual income tax, no solidarity surcharge is levied. + + + a tax deduction for recovery of the cost of assets used in a business or for the production of income. + a tax deduction for recovery of the cost of assets used in a business or for the production of income. + + + + liabilities that may be incurred by an entity depending on the outcome of a uncertain future event such as a court case. + liabilities that may be incurred by an entity depending on the outcome of a uncertain future event such as a court case. + + Examples of contingent liabilities include outstanding lawsuits, product warranty, claims against the company not acknowledged as debts, and so forth. + + + an allowance payable to employees who are given special assignments or perform additional duties. + an allowance payable to employees who are given special assignments or perform additional duties. + + + + a stock that contains no ownership information and whose physical bearer is presumed to be the owner. + a stock that contains no ownership information and whose physical bearer is presumed to be the owner. + + Bearer shares are banned in some countries, because of their potential for abuse. + + + the cost of participating in a market. + the cost of participating in a market. + + + + + The buyer of a used car faces a variety of different transaction costs: the costs of finding a car and determining the car's condition, the costs of negotiating a price with the seller, and the costs of ensuring that the seller delivers the car in the promised condition. + diff --git a/src/wn-noun.process.xml b/src/wn-noun.process.xml index b1f063bd..c42ee980 100644 --- a/src/wn-noun.process.xml +++ b/src/wn-noun.process.xml @@ -4970,6 +4970,7 @@ + @@ -5989,7 +5990,155 @@ - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -6944,6 +7093,7 @@ + "the consumption of energy has increased steadily" @@ -7198,6 +7348,8 @@ + + @@ -7246,6 +7398,10 @@ the ability and desire to purchase goods and services + + + + "the automobile reduced the demand for buggywhips" "the demand exceeded the supply" @@ -7291,6 +7447,7 @@ + "`singer' from `sing' or `undo' from `do' are examples of derivations" @@ -7358,6 +7515,7 @@ + "the development of his ideas took many years" "the evolution of Greek civilization" "the slow development of her skill as a writer" @@ -7561,6 +7719,8 @@ + + @@ -8294,6 +8454,7 @@ + @@ -8346,6 +8507,7 @@ (psychiatry) a defense mechanism that splits something you are ambivalent about into two representations--one good and one bad + @@ -8458,6 +8620,7 @@ + "in inflation everything gets more valuable except money" @@ -8754,6 +8917,8 @@ + + @@ -8776,6 +8941,8 @@ an operation that follows the rules of symbolic logic + + @@ -9275,6 +9442,7 @@ (physiology) the organic process of nourishing or being nourished; the processes by which an organism assimilates food and uses it for growth and maintenance + @@ -9745,6 +9913,7 @@ + @@ -10401,6 +10570,8 @@ + + @@ -10452,6 +10623,7 @@ the source of something's existence or from which it derives or is derived + "the rumor had its origin in idle gossip" "vegetable origins" "mineral origin" @@ -10595,6 +10767,8 @@ offering goods and services for sale + + @@ -10976,8 +11150,172 @@ the process of making maps + the process of making maps detailed mapping of the structure of rocks + + a character development process that describes a person who is initially cold and even hostile towards another person before gradually showing a warmer side over time. + a character development process that describes a person who is initially cold and even hostile towards another person before gradually showing a warmer side over time. + + + + The process of increasing the power or influence of a religious hierarchy. + The process of increasing the power or influence of a religious hierarchy. + + Clericalization may be defined as the process by which the power and status of a religious hierarchy is increased and the gap between leaders and the led is widened. + + + In macroeconomics, the total demand for final goods and services in the economy at a given time and price level. + In macroeconomics, the total demand for final goods and services in the economy at a given time and price level. + + The decline in Japan has been sharper than in Europe or North America, mostly because global demand for the country's products, such as automobiles and electronics, has fallen. + Schools of economics agree that during a time of economic downturn, government should cut taxes to increase aggregate demand. + + + change in a consonant in a word according to its morphological or syntactic environment. + change in a consonant in a word according to its morphological or syntactic environment. + + Welsh is a language with a rich and productive system of initial consonant mutation. + + + an early photographic process based on the oil print, whose origins date from the mid-nineteenth century. + an early photographic process based on the oil print, whose origins date from the mid-nineteenth century. + + + + the process of giving an ideological character or interpretation to; especially of changing or interpreting in relation to a sociopolitical ideology often seen as biased or limited. + the process of giving an ideological character or interpretation to; especially of changing or interpreting in relation to a sociopolitical ideology often seen as biased or limited. + + However, the ideologization of Islam today, differs markedly from the politicization of Islam in the past in several respects. + + + an extremely unrealistic, archaic form of idealization. + an extremely unrealistic, archaic form of idealization. + + Borderline defenses include splitting, primitive idealization, projection, projective identification, primitive denial, omnipotence and devaluation. + + + a market situation in which the demand for a good disappears if its price is rised, and conversely, if the price of a good decreases, the demand becomes infinite. + a market situation in which the demand for a good disappears if its price is rised, and conversely, if the price of a good decreases, the demand becomes infinite. + + + + the operation of subtracting one from the operand. + the operation of subtracting one from the operand. + + The second parameter provides an encoding of either one of the incrementation or decrementation operations. + + + demand that increases or decreases as the price of a good or service decreases or increases. + demand that increases or decreases as the price of a good or service decreases or increases. + + + + a situation in which any change in the price of a given good does not equal a corresponding change in its supply. + a situation in which any change in the price of a given good does not equal a corresponding change in its supply. + + + + a market situation in which there is a constant demand for a good regardless of the movement of its price. + a market situation in which there is a constant demand for a good regardless of the movement of its price. + + + + a situation in which economic depression is combined with increasing inflation. + a situation in which economic depression is combined with increasing inflation. + + + + The quality or state of being of or pertaining to the common people; of being vulgar, common. + The quality or state of being of or pertaining to the common people; of being vulgar, common. + + The plebeianism of his father showed itself in the ungainly shell, in the indifference to personal cleanliness, and in the mongrel spirit which drove him to acts of physical cowardice for which his apologists blush. + + + derivation of a new word by inserting an interfix between two morphemes. + derivation of a new word by inserting an interfix between two morphemes. + + The traditional notions of infixation and/or interfixation cannot account for these patterns in a satisfying way. + + + the expenditure in specific terms (per unit of production) of material resources (basic and auxiliary materials, fuel, energy, and depreciation of fixed assets) needed for production. + the expenditure in specific terms (per unit of production) of material resources (basic and auxiliary materials, fuel, energy, and depreciation of fixed assets) needed for production. + + Within the national economy, in order to eliminate double counting, the consumption of materials must be calculated by the final product. + + + indirect expression of hostility, such as through procrastination, stubbornness, sullenness, or deliberate or repeated failure to accomplish requested tasks for which one is (often explicitly) responsible. + indirect expression of hostility, such as through procrastination, stubbornness, sullenness, or deliberate or repeated failure to accomplish requested tasks for which one is (often explicitly) responsible. + + In psychology, passive-aggressive behavior is characterized by a habitual pattern of passive resistance to expected work requirements, opposition, stubbornness, and negative attitudes in response to requirements for normal performance levels expected of others. + + + A situation where sellers have information that buyers don't (or vice versa) about some aspect of product quality. + A situation where sellers have information that buyers don't (or vice versa) about some aspect of product quality. + + The insurance company investigators realized new policy-holder Louis was an adverse selection shortly after he was insured, when a slew of illnesses suddenly sent him to the hospital numerous times. + + + An expansion or compression of a gas in which the quantity pV n is held constant, where p and V are the pressure and volume of the gas, and n is some constant. + An expansion or compression of a gas in which the quantity pV n is held constant, where p and V are the pressure and volume of the gas, and n is some constant. + + The process taking place during hydrogen's compression from the 30 bar lower limit to the 200 bar upper limit is a polytropic process. + + + a thermodynamic process during which the volume of the closed system undergoing such a process remains constant. + a thermodynamic process during which the volume of the closed system undergoing such a process remains constant. + + In practice, a gas that receives heat in an isochoric process is a constant volume heating and at the same time it is a constant volume pressurization; a gas that looses heat in an isochoric process is a constant volume cooling and at the same time it is a constant volume depressurization. + + + a market situation in which even a minuscule decrease in the price of a good or service drops the supply for the good or service to zero. + a market situation in which even a minuscule decrease in the price of a good or service drops the supply for the good or service to zero. + + + + the operation of adding one to the operand. + the operation of adding one to the operand. + + The second parameter provides an encoding of either one of the incrementation or decrementation operations. + + + the spread of cultural items—such as ideas, styles, religions, technologies, languages etc.—between individuals, whether within a single culture or from one culture to another. + the spread of cultural items—such as ideas, styles, religions, technologies, languages etc.—between individuals, whether within a single culture or from one culture to another. + + The case of cultural diffusion, in contrast, makes it tempting to suggest that there might be many independent terms contributing to the spatial dispersion of a cultural trait. + + + the process of cartelizing, usually occuring in oligopolistic industry. + the process of cartelizing, usually occuring in oligopolistic industry. + + Cartelization usually occurs in an oligopolistic industry, where the number of sellers is small or sales are highly concentrated and the products being traded are usually commodities. + + + cohesion which is based on structural content. + cohesion which is based on structural content. + + While lexical cohesion is obviously achieved by the selection of vocabulary, the other types of cohesion are considered as grammatical cohesion. + + + (of an animal, usually a bird) The quality of subsisting off live prey. + (of an animal, usually a bird) The quality of subsisting off live prey. + + The rapacity of carnivorous animals has been considered by some writers to have had a considerable effect on the distribution and even on the extinction of others. + + + The quality of being an animal that eats meat as the main part of its diet. + The quality of being an animal that eats meat as the main part of its diet. + + + "The too obvious fact that a large portion of animals are carnivorous neither proves nor justifies the carnivorousness of the human species." + + + (linguistics) the grammatical and lexical linking within a text or sentence that holds a text together and gives it meaning. + (linguistics) the grammatical and lexical linking within a text or sentence that holds a text together and gives it meaning. + + + While lexical cohesion is obviously achieved by the selection of vocabulary, the other types of cohesion are considered as grammatical cohesion. + diff --git a/src/wn-noun.quantity.xml b/src/wn-noun.quantity.xml index cffb515c..75ffc368 100644 --- a/src/wn-noun.quantity.xml +++ b/src/wn-noun.quantity.xml @@ -5965,6 +5965,7 @@ + @@ -8777,6 +8778,386 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + one of the four quantities that are the basis of systems of measurement @@ -8799,6 +9180,7 @@ + @@ -8834,6 +9216,8 @@ + + @@ -8860,6 +9244,7 @@ + @@ -9113,6 +9498,18 @@ + + + + + + + + + + + + "the dollar is the United States unit of currency" "a unit of wheat is a bushel" "change per unit volume" @@ -9555,6 +9952,7 @@ the number designating place in an ordered sequence + @@ -9622,6 +10020,7 @@ a prescribed number + "all the salesmen met their quota for the month" @@ -9691,6 +10090,10 @@ + + + + @@ -9799,6 +10202,7 @@ + @@ -9865,6 +10269,10 @@ + + + + @@ -10018,6 +10426,17 @@ + + + + + + + + + + + @@ -10025,6 +10444,7 @@ + @@ -10032,6 +10452,8 @@ + + @@ -10145,6 +10567,8 @@ + + @@ -10298,6 +10722,8 @@ a unit of measurement for area, defined as the area of a square with sides of exactly 1 metre; a centiare is 1/100th of an are + + @@ -11200,6 +11626,7 @@ + @@ -11605,6 +12032,7 @@ a unit of radiation exposure; the dose of ionizing radiation that will produce 1 electrostatic unit of electricity in 1 cc of dry air + @@ -12115,6 +12543,7 @@ + @@ -12207,6 +12636,7 @@ + @@ -12239,6 +12669,7 @@ + @@ -12919,6 +13350,7 @@ the basic unit of money in Benin + @@ -12931,23 +13363,27 @@ the basic unit of money in Cameroon + the basic unit of money in the Central African Republic + the basic unit of money in Chad + the basic unit of money in the Congo + @@ -12964,12 +13400,14 @@ the basic unit of money in Gabon + the basic unit of money in the Ivory Coast + @@ -12987,12 +13425,14 @@ the basic unit of money in Mali + the basic unit of money in Niger + @@ -13005,6 +13445,7 @@ the basic unit of money in Senegal + @@ -13017,12 +13458,14 @@ the basic unit of money in Togo + the basic unit of money in Burkina Faso + @@ -14918,6 +15361,7 @@ + @@ -15322,6 +15766,7 @@ a unit of energy equal to the work done by a power of 1000 watts operating for one hour + @@ -15394,6 +15839,8 @@ the number that remains after subtraction; the number that when added to the subtrahend gives the minuend + + @@ -16490,6 +16937,9 @@ + + + @@ -16536,6 +16986,7 @@ + "there are limits on the amount you can bet" "it is growing rapidly with no limitation in sight" @@ -16549,6 +17000,8 @@ the quantity of something (as a commodity) that is created (usually within a given period of time) + + "production was up in the second quarter" @@ -16730,6 +17183,7 @@ + @@ -16824,6 +17278,7 @@ the quantity contained in a bowl + @@ -17179,6 +17634,7 @@ a small drink of liquor + "he poured a shot of whiskey" @@ -17283,6 +17739,7 @@ the largest possible quantity + @@ -17443,5 +17900,392 @@ + + monetary unit used in Serbia. + monetary unit used in Serbia. + + + + the quantity that a watering can will hold. + the quantity that a watering can will hold. + + + + monetary unit in the Falkland Islands. + monetary unit in the Falkland Islands. + + + + the number of kilometres travelled by a vehicle. + the number of kilometres travelled by a vehicle. + + I would expect this car to fall apart, given its kilometrage. + + + (computer science) a unit for measuring the speed of a computer system, equal to one quintillion floating-point operations a second. + (computer science) a unit for measuring the speed of a computer system, equal to one quintillion floating-point operations a second. + + + + + Cray, Inc. announced in December 2009 a plan to build a 1 EFLOPS supercomputer before 2020. + + + monetary unit used in Slovenia. + monetary unit used in Slovenia. + + + + a unit of exposure to ionizing radiation, one thousandth of a roentgen. + a unit of exposure to ionizing radiation, one thousandth of a roentgen. + + + The typical exposure to normal background radiation for a human being is about 200 milliroentgens per year, or about 23 microroentgens per hour. + + + the amout of milk produced by a cow. + the amout of milk produced by a cow. + + Calming music can improve milk yield, probably because it reduces stress and relaxes the cows in much the same way as it relaxes humans. + + + a unit of area measurement equivalent to 1 millimeter in length multiplied by 1 millimeter in width. + a unit of area measurement equivalent to 1 millimeter in length multiplied by 1 millimeter in width. + + + + + monetary unit in Somaliland, a self-declared independent state that is internationally recognized as an autonomous region of Somalia. + monetary unit in Somaliland, a self-declared independent state that is internationally recognized as an autonomous region of Somalia. + + + + a unit of measure used in freight transport which determines the transport of one tonne of goods by a transport mode over one kilometer. + a unit of measure used in freight transport which determines the transport of one tonne of goods by a transport mode over one kilometer. + + A transport of 1250 kilograms over 90 kilometers equals 112,5 tonne-kilometers. + + + a unit representing the operation of one machine for 1 hour; used in the determination of costs and economics. + a unit representing the operation of one machine for 1 hour; used in the determination of costs and economics. + + This engine right here has put a lot of machine-hours. + + + the width and height of a typeface, measured in points. + the width and height of a typeface, measured in points. + + + + + When a point size of a font is specified, the font is scaled so that its em square has a side length of that particular length in points. + + + (insurance) a limitation in an amount of loss coverage. + (insurance) a limitation in an amount of loss coverage. + + + + monetary unit in Saint Helena. + monetary unit in Saint Helena. + + + + points that express the amount of work load, awarded to students for completing a course, seminar, module etc. + points that express the amount of work load, awarded to students for completing a course, seminar, module etc. + + One academic year corresponds to 60 ECTS credits that are equivalent to 1500–1800 hours of study in all countries respective of standard or qualification type and is used to facilitate transfer and progression throughout the Union. + + + monetary unit in the Republic of Macedonia. + monetary unit in the Republic of Macedonia. + + + + a measure of the strength of an explosion or a bomb based on how many trillion tons of TNT would be needed to produce the same energy. + a measure of the strength of an explosion or a bomb based on how many trillion tons of TNT would be needed to produce the same energy. + + The approximate energy released when the Chicxulub impact caused the mass extinction 66 million years ago was estimated to be equal to 100 teratons (i.e. 100 exagrams or approximately 220.462 quadrillion pounds) of TNT. + + + a unit of length equivalent to the length of a free seconds pendulum; differs from the modern metre by half a centimetre, introduced by Tito Livio Burattini in 1675. + a unit of length equivalent to the length of a free seconds pendulum; differs from the modern metre by half a centimetre, introduced by Tito Livio Burattini in 1675. + + + + a decimal multiple of the unit of surface area, the square metre, equal to 1,000,000 square meters. + a decimal multiple of the unit of surface area, the square metre, equal to 1,000,000 square meters. + + + The area enclosed by the walls of many European medieval cities were about one square kilometre. + + + a unit of measure for the calculating speed of a computer equal to one billion floating point operations per second. + a unit of measure for the calculating speed of a computer equal to one billion floating point operations per second. + + + + + + + as much as a tray will hold; enough to fill a tray. + as much as a tray will hold; enough to fill a tray. + + + + the basic unit of money in the Republic of Guinea-Bissau. + the basic unit of money in the Republic of Guinea-Bissau. + + + + agricultural output of cultivars, measured in kilograms per 1 hectare. + agricultural output of cultivars, measured in kilograms per 1 hectare. + + The marketable yield of peppers has increased by 5%, as compared to last year. + + + a 6-point printing type: a size smaller than minion. + a 6-point printing type: a size smaller than minion. + + + + a 32-point printing type: a size smaller than double great primer. + a 32-point printing type: a size smaller than double great primer. + + + + the minimum share of the vote which a political party requires to secure any representation. + the minimum share of the vote which a political party requires to secure any representation. + + The Free Democratic Party got only 4.8% of the votes so did not meet the 5% election threshold and did not win any directly elected seats. + + + the quantity that a syringe will hold. + the quantity that a syringe will hold. + + + + a measurement of radiation in relation to its ability to produce ionization. + a measurement of radiation in relation to its ability to produce ionization. + + + + (computer science) a unit for measuring the speed of a computer system, equal to one sextillion floating-point operations a second. + (computer science) a unit for measuring the speed of a computer system, equal to one sextillion floating-point operations a second. + + + + + Erik P. DeBenedictis of Sandia National Laboratories theorizes that a zettaFLOPS (ZFLOPS) computer is required to accomplish full weather modeling of two week time span. + + + one person's working time for a month, or the equivalent, used as a measure of how much work or labor is required or consumed to perform some task. + one person's working time for a month, or the equivalent, used as a measure of how much work or labor is required or consumed to perform some task. + + + + (computer science) a unit for measuring the speed of a computer system, equal to one septillion floating-point operations a second. + (computer science) a unit for measuring the speed of a computer system, equal to one septillion floating-point operations a second. + + + + + + the highest possible amount for which an insurance company may be held accountable under a policy. + the highest possible amount for which an insurance company may be held accountable under a policy. + + + + a meter in which the deflection of the pointer is proportional to the quantity measured. + a meter in which the deflection of the pointer is proportional to the quantity measured. + + We need 15 linear meters of this chain-link fence. + + + a unit of area measurement equivalent to 1 centimeter in length multiplied by 1 centimeter in width, where one centimeter equals 0.3937 inch. + a unit of area measurement equivalent to 1 centimeter in length multiplied by 1 centimeter in width, where one centimeter equals 0.3937 inch. + + + + + + the amount of extract that grains of malt yield. + the amount of extract that grains of malt yield. + + Quality malt is characterized by no less than 80% extractivity. + + + monetary unit used in Croatia. + monetary unit used in Croatia. + + + + monetary unit in Bosnia and Herzegovina. + monetary unit in Bosnia and Herzegovina. + + + + the maximum recommended load a crane can lift. + the maximum recommended load a crane can lift. + + This rough terrain crane has a lift capacity of 60 tons. + + + money (especially in the form of US dollars) obtained from narcotrafficking. + money (especially in the form of US dollars) obtained from narcotrafficking. + + + + the quantity that a jorum will hold. + the quantity that a jorum will hold. + + + + 100 mL of liquor, drunk from a shot glass. + 100 mL of liquor, drunk from a shot glass. + + He ordered a double shot of vodka and swallowed it hastily. + + + an Earth-based unit of length equal to 10000 kilometers. + an Earth-based unit of length equal to 10000 kilometers. + + + + the difference between the assets and liabilities of a given insurance company (the amount of assets exceeding liabilities), regulated by law. + the difference between the assets and liabilities of a given insurance company (the amount of assets exceeding liabilities), regulated by law. + + + + the minimum amount of classes a teacher has to conduct, as stated in his contract. + the minimum amount of classes a teacher has to conduct, as stated in his contract. + + + + monetary unit used in Gibraltar. + monetary unit used in Gibraltar. + + + + (computer science) a unit for measuring the speed of a computer system, equal to one quadrillion floating-point operations a second. + (computer science) a unit for measuring the speed of a computer system, equal to one quadrillion floating-point operations a second. + + + + + + + monetary unit used in Aruba. + monetary unit used in Aruba. + + + + a 36-point printing type: a size smaller than meridian. + a 36-point printing type: a size smaller than meridian. + + + + a measure of fuel consumption for vehicles, equal to the amout of liters of gasoline or diesel used to travel a distance of one hundred kilometers. + a measure of fuel consumption for vehicles, equal to the amout of liters of gasoline or diesel used to travel a distance of one hundred kilometers. + + Liters per one hundred kilometers is considered to be a more accurate measure of a vehicle’s performance because it is a linear relationship while fuel economy leads to distortions in efficiency improvements. + + + a type of measure of a country's money supply. + a type of measure of a country's money supply. + + There is no single "correct" measure of the money supply; instead, there are several measures, classified along a spectrum or continuum between narrow and broad monetary aggregates. + + + the basic unit of money in the Republic of Equatorial Guinea. + the basic unit of money in the Republic of Equatorial Guinea. + + + + the difference in level (depth) between two parts of a cave system, usually the highest and lowest known point. + the difference in level (depth) between two parts of a cave system, usually the highest and lowest known point. + + Denivelation is always less than or equal to depth. + + + monetary unit used in Guernsey. + monetary unit used in Guernsey. + + + + a unit of area measurement equivalent to 1 fathom in length multiplied by 1 fathom in width; 1 fathom equals 6 feet. + a unit of area measurement equivalent to 1 fathom in length multiplied by 1 fathom in width; 1 fathom equals 6 feet. + + + + a Greek unit of length equal to one centimeter. + a Greek unit of length equal to one centimeter. + + In Ancient Greece daktylos was approximately the length of a finger. + + + a unit of information, one tenth of a ban. + a unit of information, one tenth of a ban. + + + The deciban is a particularly useful unit for log-odds, notably as a measure of information in Bayes factors, odds ratios (ratio of odds, so log is difference of log-odds), or weights of evidence. + + + a unit of energy equal to the work done by a power of 1000000 watts operating for one hour. + a unit of energy equal to the work done by a power of 1000000 watts operating for one hour. + + + + + a unit of weight equivalent to 1 billion tonnes. + a unit of weight equivalent to 1 billion tonnes. + + + + a unit of energy equal to the work done by an electron accelerated through a potential difference of one million electron volts. + a unit of energy equal to the work done by an electron accelerated through a potential difference of one million electron volts. + + + + a logarithmic unit which measures information or entropy, based on base 10 logarithms and powers of 10. + a logarithmic unit which measures information or entropy, based on base 10 logarithms and powers of 10. + + + The ban pre-dates Shannon's use of bit as a unit of information by at least eight years, and remains in use in the early 21st Century. + + + the currency of eight independent states in West Africa: Benin, Burkina Faso, Guinea-Bissau, Ivory Coast, Mali, Niger, Sénégal and Togo. + the currency of eight independent states in West Africa: Benin, Burkina Faso, Guinea-Bissau, Ivory Coast, Mali, Niger, Sénégal and Togo. + + + + + + + + + + The Central African CFA franc is of equal value to the West African CFA franc, and is in circulation in several central African states. + + + the currency of six independent states in central Africa: Cameroon, Central African Republic, Chad, Republic of the Congo, Equatorial Guinea and Gabon. + the currency of six independent states in central Africa: Cameroon, Central African Republic, Chad, Republic of the Congo, Equatorial Guinea and Gabon. + + + + + + + + In several west African states, the West African CFA franc, which is of equal value to the Central African CFA franc, is in circulation. + + + the name of two currencies used in Africa which are guaranteed by the French treasury. + the name of two currencies used in Africa which are guaranteed by the French treasury. + + + + The value of the CFA franc has been widely criticized as being too high, which many economists believe favours the urban elite of the African countries, which can buy imported manufactured goods cheaply at the expense of farmers who cannot easily export agricultural products. + diff --git a/src/wn-noun.relation.xml b/src/wn-noun.relation.xml index 0382b36f..3a19338f 100644 --- a/src/wn-noun.relation.xml +++ b/src/wn-noun.relation.xml @@ -555,6 +555,8 @@ + + @@ -3199,15 +3201,115 @@ - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -3225,6 +3327,7 @@ + "the relationship between mothers and their children" @@ -3296,6 +3399,7 @@ + @@ -3333,6 +3437,9 @@ + + + @@ -3622,6 +3729,7 @@ a connection allowing access between persons or places + "how many lines of communication can there be among four people?" "a secret passageway provided communication between the two rooms" @@ -3843,6 +3951,7 @@ + @@ -3956,6 +4065,7 @@ + @@ -3990,6 +4100,7 @@ the inflection of nouns and pronouns and adjectives in Indo-European languages + @@ -4062,6 +4173,7 @@ + @@ -4400,6 +4512,7 @@ the proportion of a substance that is contained in a mixture or alloy etc. + @@ -4527,6 +4640,10 @@ + + + + @@ -5896,6 +6013,7 @@ opposition between two conflicting forces or ideas + @@ -5991,7 +6109,110 @@ scale used for measuring the height of waves + scale used for measuring the height of waves + + A social media messaging service limited to 140 characters + A social media messaging service limited to 140 characters + + + + non-sexual but intense relationship between two men + non-sexual but intense relationship between two men + + + + the average concentrations of various elements in the Earth's crust. + the average concentrations of various elements in the Earth's crust. + + + + + for a gas compressor, the discharge pressure divided by the suction pressure. + for a gas compressor, the discharge pressure divided by the suction pressure. + + High flow, low compression ratio applications are best served by axial flow compressors. + + + a conjunction that expresses something inferred from another statement or fact. + a conjunction that expresses something inferred from another statement or fact. + + One could argue grammatically in favour of "accordingly" being an illative conjunction. + + + a mathematical function that is an onto mapping. + a mathematical function that is an onto mapping. + + In fact, if we define a ρ-kernel as the kernel of any surjection of the two graphs of interest, then there are ρ-kernels whose maximum excess does not vanish. + + + the ratio of the heat capacity at constant pressure (C_P) to heat capacity at constant volume (C_V). + the ratio of the heat capacity at constant pressure (C_P) to heat capacity at constant volume (C_V). + + The experimental value for the heat capacity ratio of argon is the same as the theoretical heat capacity ratio. + + + A verb construction (made up of has been or have been plus the present participle) that emphasizes the ongoing nature of an action that began in the past and continues in the present. + A verb construction (made up of has been or have been plus the present participle) that emphasizes the ongoing nature of an action that began in the past and continues in the present. + + The present perfect progressive tense usually conveys the meaning of recently or lately. + + + The quality of opposing or of being in conflict. + The quality of opposing or of being in conflict. + + At present the axis of political oppositionality is centered on the nuke issue, which however is defined by the power relations inherent in entire politics and society. + + + a percentage of the bank's total deposits, kept to ensure that the bank is able to pay an unusually high number of withdrawals on demand accounts should that event occur. + a percentage of the bank's total deposits, kept to ensure that the bank is able to pay an unusually high number of withdrawals on demand accounts should that event occur. + + The required reserve ratio is sometimes used as a tool in monetary policy, influencing the country's borrowing and interest rates by changing the amount of funds available for banks to make loans with. + + + (mathematics) an isotropic scaling transformation of an affine space with a single fixed point. + (mathematics) an isotropic scaling transformation of an affine space with a single fixed point. + + Successive applications of homotheties with coefficients k1 and k2 is either a homothety with coefficient k1k2, if the latter differs from 1, or a parallel translation, otherwise. + + + an inconsistent triad of propositions in logic of which two are premises of a valid syllogism while the third is the contradictory of its conclusion. + an inconsistent triad of propositions in logic of which two are premises of a valid syllogism while the third is the contradictory of its conclusion. + + Diagram the premises and the negation of the conclusion; the argument is valid iff the resulting diagram is an antilogism (ie, it's inconsistent). + + + (grammar) The form in which the subject of a verb performs some action upon itself. + (grammar) The form in which the subject of a verb performs some action upon itself. + + The middle voice is said to be in the middle between the active and the passive voices because the subject often cannot be categorized as either agent or patient but may have elements of both. + + + a measure of a company's total debt to its total assets. + a measure of a company's total debt to its total assets. + + A debt ratio indicates how risky it would be for a bank to extend a loan to a company, with a higher ratio indicating great risk. + + + the inflection of nouns, pronouns, adjectives, and articles to indicate masculine grammatical gender. + the inflection of nouns, pronouns, adjectives, and articles to indicate masculine grammatical gender. + + Feminine declension treats k, g, ch as softenable, whereas masculine and neuter declension declension does not (hence they take the “other” ending, -u). + + + a mathematical function whose graph (in Cartesian coordinates with uniform scales) is a line in the plane. + a mathematical function whose graph (in Cartesian coordinates with uniform scales) is a line in the plane. + + + The height (in centimeters) of a candle is a linear function of the amount of time (in hours) it has been burning. + + + a relative magnitude of two selected numerical values taken from an enterprise's financial statements. + a relative magnitude of two selected numerical values taken from an enterprise's financial statements. + + + Financial ratios can be expressed as a decimal value, such as 0.10, or given as an equivalent percent value, such as 10%. + diff --git a/src/wn-noun.shape.xml b/src/wn-noun.shape.xml index 33c56463..e410dd6e 100644 --- a/src/wn-noun.shape.xml +++ b/src/wn-noun.shape.xml @@ -703,11 +703,13 @@ + + @@ -2760,11 +2762,115 @@ - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -3049,6 +3155,7 @@ + @@ -3096,6 +3203,16 @@ + + + + + + + + + + @@ -3169,6 +3286,7 @@ a curve that is tangent to each of a family of curves + @@ -3547,6 +3665,7 @@ a triangle with one right angle + @@ -3609,6 +3728,7 @@ a five-sided polygon + @@ -3721,6 +3841,7 @@ + @@ -3857,6 +3978,7 @@ + @@ -4517,6 +4639,7 @@ + "his face has many lines" "ironing gets rid of most wrinkles" @@ -4562,6 +4685,7 @@ + "a fold in the napkin" "a crease in his trousers" "a plication on her blouse" @@ -4827,6 +4951,8 @@ a polyhedron having a polygonal base and triangular sides with a common vertex + + @@ -5030,5 +5156,140 @@ a projection or ridge that suggests a keel + + a caustic curve formed by light reflecting from a curved surface. + a caustic curve formed by light reflecting from a curved surface. + + + + the envelope of light rays reflected or refracted by a curved surface or object + the envelope of light rays reflected or refracted by a curved surface or object + + + + + the angle between two planes. + the angle between two planes. + + Plane A which contains an isosceles right triangle forms a dihedral angle of 60 degrees with another plane B. + + + In economics, the graph depicting the relationship between the price of a certain commodity and the amount of it that consumers are willing and able to purchase at that given price. + In economics, the graph depicting the relationship between the price of a certain commodity and the amount of it that consumers are willing and able to purchase at that given price. + + However, the demand curve of each oligopolist will be more elastic than the demand curve for the industry as a whole. + + + a prism that has exactly two bases and whose other sides are all rectangles that are perpendicular to these bases. + a prism that has exactly two bases and whose other sides are all rectangles that are perpendicular to these bases. + + + The lateral area of a right prism is the sum of the areas of all the lateral faces. + + + in geometry, a connected series of line segments. + in geometry, a connected series of line segments. + + The upper convex hull is a polygonal chain that connects the leftmost point in P to the rightmost one. + + + a pyramid whose base is a regular polygon and whose vertex is on the perpendicular to the base through its center. + a pyramid whose base is a regular polygon and whose vertex is on the perpendicular to the base through its center. + + The altitude of a lateral face of a regular pyramid is the slant height. + + + a plane curve that is the graph of the equation y = tan x, where x is an angle. + a plane curve that is the graph of the equation y = tan x, where x is an angle. + + The shape of the tangent curve is the same for each full rotation of the angle and so the function is called 'periodic'. + + + a pentagon in which the angles are all equal, and the sides all equal. + a pentagon in which the angles are all equal, and the sides all equal. + + + A regular pentagon has five lines of reflectional symmetry, and rotational symmetry of order 5 (through 72°, 144°, 216° and 288°). + + + a continuous parallel folding in an accordion-like fashion, that is with folds alternatively made to the front and back in zig-zag folds. + a continuous parallel folding in an accordion-like fashion, that is with folds alternatively made to the front and back in zig-zag folds. + + Seen from above, concertina folds resemble a Z or M or series of zigs and zags. + + + the conchoid of a straight line with respect to a point not on the line. + the conchoid of a straight line with respect to a point not on the line. + + the conchoid of a straight line with respect to a point not on the line. + + + in economics, graphic representation of the relationship between product price and quantity of product that a seller is willing and able to supply. + in economics, graphic representation of the relationship between product price and quantity of product that a seller is willing and able to supply. + + By its very nature, conceptualizing a supply curve requires the firm to be a perfect competitor (i.e. to have no influence over the market price). + + + a curve whose equation in Cartesian coordinates is of the form y = a cos x. + a curve whose equation in Cartesian coordinates is of the form y = a cos x. + + The shape of the cosine curve is the same for each full rotation of the angle and so the function is called 'periodic'. + + + A right prism whose bases are regular polygons. + A right prism whose bases are regular polygons. + + The height of a regular prism is the distance between the bases. + + + A right triangle in which the lengths of the sides are three positive integers a, b, and c, such that a^2 + b^2 = c^2. + A right triangle in which the lengths of the sides are three positive integers a, b, and c, such that a^2 + b^2 = c^2. + + Conversely, if (x, y, z) is a Pythagorean triangle, then. (x/t9 y/t, z/t) is a primitive Pythagorean triangle provided (xs y) = t. + + + a three-dimensional geometric figure with a square base and four triangular sides that connect at one point; a pyramid with a square base. + a three-dimensional geometric figure with a square base and four triangular sides that connect at one point; a pyramid with a square base. + + The Great Pyramid of Giza is an example of a square pyramid. + + + a curve whose equation in Cartesian coordinates is of the form y = a cot x. + a curve whose equation in Cartesian coordinates is of the form y = a cot x. + + Note that the cotangent curve, like all trigonometric graphs, is periodic. + + + the curve resulting from the orthogonal projection of a fixed point on the tangent lines of a given curve. + the curve resulting from the orthogonal projection of a fixed point on the tangent lines of a given curve. + + The pedal curve of an ellipse, with its focus as pedal point, is a circle. + + + a curve between two points along which a body can move under gravity in a shorter time than for any other curve. + a curve between two points along which a body can move under gravity in a shorter time than for any other curve. + + The brachistochrone is a cycloid with a horizontal base and with its cusp at the point A. + + + A head line is a crease on the palm said to represent the person's mind and the way it works, including learning style, communication style, intellectualism, and thirst for knowledge. + A head line is a crease on the palm said to represent the person's mind and the way it works, including learning style, communication style, intellectualism, and thirst for knowledge. + + + Often, the head line is joined with the life line (see below) at inception. + + + In microeconomic theory, a graph showing different bundles of goods between which a consumer is indifferent. + In microeconomic theory, a graph showing different bundles of goods between which a consumer is indifferent. + + Since every (X , Y) combination will have an indifference curve passing through it, we can add a third axis stretching upward from the bottom left corner of the figure measuring the degree to which the individual's preferences are satisfied, and visualize the infinitely many indifference curves as representing a smooth surface that rises as the consumption of commodities X and Y increase. + + + Any of a family of curves defined as the locus of points p, such that each p is on a line that passes through a given fixed point P and intersects a given curve, C, and the distance from p to the point of intersection with C is a specified constant (note that for nontrivial cases two such points p satisfy the criteria, and the resultant curve has two parts). + Any of a family of curves defined as the locus of points p, such that each p is on a line that passes through a given fixed point P and intersects a given curve, C, and the distance from p to the point of intersection with C is a specified constant (note that for nontrivial cases two such points p satisfy the criteria, and the resultant curve has two parts). + + + If you consider a point on a radius of the rolling curve in generating a cardioid that is not on its circumference, the result is a conchoid called the limaçon of Pascal. + diff --git a/src/wn-noun.state.xml b/src/wn-noun.state.xml index c00d3e0a..abd828fb 100644 --- a/src/wn-noun.state.xml +++ b/src/wn-noun.state.xml @@ -1845,6 +1845,8 @@ + + @@ -2576,6 +2578,8 @@ + + @@ -3065,6 +3069,7 @@ + @@ -10207,6 +10212,8 @@ + + @@ -11665,10 +11672,6 @@ - - - - @@ -13163,6 +13166,7 @@ + @@ -15380,6 +15384,8 @@ + + @@ -15953,6 +15959,8 @@ + + @@ -23874,6 +23882,7 @@ + @@ -25180,6 +25189,8 @@ + + @@ -26110,6 +26121,7 @@ + @@ -27022,6 +27034,246 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + the state of being split or cleft @@ -27175,6 +27427,7 @@ + "a condition (or state) of disrepair" "the current status of the arms negotiations" @@ -27286,6 +27539,7 @@ + "the unpleasant situation (or position) of having to choose between two evils" "found herself in a very fortunate situation" @@ -27804,6 +28058,7 @@ + "a remarkable degree of frankness" "at what stage are the social sciences?" @@ -27844,6 +28099,7 @@ a level of material comfort in terms of goods and services available to someone or some group + "they enjoyed the highest standard of living in the country" "the lower the standard of living the easier it is to introduce an autocratic production system" @@ -28205,6 +28461,7 @@ a position of inferior status; low in station or rank or fortune or estimation + @@ -28534,6 +28791,9 @@ the state of being false or untrue + + + "argument could not determine its truth or falsity" @@ -29337,6 +29597,7 @@ + @@ -29593,6 +29854,7 @@ the state of being a criminal + @@ -29734,6 +29996,8 @@ excessive freedom; lack of due restraint + + "when liberty becomes license dictatorship is near"- Will Durant "the intolerable license with which the newspapers break...the rules of decorum"- Edmund Burke @@ -30052,6 +30316,7 @@ + "they were in a state of steady motion" @@ -30462,6 +30727,7 @@ + "he was hospitalized for extreme fatigue" "growing fatigue was apparent from the decline in the execution of their athletic skills" "weariness overcame her after twelve hours and she fell asleep" @@ -31135,6 +31401,7 @@ + "his face was flushed with excitement and his hands trembled" "he tried to calm those who were in a state of extreme inflammation" @@ -33964,6 +34231,7 @@ + @@ -34619,8 +34887,8 @@ - + @@ -35626,7 +35894,7 @@ a respiratory disease of unknown etiology that apparently originated in mainland China in 2003; characterized by fever and coughing or difficulty breathing or hypoxia; can be fatal - + @@ -42618,6 +42886,10 @@ + + + + "Stress isn't the only emotional or mental state that can benefit from regular meditation" @@ -42634,6 +42906,7 @@ + @@ -42915,6 +43188,7 @@ + @@ -43909,6 +44183,7 @@ acceptance as satisfactory + "he bought it on approval" @@ -44383,6 +44658,7 @@ lacking and evidencing lack of experience of life + @@ -44720,6 +44996,7 @@ the state of being first in importance + @@ -44901,6 +45178,7 @@ + "one mistake brought shame to all his family" "suffered the ignominy of being sent to prison" @@ -45262,6 +45540,7 @@ + @@ -45596,6 +45875,7 @@ + @@ -45639,6 +45919,7 @@ + "the integrity of the nervous system is required for normal development" "he took measures to insure the territorial unity of Croatia" @@ -45669,6 +45950,7 @@ everything available; usually preceded by `the' + "we saw the whole shebang" "a hotdog with the works" "we took on the whole caboodle" @@ -45678,6 +45960,7 @@ the state of being only a part; not total; incomplete + @@ -45703,6 +45986,7 @@ + @@ -45741,6 +46025,7 @@ defect or weakness in a person's character + "he had his flaws, but he was great nonetheless" @@ -46001,6 +46286,7 @@ + @@ -46338,6 +46624,8 @@ the state of being achievable + + @@ -46364,6 +46652,7 @@ + @@ -46514,6 +46803,7 @@ + @@ -46593,6 +46883,7 @@ + @@ -46639,6 +46930,7 @@ the state of being obligated to do or pay something + "he is under an obligation to finish the job" @@ -47836,6 +48128,7 @@ + "there was an atmosphere of excitement" @@ -47960,6 +48253,7 @@ + @@ -48011,6 +48305,7 @@ + @@ -48175,6 +48470,8 @@ + + "he confirmed the wetness of the swimming trunks" @@ -48208,6 +48505,7 @@ + @@ -48235,6 +48533,7 @@ + @@ -48602,6 +48901,7 @@ + @@ -49772,5 +50072,288 @@ "the judicial system suffered from too much technicality and formality" "It is a tribute to the tribunals that the technicality at the heart of the appellate process in these tribunals can and does coexist with the relative informality in atmosphere and with procedural flexibility." + + A chaotic situation where everything seems to go wrong + A chaotic situation where everything seems to go wrong + + + + some event or object that causes embarrassment and shame + some event or object that causes embarrassment and shame + + + + Strongly and emphatically all of something + Strongly and emphatically all of something + + + + tiredness with the final year of high school + tiredness with the final year of high school + + + + A discomfort or a fear when a person is in a social interaction that involves a concern of being judged or evaluated by others. + A discomfort or a fear when a person is in a social interaction that involves a concern of being judged or evaluated by others. + + + + fear of magic properties of the number 666 + fear of magic properties of the number 666 + + + + the state of being normally responsive to and in harmony with the environment. + the state of being normally responsive to and in harmony with the environment. + + Syntony means resonance, to tune in or harmonize with each other, our surroundings, and the way in which we flow with them. + + + The characteristic of being exhilarating, tending to upset the mind or senses. + The characteristic of being exhilarating, tending to upset the mind or senses. + + How a mere convention gathering could generate such a shift in regard to an issue like abortion reveals something of the headiness in which many of the garthered were luxuriating. + + + the characteristic of being half-hearted; not sincere; lacking full energy, effort, commitment, or resolve. + the characteristic of being half-hearted; not sincere; lacking full energy, effort, commitment, or resolve. + + + + The property or condition of being marked by or covered with snow. + The property or condition of being marked by or covered with snow. + + The illustration is filled with whiteness, a depiction of the snowiness of the Angola scenery that hints as well at the isolation of the winter landscape. + + + When two or more persons are both responsible for a debt, claim, or judgment. + When two or more persons are both responsible for a debt, claim, or judgment. + + A joint liability for a debt is the result of two or more parties applying jointly for credit as co-borrowers, which is implied in a general partnership. + + + The characteristic of having no stain or blemish; of being spotless, undefiled, clear, pure. + The characteristic of having no stain or blemish; of being spotless, undefiled, clear, pure. + + Sadly he did not uphold his immaculacy but succumbed to his lustful passions. + + + The state or quality of being too wet and muddy to be easily walked on. + The state or quality of being too wet and muddy to be easily walked on. + + The bogginess of the ground has led to the addition of two drainage systems, plus several lorryloads of sand. + + + The quality or state of pertaining to a unit, having the quality of oneness. + The quality or state of pertaining to a unit, having the quality of oneness. + + Modernist thinking tended to see the unitariness of groups and societies as equivalent to that of individuals. + + + The property of relating to, or having the nature of a serious criminal offense. + The property of relating to, or having the nature of a serious criminal offense. + + Big John might give you a smack, but that required an extraordinary circumstance , feloniousness of a type that was beyond Joey and Linwood. + + + A state of wildly excited activity or emotion. + A state of wildly excited activity or emotion. + + That amid the turmoil of the time and the feverishness of our days it is always easy I do not pretend. + + + A state in which mental processes are under the control of the emotions. + A state in which mental processes are under the control of the emotions. + + The original idea of catathymia forwarded by Maier (1912), Wertham (1937), and other contemporaries was that the condition constituted its own clinical identity. + + + the market condition wherein the price of a forward or futures contract is trading below the expected spot price at contract maturity. + the market condition wherein the price of a forward or futures contract is trading below the expected spot price at contract maturity. + + In Treatise on Money (1930, chapter 29), economist John Maynard Keynes argued that in commodity markets, backwardation is not an abnormal market situation, but rather arises naturally as "normal backwardation" from the fact that producers of commodities are more prone to hedge their price risk than consumers. + + + a state of prolonged absorption in a single idea (as in mental depression, trance, hypnosis). + a state of prolonged absorption in a single idea (as in mental depression, trance, hypnosis). + + Ribot in fact made a qualification to his theory, which showed his unease about maintaining that attention was a state of monoideism, and this qualification is certainly in the direction favouring the position I have suggested. + + + The state or condition of being rainless; lack of rain; drought. + The state or condition of being rainless; lack of rain; drought. + + The rainlessness of Egypt and its dependence upon the Nile flood was one of the most commented upon of that country's paradoxical reversals. + + + The state or condition of acting like a brat, being unruly and impolite. + The state or condition of acting like a brat, being unruly and impolite. + + Parents have greater endurance for the brattiness of their own children. + + + The state of being without visible stars. + The state of being without visible stars. + + Still, he remembered a skylight, and the dark starlessness of the night it framed, and falling softly through darkness onto the panes of skylight glass were thick, soft drops of white. + + + The quality of being subject to payment or likely to be paid. + The quality of being subject to payment or likely to be paid. + + However, when uncertainty arises about the collectibility of revenue already recognised, the uncollectible amount is recognised as expense (bad debt). + + + The property of being of dubious veracity; of questionable accuracy or truthfulness. + The property of being of dubious veracity; of questionable accuracy or truthfulness. + + Not sure of the relative apocryphalness of this story, but I've always heard that the Chevrolet Nova didn't sell too well in Latin America because "no va" in Spanish means "it does not go". + + + The state or quality of being in the nature of an expression of praise, congratulation, encouragement, or respect. + The state or quality of being in the nature of an expression of praise, congratulation, encouragement, or respect. + + M. Bourget is highly complimentary to these magots of literature ; but be is ingeniously vague in his complimentariness. + + + The quality of being deceptive or tending to mislead or create a false impression. + The quality of being deceptive or tending to mislead or create a false impression. + + Second, one could check the objectivity of the question that is used to determine the misleadingness of the target advertisement by testing for a relation between the measure of prior bias and the measure of misleadingness. + + + that which is required in a particular situation —usually used in plural. + that which is required in a particular situation —usually used in plural. + + The trench maps used in the Great War resulted from the exigencies of war. + + + a minor flaw or shortcoming in character or behavior. + a minor flaw or shortcoming in character or behavior. + + The students admired their teacher despite his foibles. + + + The quality of resulting from an illusion; of being deceptive, imaginary, unreal. + The quality of resulting from an illusion; of being deceptive, imaginary, unreal. + + Modern physics has revealed the illusoriness of these beliefs. + + + The state or characteristic of weakness, incapacity, or physical distress due to poor health, especially of a chronic nature. + The state or characteristic of weakness, incapacity, or physical distress due to poor health, especially of a chronic nature. + + He did well in school, despite his sickliness and despite the fact that Mama had become increasingly agitated with him. + + + A situation is physically impossible if its description is inconsistent with physical laws (i.e. with the laws of Nature). + A situation is physically impossible if its description is inconsistent with physical laws (i.e. with the laws of Nature). + + This is in contradiction with observations of such flows, but as it turns out a fluid that rigorously satisfies all the conditions is a physical impossibility. + + + The state or condition of being fundamental; essential importance. + The state or condition of being fundamental; essential importance. + + At a similar level of fundamentalness or "broadness" is the question of whether to adopt strategies that are overt versus covert. + + + motion as observed from or referred to some material system constituting a frame of reference (as two adjacent walls and floor of a room). + motion as observed from or referred to some material system constituting a frame of reference (as two adjacent walls and floor of a room). + + The velocity of a point in relative motion is called the relative velocity vrel, and the point's acceleration is referred to as the relative acceleration wrel. + + + a standard of living barely adequate to support life. + a standard of living barely adequate to support life. + + + + a state of indebtedness to someone who has done you a favor. + a state of indebtedness to someone who has done you a favor. + + I owe him a debt of gratitude for his help. + + + The quality of being minor in influence, power, or rank. + The quality of being minor in influence, power, or rank. + + Geocentric cosmology did not lead the ancient astronomers and philosophers to a man-centered view of the universe, and exaggerated view of man’s importance in the scheme of things. It led them rather to stress his smallness, insignificance and lowly position in the cosmic order. + + + Quality or state in which choice or discretion is allowed. + Quality or state in which choice or discretion is allowed. + + The usual optionality of these tasks entails the risk of students not fulfilling them in an effective way. + + + Raiding and pillaging. + Raiding and pillaging. + + Set during the last year of the Ugandan dictator Idi Amin's brutal regime, Waiting exposes the fear and courage of a small, close-knit community uncertain of what the edicts of a madman and the marauding of his uncontrollable army will bring with each coming day. + + + The state or property of being covered by dew, or bearing droplets of water. + The state or property of being covered by dew, or bearing droplets of water. + + This product matts down some of the dewiness of the tinted moisturiser we used earlier but still leaves the skin with a slight sheen. + + + Combat using groups of irregular, light, mobile troops within areas occupied by an enemy force, usually through hit-and-run tactics. + Combat using groups of irregular, light, mobile troops within areas occupied by an enemy force, usually through hit-and-run tactics. + + + Separatists appeared to be entrenching themselves for potential guerrilla warfare. + + + The quality of being able to be understood or comprehended; understandability. + The quality of being able to be understood or comprehended; understandability. + + So connected to the difference in the graspability of the risks is a potential inequality in access to information about them. + + + The condition of functioning incorrectly or abnormally. + The condition of functioning incorrectly or abnormally. + + "The dysfunctionality of most churches and nations emanates from poor parental upbringing." + + + The state or quality of being swampy or boggy. + The state or quality of being swampy or boggy. + + I was suffering severely from want of sleep and provisions, and from the constant rain and the miriness of the roads. + + + Jean Piaget's theory of cognitive development where a child slowly moves away from an egocentric world to a world shared with others. + Jean Piaget's theory of cognitive development where a child slowly moves away from an egocentric world to a world shared with others. + + Decentration includes an understanding of how others see the world and seeing how we differ. + + + The quality or state of being fatal, of resulting in death. + The quality or state of being fatal, of resulting in death. + + A directive may not always be honored due to the inability of medicine to determine the terminality of the patient's condition. + + + + acute disease caused by a virus of the family Orthocoronavirinae + acute disease caused by a virus of the family Orthocoronavirinae + + + + + + + + a viral disease caused by MERS-CoV that is typically transmitted from camels + a viral disease caused by MERS-CoV that is typically transmitted from camels + + + + a viral disease caused by SARS-CoV-2 that caused a global pandemic in 2020 + a viral disease caused by SARS-CoV-2 that caused a global pandemic in 2020 + + diff --git a/src/wn-noun.substance.xml b/src/wn-noun.substance.xml index ba47d214..e18096c9 100644 --- a/src/wn-noun.substance.xml +++ b/src/wn-noun.substance.xml @@ -10835,6 +10835,7 @@ + @@ -20142,10 +20143,891 @@ - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + material of a particular kind or constitution @@ -20214,6 +21096,11 @@ + + + + + "coal is a hard black material" "wheat is the stuff they use to make bread" @@ -20393,6 +21280,9 @@ + + + @@ -20519,6 +21409,9 @@ + + + "he used a solution of peroxide and water" @@ -20556,6 +21449,7 @@ a colloid that has a continuous liquid phase in which a solid is suspended in a liquid + @@ -20571,6 +21465,7 @@ + @@ -20914,6 +21809,7 @@ a colorless flammable gas used chiefly in welding and in organic synthesis + @@ -20981,6 +21877,7 @@ + "proteins are composed of various proportions of about 20 common amino acids" @@ -21358,7 +22255,6 @@ a carboxylic acid used in the manufacture of nylon - @@ -21411,6 +22307,8 @@ + + @@ -21499,12 +22397,10 @@ a dicarboxylic acid found in cork - a dicarboxylic acid (C4H6O4) active in metabolic processes - @@ -21767,12 +22663,10 @@ - - @@ -21788,7 +22682,6 @@ - @@ -21797,6 +22690,8 @@ + + @@ -21808,6 +22703,7 @@ any element having an atomic number greater than 92 (which is the atomic number of uranium); all are radioactive + @@ -21877,7 +22773,6 @@ - @@ -21890,7 +22785,6 @@ - @@ -21901,7 +22795,6 @@ - @@ -21923,6 +22816,7 @@ + @@ -22019,6 +22913,7 @@ + @@ -22032,6 +22927,7 @@ white poisonous crystals; made by dissolving barium oxide in water + @@ -22110,7 +23006,6 @@ an abundant nonmetallic tetravalent element occurring in three allotropic forms: amorphous carbon and graphite and diamond; occurs in all organic compounds - @@ -22275,7 +23170,6 @@ a brittle grey crystalline element that is a semiconducting metalloid (resembling silicon) used in transistors; occurs in germanite and argyrodite - @@ -22318,6 +23212,7 @@ a radioactive transuranic element, with atomic number 108 + @@ -22391,7 +23286,6 @@ a heavy ductile magnetic metallic element; is silver-white in pure form but readily rusts; used in construction and tools and armament; plays a role in the transport of oxygen by the blood - @@ -22405,6 +23299,7 @@ + @@ -22430,6 +23325,7 @@ + "the children were playing with lead soldiers" @@ -22550,7 +23446,6 @@ a hard brittle blue-grey or blue-black metallic element that is one of the platinum metals; the heaviest metal known - @@ -22561,6 +23456,7 @@ + @@ -22673,7 +23569,6 @@ a rare polyvalent metallic element of the platinum group; it is found associated with platinum - @@ -22704,11 +23599,11 @@ + a tetravalent nonmetallic element; next to oxygen it is the most abundant element in the earth's crust; occurs in clay and feldspar and granite and quartz and sand; used as a semiconductor in transistors - @@ -22754,6 +23649,8 @@ + + @@ -22821,6 +23718,7 @@ + @@ -22913,6 +23811,7 @@ a bluish-white lustrous metallic element; brittle at ordinary temperatures but malleable when heated; used in a wide variety of alloys and in galvanizing iron; it occurs naturally as zinc sulphide in zinc blende + @@ -23057,6 +23956,8 @@ + + @@ -23418,6 +24319,7 @@ (chemistry) a colloid in which both phases are liquids + "an oil-in-water emulsion" @@ -23816,6 +24718,7 @@ a carbonaceous material obtained by heating wood or other organic matter in the absence of air + @@ -23977,11 +24880,13 @@ any monosaccharide sugar containing three atoms of carbon per molecule + any monosaccharide sugar containing four atoms of carbon per molecule + @@ -24368,6 +25273,7 @@ + "he had the gem set in a ring for his wife" "she had jewels made of all the rarest stones" @@ -24478,6 +25384,7 @@ + @@ -24498,6 +25405,7 @@ a protein gelatin obtained by boiling e.g. skins and hoofs of cattle and horses + @@ -24698,11 +25606,13 @@ + any of a class of organic compounds that have two hydrocarbon groups linked by an oxygen atom + @@ -24758,6 +25668,8 @@ a monosaccharide sugar that contains the aldehyde group or is hemiacetal + + @@ -24833,12 +25745,16 @@ + + any unsaturated aliphatic hydrocarbon + + @@ -24889,6 +25805,7 @@ + @@ -25238,6 +26155,7 @@ + @@ -25295,6 +26213,7 @@ + @@ -25412,6 +26331,10 @@ + + + + @@ -25447,6 +26370,7 @@ + "a diet high in protein" @@ -25512,6 +26436,7 @@ one of the proteins into which actomyosin can be split; can exist in either a globular or a fibrous form + @@ -25611,6 +26536,7 @@ + @@ -25811,12 +26737,7 @@ an organic acid characterized by one or more carboxyl groups - - - - - @@ -25824,16 +26745,15 @@ + a white dicarboxylic acid formed from oxidation of sugar or starch - a dicarboxylic acid used to make resins - @@ -25875,6 +26795,7 @@ + @@ -25987,11 +26908,11 @@ a carbonate of ammonium; used in the manufacture of smelling salts and baking powder and ammonium compounds + a white salt used in dry cells - @@ -26039,6 +26960,7 @@ + @@ -26562,6 +27484,8 @@ + + @@ -27156,6 +28080,7 @@ material made by bonding together sheets of two different metals + @@ -27286,6 +28211,8 @@ + + @@ -27328,6 +28255,7 @@ a substance that promotes drying (e.g., calcium oxide absorbs water and is used to remove moisture) + @@ -27556,6 +28484,7 @@ + @@ -27928,6 +28857,7 @@ a toxic white soluble crystalline acidic derivative of benzene; used in manufacturing and as a disinfectant and antiseptic; poisonous if taken internally + @@ -27996,6 +28926,7 @@ + @@ -28234,6 +29165,8 @@ any of various materials used by dentists to fill cavities in teeth + + @@ -28338,6 +29271,8 @@ + + @@ -28378,6 +29313,7 @@ a neurotransmitter involved in e.g. sleep and depression and memory + @@ -28606,6 +29542,7 @@ potter's clay that is thinned and used for coating or decorating ceramics + @@ -28733,6 +29670,7 @@ strong lightweight material developed in the laboratory; fibers of more than one kind are bonded together chemically + @@ -28826,6 +29764,8 @@ + + @@ -28847,6 +29787,8 @@ + + @@ -28891,6 +29833,7 @@ + @@ -29211,6 +30154,7 @@ + "DNA is the king of molecules" @@ -29770,6 +30714,9 @@ + + + @@ -29823,6 +30770,7 @@ a solution that conducts electricity + "the proper amount and distribution of electrolytes in the body is essential for health" @@ -29922,6 +30870,9 @@ + + + @@ -30229,6 +31180,7 @@ + @@ -30238,6 +31190,10 @@ + + + + @@ -30299,6 +31255,7 @@ (KNO3) used especially as a fertilizer and explosive + @@ -30790,8 +31747,8 @@ - + "the physician prescribed a commercial preparation of the medicine" @@ -30846,6 +31803,8 @@ + + "more fuel is needed during the winter months" "they developed alternative fuels for aircraft" @@ -30864,6 +31823,7 @@ a colorless crystalline acid with a fruity taste; used in making polyester resins + @@ -31022,6 +31982,7 @@ colorless glass made of almost pure silica + @@ -31098,6 +32059,7 @@ + @@ -31160,6 +32122,7 @@ + @@ -31215,6 +32178,7 @@ a sweet crystalline aldehyde formed by the breakdown of sugars + @@ -31300,6 +32264,8 @@ + + @@ -31368,6 +32334,7 @@ a laminated metamorphic rock similar to granite + @@ -31389,6 +32356,7 @@ aventurine spangled densely with fine gold-colored particles + @@ -31503,6 +32471,8 @@ + + @@ -31700,6 +32670,7 @@ gum resin used especially in treating skin irritation + @@ -31753,6 +32724,7 @@ an intervening substance through which something is achieved + "the dissolving medium is called a solvent" @@ -31912,6 +32884,7 @@ a foam made by adding water to polyurethane plastics + @@ -32049,6 +33022,7 @@ + @@ -32220,6 +33194,7 @@ any of various naturally occurring impure mixtures of hydrocarbons + @@ -32361,6 +33336,8 @@ + + "Americans like ice in their drinks" @@ -32482,6 +33459,7 @@ a plant hormone promoting elongation of stems and roots + @@ -32521,6 +33499,10 @@ any compound that does not contain carbon + + + + @@ -32575,6 +33557,7 @@ + @@ -32700,6 +33683,8 @@ a compound that exists in forms having different arrangements of atoms but the same molecular weight + + @@ -32828,6 +33813,9 @@ any monosaccharide sugar that contains a ketone group or its hemiacetal + + + @@ -33146,6 +34134,7 @@ a caustic substance produced by heating limestone + @@ -33260,6 +34249,7 @@ + @@ -33327,6 +34317,8 @@ + + @@ -33529,6 +34521,7 @@ a colorless crystalline compound found in unripe fruit (such as apples or tomatoes or cherries) and used mainly to make polyester resins + @@ -33821,6 +34814,7 @@ + @@ -34064,6 +35058,7 @@ + @@ -34075,6 +35070,7 @@ a highly toxic chemical nerve agent that inhibits the activity of cholinesterase + @@ -34143,6 +35139,7 @@ a compound containing nitrogen and a more electropositive element (such as phosphorus or a metal) + @@ -34194,14 +35191,15 @@ - - - + + + + @@ -34440,6 +35438,7 @@ an acid formed by oxidation of maleic acid (as in metabolism of fats and carbohydrates) + @@ -34451,6 +35450,7 @@ a toxic colorless crystalline organic acid found in oxalis and other plants; used as a bleach and rust remover and in chemical analysis + @@ -34513,6 +35513,7 @@ + @@ -34619,6 +35620,7 @@ + @@ -34818,6 +35820,7 @@ + @@ -34908,6 +35911,7 @@ a colorless acid used to make dyes and perfumes + @@ -34994,6 +35998,7 @@ + "she used a different color for the trim" @@ -35356,6 +36361,7 @@ + @@ -35459,6 +36465,7 @@ a chemical compound that is added to protect against decay or decomposition + @@ -35713,6 +36720,7 @@ + @@ -35938,7 +36946,6 @@ - @@ -35989,6 +36996,12 @@ + + + + + + @@ -36071,6 +37084,7 @@ + @@ -36132,6 +37146,7 @@ + @@ -36154,6 +37169,7 @@ a mixture of potassium nitrate, charcoal, and sulfur in a 75:15:10 ratio which is used in gunnery, time fuses, and fireworks + @@ -36249,7 +37265,6 @@ a commercial preparation of starch that is used to stiffen textile fabrics in laundering - @@ -36261,6 +37276,7 @@ + @@ -36492,6 +37508,8 @@ a compound containing a heterocyclic ring + + @@ -36521,6 +37539,8 @@ a simple protein containing mainly basic amino acids; present in cell nuclei in association with nucleic acids + + @@ -36564,6 +37584,10 @@ + + + + @@ -36718,6 +37742,7 @@ + @@ -36781,6 +37806,8 @@ + + @@ -37051,6 +38078,7 @@ + @@ -37147,6 +38175,7 @@ + @@ -37256,6 +38285,7 @@ + @@ -37277,6 +38307,7 @@ + "the solvent does not change its state in forming a solution" @@ -37579,6 +38610,7 @@ a nerve agent easily absorbed into the body; a lethal cholinesterase inhibitor that is highly toxic when inhaled + @@ -37606,6 +38638,7 @@ an ester of glycerol and stearic acid + @@ -37654,6 +38687,7 @@ + @@ -37837,6 +38871,7 @@ + @@ -37924,6 +38959,7 @@ the first known nerve agent, synthesized by German chemists in 1936; a highly toxic combustible liquid that is soluble in organic solvents and is used as a nerve gas in chemical warfare + @@ -37972,6 +39008,7 @@ an acid found in many fruits; used in soft drinks and confectionery and baking powder + @@ -37992,6 +39029,7 @@ any binary compound of tellurium with other more electropositive elements + @@ -38009,6 +39047,7 @@ an unsaturated hydrocarbon obtained from plants + @@ -38449,6 +39488,7 @@ an amino acid that occurs in proteins; is essential for growth and normal metabolism; a precursor of niacin + @@ -38801,6 +39841,7 @@ + @@ -38878,6 +39919,7 @@ a vitamin found in fresh fruits (especially citrus fruits) and vegetables; prevents scurvy + @@ -38896,6 +39938,7 @@ a decorative paper for the walls of rooms + @@ -39158,6 +40201,8 @@ + + @@ -39642,5 +40687,985 @@ crystalline oxidation product of the metabolism of nucleoproteins; precursor of uric acid; found in many organs and in urine + + liquid for use in electronic cigarettes + liquid for use in electronic cigarettes + + + + + a B vitamin that is essential for metabolism of amino acids and starch + a B vitamin that is essential for metabolism of amino acids and starch + + + + a grey or green fibrous mineral; an important source of commercial asbestos + a grey or green fibrous mineral; an important source of commercial asbestos + + + + a magnetic allotrope of iron; stable below 906 degrees centigrade + a magnetic allotrope of iron; stable below 906 degrees centigrade + + + + + a radioactive transuranic element + a radioactive transuranic element + + + + + a substance that promotes drying (e.g., calcium oxide absorbs water and is used to remove moisture) + a substance that promotes drying (e.g., calcium oxide absorbs water and is used to remove moisture) + + + + any of various polymers containing the urethane radical; a wide variety of synthetic forms are made and used as adhesives or plastics or paints or rubber + any of various polymers containing the urethane radical; a wide variety of synthetic forms are made and used as adhesives or plastics or paints or rubber + + + + + a semisolid emulsion produced by the treatment of certain skins with oxidized fish oil, which extracts their soluble albuminoids. + a semisolid emulsion produced by the treatment of certain skins with oxidized fish oil, which extracts their soluble albuminoids. + + + + a chemical compound widely used as an abrasive. + a chemical compound widely used as an abrasive. + + As cubic boron nitride consists of light atoms and is very robust chemically and mechanically, it is one of the popular materials for X-ray membranes: low mass results in small X-ray absorption, and good mechanical properties allow usage of thin membranes, thus further reducing the absorption. + + + simple proteins that bind to nucleosomes (histones H2A, H2B, H3 and H4). + simple proteins that bind to nucleosomes (histones H2A, H2B, H3 and H4). + + + + A material posessing a property of spontaneous electric polarization that can be reversed by the application of an external electric field. + A material posessing a property of spontaneous electric polarization that can be reversed by the application of an external electric field. + + + In addition to being nonlinear, ferroelectric materials demonstrate a spontaneous nonzero polarization (after entrainment, see figure) even when the applied field E is zero. + + + a compound in which tar or asphalt combined with animal or vegetable oils is vulcanized by sulphur, the product closely resembling rubber. + a compound in which tar or asphalt combined with animal or vegetable oils is vulcanized by sulphur, the product closely resembling rubber. + + Kerite was formerly used as an insulating material in telegraphy. + + + a dental cement used as a luting agent for cementing restorations and as a cavity lining. + a dental cement used as a luting agent for cementing restorations and as a cavity lining. + + Polycarboxylate cement has the potential to bond to calcium contained in tooth structure as well as to any base metals contained in casting. + + + a toxic salt of selenous acid and zinc, with the chemical formula ZnSeO3.. + a toxic salt of selenous acid and zinc, with the chemical formula ZnSeO3.. + + + + + Zinc selenite is used in the glass industry. + + + Eucerine anhydrous (also known as eucerin anhydrous) is mainly used as a base for incorporation of other medicaments in cases of superficial skin inflammation or irritation. + Eucerine anhydrous (also known as eucerin anhydrous) is mainly used as a base for incorporation of other medicaments in cases of superficial skin inflammation or irritation. + + + Eucerin anhydrous can be used as a cleanser where soap and water contraindicated. + + + A cation-exchange resin is a negatively charged type of ion-exchanged resin. + A cation-exchange resin is a negatively charged type of ion-exchanged resin. + + Cation-exchange resin enables the separation of positive ions. + + + a chemical compound that contains carbon-carbon double bonds or triple bonds, such as those found in alkenes or alkynes, respectively. + a chemical compound that contains carbon-carbon double bonds or triple bonds, such as those found in alkenes or alkynes, respectively. + + Saturated and unsaturated compounds need not consist only of a carbon atom chain. + + + A four-carbon aldose; for example, threose, erythrose. + A four-carbon aldose; for example, threose, erythrose. + + + + a ceramic material having electrical, optical and magnetic properties, suitable for use as insulators for power lines and in electrical components. + a ceramic material having electrical, optical and magnetic properties, suitable for use as insulators for power lines and in electrical components. + + Examples of electroceramic materials include: ferroelectrics - high dielectric capacitors, non-volatile memories; ferrites - data and information storage; solid electrolytes - energy storage and conversion; piezoelectrics - sonar; semiconducting oxides - environmental monitoring. + + + Salicylic alcohol, also called saligenin, is a crystalline phenolic alcohol with the chemical formula C7H8O2, that is obtained usually by hydrolysis of salicin. + Salicylic alcohol, also called saligenin, is a crystalline phenolic alcohol with the chemical formula C7H8O2, that is obtained usually by hydrolysis of salicin. + + + Salicylic alcohol acts as a local anesthetic and relieves pain and fever. + + + any material that has ferromagnetic properties. + any material that has ferromagnetic properties. + + + + an essential oil extracted from the seeds of Pimpinella anisum (aniseed), having a pungent liquorice-like smell. + an essential oil extracted from the seeds of Pimpinella anisum (aniseed), having a pungent liquorice-like smell. + + + + The most powerful flavor component of the essential oil of anise, anethole, is found in both anise and an unrelated spice called star anise (Illicium verum) widely used in South Asian, Southeast Asian, and East Asian dishes. + + + any salt containing the NH 4 + ion, formed by the neutralization of ammonium hydroxide by an acid. + any salt containing the NH 4 + ion, formed by the neutralization of ammonium hydroxide by an acid. + + + + + + a kind of sterol found in fungi. + a kind of sterol found in fungi. + + + + a simple form of gunpowder, consisting of a mixture of saltpeter, charcoal, and sulfur; invented in the 9th century in China. + a simple form of gunpowder, consisting of a mixture of saltpeter, charcoal, and sulfur; invented in the 9th century in China. + + + + + The spread of black powder across Asia from China is widely attributed to the Mongols. + + + an isometric hydocarbon isolated from cardamon and marjoram oils, as well as other natural sources. + an isometric hydocarbon isolated from cardamon and marjoram oils, as well as other natural sources. + + α-Terpinene is a perfume and flavoring chemical used in the cosmetics and food industries. + + + a natural fuel that is uncontaminated with harmful substances, used in bee smokers. + a natural fuel that is uncontaminated with harmful substances, used in bee smokers. + + Smoker fuels include hessian, burlap, pine needles, corrugated cardboard, paper egg cartons, and rotten or punky wood. + + + A monosaccharide that has both a ketone and four carbons. + A monosaccharide that has both a ketone and four carbons. + + + + + cloudy meltwater contaminated by rock flour. + cloudy meltwater contaminated by rock flour. + + Because the material is very small, it becomes suspended in meltwater making the water appear cloudy, which is sometimes known as glacial milk. + + + Dry snow is a type of snow that has little to no liquid water content and is therefore less dense than average, and not sticky. + Dry snow is a type of snow that has little to no liquid water content and is therefore less dense than average, and not sticky. + + Skiing in dry snow or powder conditions can be a challenge. + The kids wanted to build a snowman, but there's too much dry snow outside. + + + ZnCO3, a mild astringent used topically in dusting powders. + ZnCO3, a mild astringent used topically in dusting powders. + + + + + an aqueous suspension of calcium hydroxide, used in tanning as a basic agent. + an aqueous suspension of calcium hydroxide, used in tanning as a basic agent. + + After soaking, the hides and skins are taken for liming: treatment with milk of lime (a basic agent) that may involve the addition of "sharpening agents" (disulfide reducing agents) like sodium sulfide, cyanides, amines etc. + When excess calcium hydroxide is added to limewater, a suspension of calcium hydroxide particles results, giving it a milky aspect, in which case it has the common name of milk of lime. + + + A substance that tends to produce acne, such as by clogging pores on the skin. + A substance that tends to produce acne, such as by clogging pores on the skin. + + Regardless of its benefits, coconut oil is a fairly strong comedogenic substance, so be careful when incorporating it into your acne treatment. + + + one of two stereoisomers that are mirror images of each other that are non-superposable (not identical). + one of two stereoisomers that are mirror images of each other that are non-superposable (not identical). + + + + + a substance used to melt ice; it can take a form of liquid or solid crystals. + a substance used to melt ice; it can take a form of liquid or solid crystals. + + Darling, the driveway is covered in ice again, I think we should buy an ice melter before someone slips and breaks a leg. + + + all types of ice formed in freezing and frozen ground. + all types of ice formed in freezing and frozen ground. + + + + a chemical compound that contains the bromate ion. + a chemical compound that contains the bromate ion. + + + + a liquid that is added to the radiator to stop leaks. + a liquid that is added to the radiator to stop leaks. + + Using stop leak is a quick solution to the problem, not a permanent repair. + + + Anion-exchange resin is a positively loaded type of ion-exchange resin. + Anion-exchange resin is a positively loaded type of ion-exchange resin. + + An anion-exchange resin may be either strongly or weakly basic. + + + An over-burned lime (also called oveburned lime, or sometimes dead-burned lime and deadburned lime) is a lime that has been fired above 1,100° C, thus loosing its reactivity, which leads to poor or no bond strength. + An over-burned lime (also called oveburned lime, or sometimes dead-burned lime and deadburned lime) is a lime that has been fired above 1,100° C, thus loosing its reactivity, which leads to poor or no bond strength. + + Overburned lime will not hold up to to freeze-thaw weather cycles. + + + a chemical element required in relatively large quantities for the normal physiologic processes of the body. + a chemical element required in relatively large quantities for the normal physiologic processes of the body. + + Minerals in order of abundance in the human body include the seven major minerals calcium, phosphorus, potassium, sulfur, sodium, chlorine, and magnesium. + + + a type of aerated concrete with the addition of an air-entraining agent (or a lightweight aggregate such as expanded clay aggregate or cork granules and vermiculite). + a type of aerated concrete with the addition of an air-entraining agent (or a lightweight aggregate such as expanded clay aggregate or cork granules and vermiculite). + + Do not confuse cellular concrete with aerated autoclaved concrete, which is manufactured off-site using an entirely different method. + + + simple proteins that bind to nucleosomes (histones H1/H5). + simple proteins that bind to nucleosomes (histones H1/H5). + + + + a hydrocarbon, C6H10, of the acetylene series. + a hydrocarbon, C6H10, of the acetylene series. + + + Hexine is obtained artificially as a colorless, volatile liquid. + + + the macrocyclic lactone having fifteen carbon atoms; it has a musky scent, similar to exaltone. + the macrocyclic lactone having fifteen carbon atoms; it has a musky scent, similar to exaltone. + + Women tend to detect exaltolide better than men, and also find its odor more intense. + + + a substance which is used to saturate another. + a substance which is used to saturate another. + + I have to coat my synthetic fiber jacket with a saturant. + + + a substance inducing positive chemotaxis in motile cells. + a substance inducing positive chemotaxis in motile cells. + + The major role of chemokines is to act as a chemoattractant to guide the migration of cells. + + + a pesticide with methyl cyanoformate as an active ingredient. + a pesticide with methyl cyanoformate as an active ingredient. + + Research at Degesch of Germany led to the development of Zyklon A, a pesticide which released hydrogen cyanide upon exposure to water and heat. + + + a salt of mellitic acid. + a salt of mellitic acid. + + + + a chemical fertilizer containing calcium carbonate and ammonium nitrate. + a chemical fertilizer containing calcium carbonate and ammonium nitrate. + + Nitro-chalk is valued for its versatility. + + + a plant fertilizer which formula contains boron. + a plant fertilizer which formula contains boron. + + + + any chemical element related to iron. + any chemical element related to iron. + + + + + a powerful astringent alkaloid extracted from ergot as a brown, amorphous, bitter substance, used to produce contraction of the uterus. + a powerful astringent alkaloid extracted from ergot as a brown, amorphous, bitter substance, used to produce contraction of the uterus. + + + + Cellular glass, also called foam glass or expanded glass is a light, opaque, cellular glass made by adding powdered carbon to crushed glass and firing the mixture. + Cellular glass, also called foam glass or expanded glass is a light, opaque, cellular glass made by adding powdered carbon to crushed glass and firing the mixture. + + + Cellular glass is used for insulation. + Depending on the density, cellular glass can be either black or white. + + + a plating of copper and aluminum. + a plating of copper and aluminum. + + + + an organic compound with the formula HO2CCH2CHOHCO2H; it is a dicarboxylic acid that is made by all living organisms, contributes to the pleasantly sour taste of fruits, and is used as a food additive. + an organic compound with the formula HO2CCH2CHOHCO2H; it is a dicarboxylic acid that is made by all living organisms, contributes to the pleasantly sour taste of fruits, and is used as a food additive. + + + + + + an ester with the chemical formula C8H7NO4S, produced in human body. + an ester with the chemical formula C8H7NO4S, produced in human body. + + + + + Urinary indican is produced in liver and excreted with urine. + + + a mixture of chromic acid and sulphuric acid which is used as a cleaning agent for glassware. + a mixture of chromic acid and sulphuric acid which is used as a cleaning agent for glassware. + + + + + an ester of stearic acid. + an ester of stearic acid. + + + + + an isometric hydrocarbon classified as a terpene. + an isometric hydrocarbon classified as a terpene. + + β-Terpinene has no known natural source, but has been prepared synthetically from sabinene. + + + The term 'zooecdysone' refers to the molting hormones of insects. + The term 'zooecdysone' refers to the molting hormones of insects. + + + + a durable, fragrant, and dark-colored Australian wood, used by the natives for spears; obtained from the small tree Acacia homolophylla. + a durable, fragrant, and dark-colored Australian wood, used by the natives for spears; obtained from the small tree Acacia homolophylla. + + Acacia homalophylla (myall wood) yields a fragrant timber used for ornaments. + + + any material that has antiferromagnetic properties. + any material that has antiferromagnetic properties. + + + + a salt of aluminium and nitric acid, existing normally as a crystalline hydrate, most commonly as aluminium nitrate nonahydrate, Al(NO3)3·9H2O. + a salt of aluminium and nitric acid, existing normally as a crystalline hydrate, most commonly as aluminium nitrate nonahydrate, Al(NO3)3·9H2O. + + + + a material added to an explosive to make it less susceptible to detonation and thus more stable and safer to handle and transport. + a material added to an explosive to make it less susceptible to detonation and thus more stable and safer to handle and transport. + + + + a laminated composite material used for electrotechnical components, inserts and bearings. + a laminated composite material used for electrotechnical components, inserts and bearings. + + Textolite is characterized by its heat endurance, elasticity (as compared to metals) and long service period. + + + water adsorbed by a zeolite. + water adsorbed by a zeolite. + + + + a gneiss derived from a sedimentary rock. + a gneiss derived from a sedimentary rock. + + + + any of several enzymes that convert a compound into smaller, biologically-active compounds. + any of several enzymes that convert a compound into smaller, biologically-active compounds. + + There are four different C5 convertases able to specifically convert C5 glycoprotein to C5a and C5b fragments. + + + camphorated carbolic acid, consisting of phenol, camphor, and liquid petrolatum; used as a local anesthetic and for the relief of toothache. + camphorated carbolic acid, consisting of phenol, camphor, and liquid petrolatum; used as a local anesthetic and for the relief of toothache. + + Don't swallow camphorated phenol - ingestion of two teaspoonfuls can result in adverse neurological effects. + + + A denture adhesive is a product used to secure dentures in the oral cavity. + A denture adhesive is a product used to secure dentures in the oral cavity. + + + Denture adhesive comes in form of paste, powder or adhesive pads. + + + any salt of chloroplatinic acid. + any salt of chloroplatinic acid. + + + + + any of the group of common autoantibodies present in blood. + any of the group of common autoantibodies present in blood. + + The presence an antiphospholipid antibody in blood, such as the lupus anticoagulant, may lead to blood clotting. + + + a crystalline steroidal glycoside present in squill (Drimia maritima). + a crystalline steroidal glycoside present in squill (Drimia maritima). + + + + Scillaren is used in the treatment of ischaemic heart disease. + + + a non-persistent nerve agent discovered and synthesized during or prior to World War II by Dr. Gerhard Schrader. + a non-persistent nerve agent discovered and synthesized during or prior to World War II by Dr. Gerhard Schrader. + + + + + GB was the only G agent that was fielded by the US as a munition, specifically in rockets, aerial bombs, and artillery shells. + + + any type of lightening agent that can be used to brighten the appearance of hair, skin, wood and other surfaces. + any type of lightening agent that can be used to brighten the appearance of hair, skin, wood and other surfaces. + + Baking soda mixed with lemon juice makes a cheap and natural skin lightener. + + + Any ketose having three carbon atoms; in reality, only dihydroxyacetone. + Any ketose having three carbon atoms; in reality, only dihydroxyacetone. + + + + an optically active compound readily hydrolysed by mineral acids, alkali, or a suitable enzyme. + an optically active compound readily hydrolysed by mineral acids, alkali, or a suitable enzyme. + + + + + one of the oldest and widely used cements, commonly used for luting permanent metal restorations and as a base for dental restorations. + one of the oldest and widely used cements, commonly used for luting permanent metal restorations and as a base for dental restorations. + + Zinc phosphate cement is used for cementation of inlays, crowns, bridges, and orthodontic appliances and occasionally as a temporary restoration. + + + a herbicide and a plant growth regulator. + a herbicide and a plant growth regulator. + + + Maleic hydrazide's residue in food can cause liver damage. + + + A cerebroside is any of various organic lipid compounds containing glucose or galactose and glucose; it occurs in the myelin sheath of cerebrospinal neurons. + A cerebroside is any of various organic lipid compounds containing glucose or galactose and glucose; it occurs in the myelin sheath of cerebrospinal neurons. + + A cerebroside is a glycolipid. + + + a stereoisomer that can be interconverted only by breaking covalent bonds to the stereocenter. + a stereoisomer that can be interconverted only by breaking covalent bonds to the stereocenter. + + + + + a physiological buffer used in the preparation of a wide range of cell and molecular biology reagent solutions. + a physiological buffer used in the preparation of a wide range of cell and molecular biology reagent solutions. + + + + any compound, of general formula R-CO-NH-CO-NH2 or R-CO-NH-CO-NH-CO-R', formally derived by the acylation of urea. + any compound, of general formula R-CO-NH-CO-NH2 or R-CO-NH-CO-NH-CO-R', formally derived by the acylation of urea. + + + + a derivative of nervonic acid. + a derivative of nervonic acid. + + + Oxynervonic acid is an important constituent of certain cerebrosides. + + + a salt of stearic acid. + a salt of stearic acid. + + + + + a special type of concrete that is capable of carrying a structural load or forming an integral part of a structure. + a special type of concrete that is capable of carrying a structural load or forming an integral part of a structure. + + + + water that remains in the soil after gravitational water is drained out, that is subject to the laws of capillary movement, and that is in the form of a film around the soil grains. + water that remains in the soil after gravitational water is drained out, that is subject to the laws of capillary movement, and that is in the form of a film around the soil grains. + + + + a natural hydrocarbon classified as a terpene. + a natural hydrocarbon classified as a terpene. + + γ-Terpinene and δ-terpinene (also known as terpinolene) are natural and have been isolated from a variety of plant sources. + + + caffeine when present in tea. + caffeine when present in tea. + + + You need a larger dose of theine than caffeine to achieve the same effect. + + + any amino acid with a hydroxy group. + any amino acid with a hydroxy group. + + The hydroxy group appears on the second carbon atom of the hydroxy amino acids serine and threonine. + + + any crystal of microscopic size. + any crystal of microscopic size. + + + + Any nucleotide that contains a deoxy sugar. + Any nucleotide that contains a deoxy sugar. + + + + + a globular protein found in milk. + a globular protein found in milk. + + Bovine lactoglobulin consists of a chain of 162 amino acids. + + + A substance that acts as a base or an acid, depending on the pH of the solution into which it is introduced. + A substance that acts as a base or an acid, depending on the pH of the solution into which it is introduced. + + + + + a bio fertilizer containing Azotobacter genus of bacteria. + a bio fertilizer containing Azotobacter genus of bacteria. + + + + a blue-colored cosmetic used from ancient times to twentieth century to draw blue lines on the skin on the temples and below neck, meant to imitate blue veins and thus emphasize pale complexion. + a blue-colored cosmetic used from ancient times to twentieth century to draw blue lines on the skin on the temples and below neck, meant to imitate blue veins and thus emphasize pale complexion. + + Bleu Végetal Pour Les Veines came in a form of sticks or pencils prepared from chalk, gum and blue pigment. + + + Syndetikon is an all-purpose adhesive manufactured from natural materials. + Syndetikon is an all-purpose adhesive manufactured from natural materials. + + Syndetikon is a non toxic glue. + + + a solution of alcohol and camphor that can be used as a steam inhalant to bring relief in respiratory ilness; it can also be applied topically on the skin. + a solution of alcohol and camphor that can be used as a steam inhalant to bring relief in respiratory ilness; it can also be applied topically on the skin. + + + + a clay slip which is colored with metal oxides or stains, used for coating the surface of a pot either before or after bisque firing. + a clay slip which is colored with metal oxides or stains, used for coating the surface of a pot either before or after bisque firing. + + The engobe on Greek pots remained black even after re-oxidation. + + + the wood of any of the padauk trees, used in decorative cabinetwork. + the wood of any of the padauk trees, used in decorative cabinetwork. + + The padauk found most often is African Padauk from Pterocarpus soyauxii which, when freshly cut, is a very bright red/orange but when exposed to sunlight fades over time to a warm brown. + + + A seven-carbon sugar possessing a ketone group. + A seven-carbon sugar possessing a ketone group. + + + + + one that hardens, especially a substance added to varnish or paint to give it a harder surface or finish. + one that hardens, especially a substance added to varnish or paint to give it a harder surface or finish. + + + + a copper-brown type of goldstone. + a copper-brown type of goldstone. + + + + a compound containing an alkyl or aryl radical bonded to a metal. + a compound containing an alkyl or aryl radical bonded to a metal. + + Tetracarbonyl nickel, and ferrocene are examples of organometallic compounds containing transition metals. + + + Guaranine is the name used to describe caffeine derived from the guarana plant. + Guaranine is the name used to describe caffeine derived from the guarana plant. + + Guaranine and caffeine are chemically identical. + + + a gemstone of lesser value. + a gemstone of lesser value. + + + + an inorganic compound with the chemical formula BaSeO3; it is a salt of barium and selenous acid. + an inorganic compound with the chemical formula BaSeO3; it is a salt of barium and selenous acid. + + + + + Barium selenite is highly toxic and may be fatal if inhaled, swallowed or absorbed through skin. + + + an aqueous solution of barium hydroxide, used chiefly as a reagent. + an aqueous solution of barium hydroxide, used chiefly as a reagent. + + + The monohydrate (x =1) is known as baryta, or baryta-water, it is one of the principal compounds of barium. + + + an antibody produced in response to immunization with one antigen but having a higher affinity for a second antigen that was not present during immunization. + an antibody produced in response to immunization with one antigen but having a higher affinity for a second antigen that was not present during immunization. + + + + any chemical element that belongs to the carbon group. + any chemical element that belongs to the carbon group. + + + + + Carbon, the lightest carbon group element, sublimates at 3825 °C. + + + the concept of either matter that is infinitely small, or an object which can be thought of as infinitely small. + the concept of either matter that is infinitely small, or an object which can be thought of as infinitely small. + + However unlike point particles, point mass can only apply to an object that is infinitely small. + + + a chemical compound which has the same molecular formula as another but differs in geometric configuration. + a chemical compound which has the same molecular formula as another but differs in geometric configuration. + + + + an immiscible liquid used to extract a substance from another liquid. + an immiscible liquid used to extract a substance from another liquid. + + Copper can be extracted using hydroxyoximes as extractants. + + + Any aldose having three carbon atoms; in reality, just glyceraldehyde. + Any aldose having three carbon atoms; in reality, just glyceraldehyde. + + + + + + a type of benzoin resin obtained from Styrax benzoin, which grows predominantly on the island of Sumatra. + a type of benzoin resin obtained from Styrax benzoin, which grows predominantly on the island of Sumatra. + + Benzoin Sumatra is used in pharmaceutical preparations. + + + a type of antibody that has an affinity for certain kinds of cells, in addition to and unrelated to its specific affinity for the antigen that induced it, because of the properties of the Fc portion of the heavy chain. + a type of antibody that has an affinity for certain kinds of cells, in addition to and unrelated to its specific affinity for the antigen that induced it, because of the properties of the Fc portion of the heavy chain. + + Cytophilic antibodies are responsible for the allergic immunological response of the organism. + + + a compound of telluride and gold with the chemical formula AuTe2. + a compound of telluride and gold with the chemical formula AuTe2. + + + + + sand that is mainly composed of quartz, used as the main raw material for commercial glass production. + sand that is mainly composed of quartz, used as the main raw material for commercial glass production. + + + + Lechatelierite is an amorphous silica glass SiO2 which is formed by lightning strikes in quartz sand. + + + a piece of soft paper on which a lock of hair is rolled up for curling. + a piece of soft paper on which a lock of hair is rolled up for curling. + + + + A material that accumulates an electric charge in response to mechanical stress. + A material that accumulates an electric charge in response to mechanical stress. + + + + + a filamentous form of actin. + a filamentous form of actin. + + It can be present as either a free monomer called G-actin (globular) or as part of a linear polymer microfilament called F-actin (filamentous), both of which are essential for such important cellular functions as the mobility and contraction of cells during cell division. + + + Ice films, seams, lenses, rods, or layers generally 0.04 to 6 inches (1 to 150 millimeters) thick that grow in permafrost by drawing in water as the ground freezes. + Ice films, seams, lenses, rods, or layers generally 0.04 to 6 inches (1 to 150 millimeters) thick that grow in permafrost by drawing in water as the ground freezes. + + + + any of a group of neurologically active compounds, such as glutamate and aspartame, that have detrimental excitatory effects on the central nervous system when taken in high concentrations. + any of a group of neurologically active compounds, such as glutamate and aspartame, that have detrimental excitatory effects on the central nervous system when taken in high concentrations. + + + + a sol (colloid) in which the continuous phase is water. + a sol (colloid) in which the continuous phase is water. + + + + A material that is able to generate a temporary voltage when heated or cooled. + A material that is able to generate a temporary voltage when heated or cooled. + + Although artificial pyroelectric materials have been engineered, the effect was first discovered in minerals such as tourmaline. + + + any of a class of heterocyclic compounds, formally acid anhydrides, formed by heating α-lactones. + any of a class of heterocyclic compounds, formally acid anhydrides, formed by heating α-lactones. + + Lactides may be prepared by heating lactic acid in the presence of an acid catalyst. + + + a formulation added to laundry in order to stiffen the fabric. + a formulation added to laundry in order to stiffen the fabric. + + + + A decorative printed wallpaper usually placed on only one wall; the print can either be custom or chosen from a predefined set. + A decorative printed wallpaper usually placed on only one wall; the print can either be custom or chosen from a predefined set. + + + + a salt or an ester of sulphuric acid with the chemical formula HSO4-. + a salt or an ester of sulphuric acid with the chemical formula HSO4-. + + + + an inorganic fertilizer which contains trace minerals. + an inorganic fertilizer which contains trace minerals. + + + + Semicoke is a solid residue obtained by carbonization of coal at a relatively low temperature (below 700° C). + Semicoke is a solid residue obtained by carbonization of coal at a relatively low temperature (below 700° C). + + Semicoke gives a hot smokeless fire and can be used as a domestic fuel. + + + an immune body formed in the blood during infection or immunization that serves to link the complement to the antigen. + an immune body formed in the blood during infection or immunization that serves to link the complement to the antigen. + + The term amboceptor is now used chiefly to denote the anti-sheep erythrocyte antibody used in the hemolytic system of complement-fixation tests. + + + the residue of malt and grain which remains in the mash-kettle after the mashing and lautering process. + the residue of malt and grain which remains in the mash-kettle after the mashing and lautering process. + + As it mainly consists of carbohydrates and proteins, and is readily consumed by animals, spent grain is used in animal feed. + + + any solution with a higher salt concentration than normal body cells so that the water is drawn out of the cells by osmosis. + any solution with a higher salt concentration than normal body cells so that the water is drawn out of the cells by osmosis. + + A hypertonic solution has higher osmotic pressure than another solution. + + + a lightweight, precast, concrete building material invented in the mid-1920s that simultaneously provides structure, insulation, and fire- and mold-resistance. + a lightweight, precast, concrete building material invented in the mid-1920s that simultaneously provides structure, insulation, and fire- and mold-resistance. + + + Better thermal efficiency of AAC makes it suitable for use in areas with extreme temperature as it eliminates need for separate materials for construction and insulation leading to faster construction and savings. + + + an organic compound containing two carboxyl functional groups (-COOH). + an organic compound containing two carboxyl functional groups (-COOH). + + + + + + + + + The most widely used dicarboxylic acid in the industry is adipic acid, which is a precursor used in the production of nylon. + + + a chemical compound with the formula H2SeO3. + a chemical compound with the formula H2SeO3. + + + + Selenous acid is analogous to sulfurous acid, but it is more readily isolated. + + + any of a class of organic compounds sharing a common functional group characterized by a nitrogen to nitrogen covalent bond with 4 substituents with at least one of them being an acyl group. + any of a class of organic compounds sharing a common functional group characterized by a nitrogen to nitrogen covalent bond with 4 substituents with at least one of them being an acyl group. + + + The general structure for a hydrazide is E(=O)-NR-NR2, where the R's are frequently hydrogens. + + + an organic compound that is widely used as a flavoring substance. + an organic compound that is widely used as a flavoring substance. + + + Anethole is an aromatic, unsaturated ether related to lignols. + + + a monosaccharide with seven carbon atoms. + a monosaccharide with seven carbon atoms. + + + + + any of a group of isomers in which atoms are linked in the same order but differ in their spatial arrangement. + any of a group of isomers in which atoms are linked in the same order but differ in their spatial arrangement. + + + + A configurational stereoisomer is a stereoisomer of a reference molecule that has the opposite configuration at a stereocenter (e.g., R- vs S- or E- vs Z-). + + + a compound that contains a SeO32− anion. + a compound that contains a SeO32− anion. + + + + + + + + + an anti-inflammatory agent that is produced from willow bark. + an anti-inflammatory agent that is produced from willow bark. + + + Salicin is an alcoholic β-glucoside. + + + a white or yellowish crystalline heterocyclic compound extracted from coal tar and used in perfumery, medicine, and as a flavouring agent. + a white or yellowish crystalline heterocyclic compound extracted from coal tar and used in perfumery, medicine, and as a flavouring agent. + + + + + + + + + + + + + Indole is widely distributed in the natural environment and can be produced by a variety of bacteria. + + + An ion-exchange resin or ion-exchange polymer is an insoluble matrix (or support structure) normally in the form of small (0.5-1 mm diameter) beads, usually white or yellowish, fabricated from an organic polymer substrate. + An ion-exchange resin or ion-exchange polymer is an insoluble matrix (or support structure) normally in the form of small (0.5-1 mm diameter) beads, usually white or yellowish, fabricated from an organic polymer substrate. + + + + Sodium polystyrene sulfonate is a strongly acidic ion-exchange resin and is used to treat hyperkalemia. + + + a mineral ore of zinc. + a mineral ore of zinc. + + + Smithsonite is a variably colored trigonal mineral which only rarely is found in well formed crystals. + + + a chemical compound with chemical formula BN, consisting of equal numbers of boron and nitrogen atoms. + a chemical compound with chemical formula BN, consisting of equal numbers of boron and nitrogen atoms. + + + Boron nitride has potential use in nanotechnology. + + + a cyclic intramolecular ester derived from a hydroxy acid. + a cyclic intramolecular ester derived from a hydroxy acid. + + + Lactones are formed by intramolecular esterification of the corresponding hydroxycarboxylic acids, which takes place spontaneously when the ring that is formed is five- or six-membered. + + + a substance which contains living microorganisms which, when applied to seed, plant surfaces, or soil, colonizes the rhizosphere or the interior of the plant and promotes growth by increasing the supply or availability of primary nutrients to the host plant. + a substance which contains living microorganisms which, when applied to seed, plant surfaces, or soil, colonizes the rhizosphere or the interior of the plant and promotes growth by increasing the supply or availability of primary nutrients to the host plant. + + + Bio-fertilizers add nutrients through the natural processes of nitrogen fixation, solubilizing phosphorus, and stimulating plant growth through the synthesis of growth-promoting substances. + + + #DD: The name 'ecdysteroid' refers to the insect moulting and sex hormones which include ecdysone and its homologues such as 20-hydroxyecdysone. + #DD: The name 'ecdysteroid' refers to the insect moulting and sex hormones which include ecdysone and its homologues such as 20-hydroxyecdysone. + + + Ecdysteroids also occur in other invertebrates where they can play a different role. + + + any of a group of isomeric hydrocarbons that are classified as terpenes. + any of a group of isomeric hydrocarbons that are classified as terpenes. + + + + + + α-Terpinene is an example of a terpinene. + + + an orthorhombic gold telluride mineral which can contain a relatively small amount of silver in the structure. + an orthorhombic gold telluride mineral which can contain a relatively small amount of silver in the structure. + + + Both of the chemically similar gold-silver tellurides, calaverite and sylvanite, are in the monoclinic crystal system, whereas krennerite is orthorhombic. + + + alkene hydrocarbon which contains a closed ring of carbon atoms, but has no aromatic character. + alkene hydrocarbon which contains a closed ring of carbon atoms, but has no aromatic character. + + + Due to geometrical considerations, smaller cycloalkenes are almost always the cis isomers, and the term cis tends to be omitted from the names. + + + a substituted tryptamine alkaloid and a serotonergic psychedelic substance, present in most psychedelic mushrooms together with its phosphorylated counterpart psilocybin. + a substituted tryptamine alkaloid and a serotonergic psychedelic substance, present in most psychedelic mushrooms together with its phosphorylated counterpart psilocybin. + + + + The mind-altering effects of psilocin are highly variable and subjective and resemble those of LSD and DMT. + + + one of a group of toxins from the death cap (Amanita phalloides) known as phallotoxins. + one of a group of toxins from the death cap (Amanita phalloides) known as phallotoxins. + + + Phalloidin was one of the first cyclic peptides to be discovered. + diff --git a/src/wn-noun.time.xml b/src/wn-noun.time.xml index 8a96560d..7aa0710d 100644 --- a/src/wn-noun.time.xml +++ b/src/wn-noun.time.xml @@ -7476,43 +7476,155 @@ - + - + - + - + - + - + - + - + - + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -7657,6 +7769,7 @@ + "a time period of 30 years" "hastened the period of time of his recovery" "Picasso's blue period" @@ -8470,6 +8583,7 @@ + "we get two weeks of vacation every summer" "we took a short holiday in Puerto Rico" @@ -8526,6 +8640,7 @@ + "a ten day's leave to visit his mother" @@ -9135,6 +9250,8 @@ + + "old age is not for sissies" "he's showing his years" "age hasn't slowed him down at all" @@ -9186,6 +9303,8 @@ + + @@ -9202,6 +9321,7 @@ + "two days later they left" "they put on two performances every day" "there are 30,000 passengers per day" @@ -9315,6 +9435,7 @@ + "Mother's Day" @@ -9542,6 +9663,7 @@ first day of the week; observed as a day of rest and worship by most Christians + @@ -11025,6 +11147,7 @@ + @@ -12556,6 +12679,8 @@ + + "he celebrated his 10th season with the ballet company" "she always looked forward to the avocado season" @@ -12981,6 +13106,7 @@ + @@ -13167,6 +13293,7 @@ + "we live in a litigious age" @@ -13970,6 +14097,7 @@ + @@ -14221,6 +14349,7 @@ + @@ -14382,6 +14511,7 @@ + "they traveled at a rate of 55 miles per hour" "the rate of change was faster than expected" @@ -14418,6 +14548,7 @@ an interval during which a recurring sequence of events occurs + "the never-ending cycle of the seasons" @@ -14842,5 +14973,131 @@ + + Sunday as a day for relaxing and having fun + Sunday as a day for relaxing and having fun + + + + the one month anniversary of something + the one month anniversary of something + + + + both morning and night, used when greeting someone + both morning and night, used when greeting someone + + + + The day before Valentine's Day, e.g., February 1 + The day before Valentine's Day, e.g., February 1 + + + + a day on which school or other events are cancelled due to snow + a day on which school or other events are cancelled due to snow + + + + A dead season is a period during the year in which very few people want to buy a particular product or service. + A dead season is a period during the year in which very few people want to buy a particular product or service. + + My friend's coffeehouse suffered a dead season after Starbucks was opened nearby. + + + a type of motion in which the velocity of an object changes by an equal amount in every equal time period. + a type of motion in which the velocity of an object changes by an equal amount in every equal time period. + + In this case, the constant acceleration due to gravity is written as g, and Newton's Second Law becomes F = mg. + + + The quality or state of being wasted and weakened by or as if by the infirmities of old age. + The quality or state of being wasted and weakened by or as if by the infirmities of old age. + + He is obscurely pleased by this discovery of his decrepitude, and is indulging what he fancies to be a prerogative of old age by talking to himself in public. + + + the vector difference between the velocities of two bodies : the velocity of a body with respect to another regarded as being at rest. + the vector difference between the velocities of two bodies : the velocity of a body with respect to another regarded as being at rest. + + The motion may have a different appearance as viewed from a different reference frame, but this can be explained by including the relative velocity of the reference frame in the description of the motion. + + + A paternity leave is a parental leave that a father can take after the birth of his child. + A paternity leave is a parental leave that a father can take after the birth of his child. + + Don't worry Petunia, I'll take a paternity leave to help you take care of Dudley. + + + A time and place characterized by an assemblage of interrelated cultural, societal, ideological, technological, historic, and other trends in which related groups of authors wrote. + A time and place characterized by an assemblage of interrelated cultural, societal, ideological, technological, historic, and other trends in which related groups of authors wrote. + + Trying to fix a definitive set of dates to a literary period is never straightforward, and our attempts to do so are often somewhat arbitrary. + + + a breeding season for sheep, usually in the autumn. + a breeding season for sheep, usually in the autumn. + + + + a reckoning of the passage of time based on the Sun's position in the sky. + a reckoning of the passage of time based on the Sun's position in the sky. + + In September the Sun takes less time (as measured by an accurate clock) to make an apparent revolution than it does in December; 24 "hours" of solar time can be 21 seconds less or 29 seconds more than 24 hours of clock time. + + + A Mahayuga is a Hindu unit of time. + A Mahayuga is a Hindu unit of time. + + + + One full cycle of four Yugas is one Mahā-Yuga (4.32 million solar years). + + + the ratio of the distance traveled (in kilometers) to the time spent traveling (in seconds). + the ratio of the distance traveled (in kilometers) to the time spent traveling (in seconds). + + Light travels in vacuum at the speed of almost 300,000 kilometers per second. + + + A school holiday in winter, the date and duration of which depends on the country. + A school holiday in winter, the date and duration of which depends on the country. + + + The Chinese New Year is also a school holiday called winter holiday or winter break, which usually last 1 month. + + + (literary) the later years of one's life, especially after one has finished their career. + (literary) the later years of one's life, especially after one has finished their career. + + He spent his autumn years surrounded by family and friends. + + + a segment of rock formed during a particular interval of geologic time. + a segment of rock formed during a particular interval of geologic time. + + Chronostratigraphic units are geological material, so it is correct to say that fossils of the species Tyrannosaurus rex have been found in the Upper Cretaceous Series. + + + Parental leave or family leave is an employee benefit available in almost all countries that provides paid time off work to care for a child or make arrangements for the child's welfare. + Parental leave or family leave is an employee benefit available in almost all countries that provides paid time off work to care for a child or make arrangements for the child's welfare. + + + The terms "parental leave" and "family leave" include maternity, paternity, and adoption leave. + + + The breeding season is the most suitable season, usually with favourable conditions and abundant food and water, for breeding. + The breeding season is the most suitable season, usually with favourable conditions and abundant food and water, for breeding. + + + The Passenger pigeon is a famous example of probably the most numerous land bird on the American continent which had evolved for communal breeding that went extinct due to large scale hunting in its communal breeding grounds during the breeding season and its inability to breed in smaller numbers. + + + the name of an epoch or era within a four age cycle in Hindu philosophy. + the name of an epoch or era within a four age cycle in Hindu philosophy. + + + Like Summer, Spring, Winter and Autumn, each yuga involves stages or gradual changes which the earth and the consciousness of mankind goes through as a whole. + diff --git a/src/wn-verb.body.xml b/src/wn-verb.body.xml index 2b4f25fc..7be797d3 100644 --- a/src/wn-verb.body.xml +++ b/src/wn-verb.body.xml @@ -195,7 +195,9 @@ - + + + @@ -417,6 +419,7 @@ + @@ -481,7 +484,9 @@ - + + + @@ -991,7 +996,9 @@ - + + + @@ -1427,7 +1434,9 @@ - + + + @@ -1917,7 +1926,9 @@ - + + + @@ -1959,6 +1970,7 @@ + @@ -1968,6 +1980,7 @@ + @@ -2035,7 +2048,9 @@ - + + + @@ -2062,6 +2077,7 @@ + @@ -2280,7 +2296,9 @@ - + + + @@ -2395,6 +2413,9 @@ + + + @@ -2494,7 +2515,9 @@ - + + + @@ -2507,6 +2530,7 @@ + @@ -2662,6 +2686,9 @@ + + + @@ -2761,6 +2788,7 @@ + @@ -3291,7 +3319,9 @@ - + + + @@ -4356,6 +4386,7 @@ + @@ -4500,6 +4531,7 @@ + @@ -4534,6 +4566,7 @@ + @@ -4839,6 +4872,8 @@ + + @@ -4896,7 +4931,9 @@ - + + + @@ -5234,6 +5271,10 @@ + + + + @@ -5322,6 +5363,8 @@ + + @@ -5798,6 +5841,7 @@ + @@ -5855,6 +5899,7 @@ + @@ -6136,6 +6181,7 @@ + @@ -6155,6 +6201,7 @@ + @@ -6355,7 +6402,9 @@ - + + + @@ -6486,6 +6535,7 @@ + @@ -6878,7 +6928,9 @@ - + + + @@ -7000,7 +7052,9 @@ - + + + @@ -7398,6 +7452,41 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + draw air into, and expel out of, the lungs @@ -7731,6 +7820,9 @@ + + + "You should act like an adult" "Don't behave like a fool" "What makes her do this way?" @@ -9155,6 +9247,7 @@ dress in a costume + "We dressed up for Halloween as pumpkins" @@ -9269,6 +9362,7 @@ eject semen + @@ -9675,6 +9769,7 @@ + "She suffered a fracture in the accident" "He had an insulin shock after eating three candy bars" "She got a bruise on her leg" @@ -9958,6 +10053,7 @@ + "The dog had made in the flower beds" @@ -11208,5 +11304,41 @@ "this unfit horse lathers easily" + + wear a costume to resemble a character from some media especially anime + wear a costume to resemble a character from some media especially anime + + + + The act of ejaculating inside another person + The act of ejaculating inside another person + + + + to intend to release flatulence but actually defecate + to intend to release flatulence but actually defecate + + + + to act insanely + to act insanely + + + + to suffer from stress + to suffer from stress + + + + Acting like a criminal or antisocially but with positive connotations + Acting like a criminal or antisocially but with positive connotations + + + + + to act crazily + to act crazily + + diff --git a/src/wn-verb.change.xml b/src/wn-verb.change.xml index f3f290b0..7933fba9 100644 --- a/src/wn-verb.change.xml +++ b/src/wn-verb.change.xml @@ -34,6 +34,7 @@ + @@ -681,6 +682,7 @@ + @@ -869,6 +871,8 @@ + + @@ -1182,7 +1186,7 @@ - + @@ -3235,6 +3239,8 @@ + + @@ -3310,6 +3316,7 @@ + @@ -3658,6 +3665,7 @@ + @@ -3773,6 +3781,7 @@ + @@ -3822,6 +3831,7 @@ + @@ -3871,6 +3881,8 @@ + + @@ -3974,6 +3986,8 @@ + + @@ -4828,6 +4842,7 @@ + @@ -5058,6 +5073,7 @@ + @@ -5169,6 +5185,7 @@ + @@ -5338,7 +5355,7 @@ - + @@ -5405,7 +5422,9 @@ - + + + @@ -5446,6 +5465,7 @@ + @@ -5936,6 +5956,8 @@ + + @@ -6013,6 +6035,7 @@ + @@ -6216,12 +6239,16 @@ + + + + @@ -6672,7 +6699,9 @@ - + + + @@ -6787,7 +6816,9 @@ - + + + @@ -6943,7 +6974,9 @@ - + + + @@ -7777,7 +7810,7 @@ - + @@ -7825,6 +7858,7 @@ + @@ -8135,7 +8169,9 @@ - + + + @@ -8395,6 +8431,7 @@ + @@ -8483,6 +8520,7 @@ + @@ -8712,6 +8750,8 @@ + + @@ -9542,7 +9582,9 @@ - + + + @@ -9587,7 +9629,9 @@ - + + + @@ -9678,7 +9722,9 @@ - + + + @@ -9743,7 +9789,9 @@ - + + + @@ -9988,6 +10036,7 @@ + @@ -10313,6 +10362,8 @@ + + @@ -11716,7 +11767,9 @@ - + + + @@ -12040,7 +12093,9 @@ - + + + @@ -12410,7 +12465,9 @@ - + + + @@ -12688,6 +12745,7 @@ + @@ -12975,7 +13033,9 @@ - + + + @@ -13299,6 +13359,8 @@ + + @@ -13820,7 +13882,9 @@ - + + + @@ -13896,6 +13960,7 @@ + @@ -14181,6 +14246,7 @@ + @@ -14193,6 +14259,8 @@ + + @@ -14378,6 +14446,7 @@ + @@ -14470,8 +14539,15 @@ + + + + + + + @@ -14939,7 +15015,9 @@ - + + + @@ -15064,7 +15142,9 @@ - + + + @@ -15873,6 +15953,7 @@ + @@ -16240,6 +16321,10 @@ + + + + @@ -17252,7 +17337,7 @@ - + @@ -17967,7 +18052,9 @@ - + + + @@ -18283,6 +18370,7 @@ + @@ -18710,7 +18798,9 @@ - + + + @@ -19248,7 +19338,9 @@ - + + + @@ -19353,6 +19445,7 @@ + @@ -19733,6 +19826,8 @@ + + @@ -19772,10 +19867,6 @@ - - - - @@ -19792,7 +19883,9 @@ - + + + @@ -19983,7 +20076,9 @@ - + + + @@ -19999,7 +20094,9 @@ - + + + @@ -20487,6 +20584,7 @@ + @@ -20918,7 +21016,9 @@ - + + + @@ -21195,6 +21295,7 @@ + @@ -21479,12 +21580,16 @@ + + + + @@ -22114,6 +22219,7 @@ + @@ -22167,6 +22273,10 @@ + + + + @@ -22259,6 +22369,9 @@ + + + @@ -23784,7 +23897,9 @@ - + + + @@ -24487,9 +24602,12 @@ - + + + + @@ -24609,6 +24727,7 @@ + @@ -24680,23 +24799,67 @@ - - + + + + + + - + + - - + + + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -27385,6 +27548,7 @@ + "remove a threat" "remove a wrapper" "Remove the dirty dishes from the table" @@ -29453,6 +29617,7 @@ increase the level of + "This will enhance your enjoyment" "heighten the tension" @@ -29507,6 +29672,7 @@ + "The problem grew too large for me" "Her business grew fast" @@ -31133,6 +31299,7 @@ + @@ -34961,6 +35128,7 @@ + "First Joe led; then we switched" @@ -35765,6 +35933,7 @@ + "Can you help me organize my files?" @@ -39736,6 +39905,7 @@ destroy the peace or tranquility of + "Don't interrupt me when I'm reading" @@ -41599,6 +41769,7 @@ get rid of something abstract + "The death of her mother removed the last obstacle to their marriage" "God takes away your sins" @@ -42249,14 +42420,56 @@ make a set of changes permanent + make a set of changes permanent "We committed the changes to the Git repository" transfer to another place so something can be kept or preserved + transfer to another place so something can be kept or preserved "He committed the poem to memory" "she committed her thoughts to paper" + + to gain size and weight by means of exercise and diet + to gain size and weight by means of exercise and diet + + + + to violently create disorder and destroy + to violently create disorder and destroy + + + + to organize one's personal things + to organize one's personal things + + + + To run a processor (CPU), or any electronic logic device, at a speed higher than is recommended by the manufacturer. + To run a processor (CPU), or any electronic logic device, at a speed higher than is recommended by the manufacturer. + + + + to jump into someone's photo + to jump into someone's photo + + + + to change something temporarily + to change something temporarily + + + + To remove someone from your list of friends on a social network + To remove someone from your list of friends on a social network + + + + to remove a metadata tag from an internet post + to remove a metadata tag from an internet post + + diff --git a/src/wn-verb.cognition.xml b/src/wn-verb.cognition.xml index fa95afb5..b89578c3 100644 --- a/src/wn-verb.cognition.xml +++ b/src/wn-verb.cognition.xml @@ -216,7 +216,9 @@ - + + + @@ -240,7 +242,9 @@ - + + + @@ -341,7 +345,9 @@ - + + + @@ -548,7 +554,9 @@ - + + + @@ -683,7 +691,9 @@ - + + + @@ -1072,6 +1082,7 @@ + @@ -1477,6 +1488,8 @@ + + @@ -1522,6 +1535,7 @@ + @@ -1893,7 +1907,9 @@ - + + + @@ -1925,7 +1941,9 @@ - + + + @@ -2133,7 +2151,9 @@ - + + + @@ -2320,7 +2340,9 @@ - + + + @@ -2644,7 +2666,9 @@ - + + + @@ -2829,6 +2853,7 @@ + @@ -3101,7 +3126,9 @@ - + + + @@ -3153,7 +3180,9 @@ - + + + @@ -3517,7 +3546,9 @@ - + + + @@ -3863,6 +3894,7 @@ + @@ -3896,7 +3928,9 @@ - + + + @@ -3910,7 +3944,9 @@ - + + + @@ -4287,7 +4323,9 @@ - + + + @@ -4350,7 +4388,9 @@ - + + + @@ -4412,7 +4452,9 @@ - + + + @@ -4518,6 +4560,7 @@ + @@ -4771,7 +4814,9 @@ - + + + @@ -5040,6 +5085,7 @@ + @@ -5457,7 +5503,9 @@ - + + + @@ -5658,11 +5706,14 @@ + - + + + @@ -5836,7 +5887,9 @@ - + + + @@ -5991,7 +6044,9 @@ - + + + @@ -6055,7 +6110,9 @@ - + + + @@ -6110,6 +6167,7 @@ + @@ -6296,7 +6354,9 @@ - + + + @@ -6952,6 +7012,7 @@ + @@ -7098,7 +7159,9 @@ - + + + @@ -7127,6 +7190,8 @@ + + @@ -7179,6 +7244,8 @@ + + @@ -7355,6 +7422,7 @@ + @@ -7370,6 +7438,9 @@ + + + @@ -7448,6 +7519,8 @@ + + @@ -7526,7 +7599,9 @@ - + + + @@ -8107,7 +8182,9 @@ - + + + @@ -8732,6 +8809,7 @@ + @@ -8777,6 +8855,7 @@ + @@ -8937,7 +9016,9 @@ - + + + @@ -9039,7 +9120,18 @@ - + + + + + + + + + + + + @@ -9768,6 +9860,7 @@ dismiss from the mind; stop remembering + "I tried to bury these unpleasant memories" @@ -14005,6 +14098,7 @@ decide by pondering, reasoning, or reflecting + "Can you think what to do next?" @@ -14040,5 +14134,15 @@ "acknowledge the deed" + + to spend to much time considering something and thus reach the wrong conclusion + to spend to much time considering something and thus reach the wrong conclusion + + + + to forget an image + to forget an image + + diff --git a/src/wn-verb.communication.xml b/src/wn-verb.communication.xml index 0e5dba5b..dd600e46 100644 --- a/src/wn-verb.communication.xml +++ b/src/wn-verb.communication.xml @@ -252,7 +252,9 @@ - + + + @@ -512,7 +514,9 @@ - + + + @@ -797,6 +801,9 @@ + + + @@ -1382,7 +1389,9 @@ - + + + @@ -2383,9 +2392,10 @@ + - + @@ -2601,7 +2611,9 @@ - + + + @@ -3556,6 +3568,8 @@ + + @@ -3869,7 +3883,7 @@ - + @@ -3943,6 +3957,7 @@ + @@ -4142,7 +4157,9 @@ - + + + @@ -5038,7 +5055,9 @@ - + + + @@ -5507,7 +5526,9 @@ - + + + @@ -6087,6 +6108,7 @@ + @@ -6244,7 +6266,9 @@ - + + + @@ -7032,7 +7056,9 @@ - + + + @@ -7270,7 +7296,9 @@ - + + + @@ -7311,7 +7339,9 @@ - + + + @@ -7615,7 +7645,9 @@ - + + + @@ -7690,7 +7722,9 @@ - + + + @@ -8323,6 +8357,7 @@ + @@ -8574,6 +8609,7 @@ + @@ -8772,7 +8808,9 @@ - + + + @@ -9031,6 +9069,7 @@ + @@ -9165,7 +9204,9 @@ - + + + @@ -9402,6 +9443,7 @@ + @@ -9570,7 +9612,9 @@ - + + + @@ -9602,7 +9646,9 @@ - + + + @@ -9645,7 +9691,9 @@ - + + + @@ -10088,6 +10136,10 @@ + + + + @@ -11185,12 +11237,14 @@ + + @@ -11414,7 +11468,9 @@ - + + + @@ -11651,7 +11707,9 @@ - + + + @@ -12042,6 +12100,7 @@ + @@ -12051,6 +12110,7 @@ + @@ -12485,7 +12545,9 @@ - + + + @@ -12954,7 +13016,9 @@ - + + + @@ -13514,7 +13578,9 @@ - + + + @@ -13659,7 +13725,9 @@ - + + + @@ -13691,7 +13759,7 @@ - + @@ -14017,7 +14085,9 @@ - + + + @@ -14045,7 +14115,9 @@ - + + + @@ -14268,7 +14340,9 @@ - + + + @@ -14319,6 +14393,8 @@ + + @@ -15331,7 +15407,9 @@ - + + + @@ -15478,7 +15556,9 @@ - + + + @@ -15490,7 +15570,9 @@ - + + + @@ -15933,6 +16015,7 @@ + @@ -16629,6 +16712,7 @@ + @@ -16636,7 +16720,9 @@ - + + + @@ -16798,7 +16884,9 @@ - + + + @@ -16858,6 +16946,9 @@ + + + @@ -16869,6 +16960,7 @@ + @@ -16976,7 +17068,9 @@ - + + + @@ -17160,12 +17254,16 @@ - + + + - + + + @@ -17641,7 +17739,9 @@ - + + + @@ -18529,6 +18629,7 @@ + @@ -18578,7 +18679,9 @@ - + + + @@ -18790,10 +18893,12 @@ + + @@ -18837,6 +18942,7 @@ + @@ -19124,7 +19230,9 @@ - + + + @@ -19468,7 +19576,9 @@ - + + + @@ -20143,11 +20253,75 @@ - + + - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -20170,7 +20344,7 @@ - + @@ -20234,6 +20408,7 @@ + "Please communicate this message to all employees" "pass along the good news" @@ -20326,12 +20501,12 @@ utter speech sounds - + speak or recite rapidly or in a rolling voice - + @@ -20413,7 +20588,7 @@ begin to speak or say - + "`Now listen, friends', he began" @@ -22334,6 +22509,7 @@ + "I approve of his educational policies" @@ -22943,7 +23119,7 @@ speak spontaneously and without restraint - + "She always shoots her mouth off and says things she later regrets" @@ -23210,6 +23386,7 @@ act as an informer + "She had informed on her own parents for years" @@ -23810,6 +23987,7 @@ + "The insurance company deceived me when they told me they were covering my house" @@ -25675,7 +25853,7 @@ utter in a loud voice; talk in a loud voice (usually denoting characteristic manner of speaking) - + @@ -25774,23 +25952,23 @@ speak softly; in a low voice - + speak in a hesitant and high-pitched tone of voice - + speak louder; raise one's voice - + "The audience asked the lecturer to please speak up" utter in an angry, sharp, or abrupt tone - + "The sales clerk snapped a reply at the angry customer" "The guard snarled at us" @@ -25803,7 +25981,7 @@ utter with enthusiasm - + @@ -26344,7 +26522,7 @@ speak unintelligibly in or as if in religious ecstasy - + "The parishioners spoke in tongues" @@ -26600,13 +26778,14 @@ + "She expressed her anger" "He uttered a curse" utter unclearly - + "She swallowed the last words of her speech" @@ -26648,7 +26827,7 @@ "He got off the best line I've heard in a long time" - + express in speech @@ -26696,26 +26875,27 @@ + "She talks a lot of nonsense" "This depressed patient does not verbalize" be verbose - - + + "This lawyer verbalizes and is rather tedious" utter with a puff of air - + "whiff out a prayer" discuss or mention - + "they talked of many things" @@ -26723,7 +26903,7 @@ utter while crying - + @@ -26767,7 +26947,7 @@ talk in a monotonous voice - + @@ -27418,6 +27598,7 @@ + @@ -27728,6 +27909,7 @@ + "She denoted her feelings clearly" @@ -27854,7 +28036,7 @@ speak, pronounce, or utter in a certain way - + @@ -27949,18 +28131,18 @@ speak haltingly - + "The speaker faltered when he saw his opponent enter the room" utter in a grating voice - + utter impulsively - + "He blurted out the secret" "He blundered his stupid ideas" @@ -27972,7 +28154,7 @@ vary the pitch of one's speech - + @@ -28244,7 +28426,7 @@ deliver (a speech, oration, or idea) - + "The commencement speaker presented a forceful speech that impressed the students" @@ -28377,6 +28559,7 @@ + "He wrote about his great love for his wife" @@ -28641,6 +28824,7 @@ + @@ -29374,7 +29558,7 @@ speak or write in generalities - + @@ -29388,6 +29572,7 @@ + "He quoted the Bible to her" @@ -29831,19 +30016,19 @@ speak (about unimportant matters) rapidly and incessantly - + make noise as if chattering away - + "The magpies were chattering in the trees" talk incessantly and tiresomely - + @@ -29945,7 +30130,7 @@ talk freely and without inhibition - + @@ -29990,7 +30175,7 @@ talk in a tearful manner - + @@ -30044,7 +30229,7 @@ speak softly or indistinctly - + "She murmured softly to the baby in her arms" @@ -30057,12 +30242,12 @@ talk indistinctly; usually in a low voice - + utter indistinctly - + @@ -30150,7 +30335,7 @@ speak in an unfriendly tone - + "She barked into the dictaphone" @@ -30169,7 +30354,7 @@ utter in deep prolonged tones - + @@ -30277,7 +30462,7 @@ recite in elocution - + @@ -30302,7 +30487,7 @@ talk in a noisy, excited, or declamatory manner - + @@ -30372,7 +30557,7 @@ express or utter with a hiss - + @@ -30460,7 +30645,7 @@ talk or utter in a cackling manner - + "The women cackled when they saw the movie star step out of the limousine" @@ -30788,7 +30973,7 @@ utter meaningless sounds, like a baby, or utter in an incoherent way - + "The old man is only babbling--don't pay attention" @@ -30823,13 +31008,13 @@ utter monotonously and repetitively and rhythmically - + "The students chanted the same slogan over and over again" utter or make a noise, as when swallowing too quickly - + "He gulped for help after choking on a big piece of meat" @@ -31001,6 +31186,8 @@ send a message to + + "She messaged the committee" @@ -31037,5 +31224,75 @@ "my mother prescribes a good night's sleep as the cure for all ills" + + To deceive someone by professing romantic feelings but actually using a false identity + To deceive someone by professing romantic feelings but actually using a false identity + + + + to allow a project (especially a TV show) to go ahead + to allow a project (especially a TV show) to go ahead + + + + to have and express negative sentiments about a person + to have and express negative sentiments about a person + + + + + To post a message on a social media website + To post a message on a social media website + + + + + To repost on Instagram + To repost on Instagram + + + + to quote again + to quote again + + + + to capture an image from a computer's display + to capture an image from a computer's display + + + + to communicate using Skype or similar web conference software + to communicate using Skype or similar web conference software + + + + To have a conversation on Snapchat + To have a conversation on Snapchat + + + + to make an illegitimate call to the police so as to have a SWAT team dispatched to a location + to make an illegitimate call to the police so as to have a SWAT team dispatched to a location + + + + to send a message by SMS or similar text-based messaging service + to send a message by SMS or similar text-based messaging service + + + + To post a message on Twitter + post tweets, i.e. short text messages on the popular social media website Twitter + To post a message on Twitter + + + + + to talk about + to talk about + + + diff --git a/src/wn-verb.competition.xml b/src/wn-verb.competition.xml index a9a15645..cf9c70a2 100644 --- a/src/wn-verb.competition.xml +++ b/src/wn-verb.competition.xml @@ -284,7 +284,9 @@ - + + + @@ -316,7 +318,9 @@ - + + + @@ -416,7 +420,9 @@ - + + + @@ -1275,7 +1281,9 @@ - + + + @@ -1300,7 +1308,9 @@ - + + + @@ -1311,7 +1321,9 @@ - + + + @@ -1485,6 +1497,7 @@ + @@ -1613,6 +1626,7 @@ + @@ -1925,6 +1939,7 @@ + @@ -2290,7 +2305,9 @@ - + + + @@ -2385,6 +2402,7 @@ + @@ -2543,7 +2561,9 @@ - + + + @@ -2554,7 +2574,9 @@ - + + + @@ -2907,6 +2929,7 @@ + @@ -3216,7 +3239,9 @@ - + + + @@ -3414,6 +3439,7 @@ + @@ -3555,6 +3581,7 @@ + @@ -3636,6 +3663,7 @@ + @@ -3660,6 +3688,7 @@ + @@ -3792,7 +3821,9 @@ - + + + @@ -3896,6 +3927,8 @@ + + @@ -4345,7 +4378,9 @@ - + + + @@ -4740,6 +4775,7 @@ + @@ -4871,7 +4907,19 @@ - + + + + + + + + + + + + + @@ -7821,10 +7869,13 @@ - + lift weights + + + "This guy can press 300 pounds" @@ -8063,5 +8114,20 @@ + + To lift a weight using a bench press + To lift a weight using a bench press + + + + To exercise using a bench press + To exercise using a bench press + + + + to perform the squat weightlifting exercise + to perform the squat weightlifting exercise + + diff --git a/src/wn-verb.consumption.xml b/src/wn-verb.consumption.xml index 42c2a629..1172f152 100644 --- a/src/wn-verb.consumption.xml +++ b/src/wn-verb.consumption.xml @@ -157,7 +157,9 @@ - + + + @@ -184,7 +186,9 @@ - + + + @@ -201,6 +205,7 @@ + @@ -527,7 +532,9 @@ - + + + @@ -560,6 +567,7 @@ + @@ -847,12 +855,15 @@ + - + + + @@ -1077,7 +1088,9 @@ - + + + @@ -1134,6 +1147,7 @@ + @@ -1166,6 +1180,8 @@ + + @@ -1276,6 +1292,7 @@ + @@ -1337,12 +1354,16 @@ - + + + - + + + @@ -1431,6 +1452,7 @@ + @@ -1695,7 +1717,9 @@ - + + + @@ -1762,7 +1786,9 @@ - + + + @@ -1784,7 +1810,9 @@ - + + + @@ -1810,7 +1838,9 @@ - + + + @@ -1860,6 +1890,7 @@ + @@ -1920,7 +1951,9 @@ - + + + @@ -2353,6 +2386,9 @@ + + + @@ -2530,6 +2566,8 @@ + + @@ -2552,6 +2590,7 @@ + @@ -2680,7 +2719,9 @@ - + + + @@ -2851,7 +2892,9 @@ - + + + @@ -2896,7 +2939,9 @@ - + + + @@ -2947,7 +2992,9 @@ - + + + @@ -2995,7 +3042,9 @@ - + + + @@ -3107,6 +3156,36 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + serve oneself to, or consume regularly @@ -3303,6 +3382,7 @@ + "We must recycle the cardboard boxes" @@ -4306,6 +4386,7 @@ become drunk or drink excessively + @@ -4330,6 +4411,7 @@ + "he delights in his granddaughter" @@ -4592,6 +4674,8 @@ + + "We never smoked marijuana" "Do you smoke?" @@ -4734,6 +4818,7 @@ + "Swallow the raw fish--it won't kill you!" @@ -4861,5 +4946,37 @@ take solid or liquid food into the mouth a little at a time either by drinking or by eating with a spoon + + to be especially excited about something relatively unpopular + to be especially excited about something relatively unpopular + + + + + to swallow ejaculate + to swallow ejaculate + + + + to smoke marijuana using butane hash oil + to smoke marijuana using butane hash oil + + + + + to be under the influence of methamphetamine + to be under the influence of methamphetamine + + + + To transform an old product into a newer and more expensive form with a different use + To transform an old product into a newer and more expensive form with a different use + + + + to use an electronic cigarette + to use an electronic cigarette + + diff --git a/src/wn-verb.contact.xml b/src/wn-verb.contact.xml index b1953014..3145148a 100644 --- a/src/wn-verb.contact.xml +++ b/src/wn-verb.contact.xml @@ -47,9 +47,12 @@ - + + + + @@ -59,7 +62,9 @@ - + + + @@ -236,7 +241,9 @@ - + + + @@ -431,6 +438,8 @@ + + @@ -524,6 +533,7 @@ + @@ -594,7 +604,8 @@ - + + @@ -820,6 +831,7 @@ + @@ -874,7 +886,9 @@ - + + + @@ -1162,7 +1176,9 @@ - + + + @@ -1421,6 +1437,7 @@ + @@ -1528,7 +1545,9 @@ - + + + @@ -1789,6 +1808,7 @@ + @@ -1811,6 +1831,7 @@ + @@ -1876,7 +1897,9 @@ - + + + @@ -1975,7 +1998,9 @@ - + + + @@ -2132,12 +2157,14 @@ + + @@ -2260,7 +2287,9 @@ - + + + @@ -2375,6 +2404,7 @@ + @@ -2654,7 +2684,9 @@ - + + + @@ -2730,6 +2762,12 @@ + + + + + + @@ -2836,6 +2874,8 @@ + + @@ -3245,12 +3285,16 @@ - + + + - + + + @@ -3523,6 +3567,7 @@ + @@ -3638,13 +3683,17 @@ - + + + - + + + @@ -3709,7 +3758,9 @@ - + + + @@ -3782,6 +3833,7 @@ + @@ -3946,8 +3998,12 @@ - - + + + + + + @@ -4176,6 +4232,9 @@ + + + @@ -4197,7 +4256,9 @@ - + + + @@ -4595,6 +4656,7 @@ + @@ -4892,7 +4954,9 @@ - + + + @@ -5377,6 +5441,7 @@ + @@ -5574,7 +5639,9 @@ - + + + @@ -5944,8 +6011,12 @@ - - + + + + + + @@ -6039,7 +6110,9 @@ - + + + @@ -6248,7 +6321,9 @@ - + + + @@ -6418,8 +6493,14 @@ + + + + + + @@ -6510,7 +6591,9 @@ - + + + @@ -6689,6 +6772,10 @@ + + + + @@ -6719,7 +6806,9 @@ - + + + @@ -6789,7 +6878,9 @@ - + + + @@ -6912,6 +7003,8 @@ + + @@ -7009,6 +7102,9 @@ + + + @@ -7063,7 +7159,9 @@ - + + + @@ -7337,9 +7435,11 @@ + + @@ -7517,7 +7617,9 @@ - + + + @@ -7872,6 +7974,7 @@ + @@ -8635,6 +8738,7 @@ + @@ -8650,7 +8754,9 @@ - + + + @@ -8666,6 +8772,8 @@ + + @@ -8764,9 +8872,11 @@ + + @@ -8777,6 +8887,7 @@ + @@ -8821,7 +8932,9 @@ - + + + @@ -8890,6 +9003,8 @@ + + @@ -8949,6 +9064,7 @@ + @@ -9009,7 +9125,9 @@ - + + + @@ -9053,6 +9171,7 @@ + @@ -9080,7 +9199,9 @@ - + + + @@ -9158,7 +9279,9 @@ - + + + @@ -9255,6 +9378,7 @@ + @@ -9290,6 +9414,7 @@ + @@ -9301,6 +9426,7 @@ + @@ -9332,6 +9458,7 @@ + @@ -9515,6 +9642,7 @@ + @@ -9604,6 +9732,7 @@ + @@ -9879,7 +10008,9 @@ - + + + @@ -10097,6 +10228,10 @@ + + + + @@ -10179,7 +10314,9 @@ - + + + @@ -10309,7 +10446,9 @@ - + + + @@ -10377,6 +10516,7 @@ + @@ -10652,6 +10792,7 @@ + @@ -10814,7 +10955,9 @@ - + + + @@ -10852,9 +10995,10 @@ + - + @@ -10946,6 +11090,9 @@ + + + @@ -10977,7 +11124,9 @@ - + + + @@ -11141,7 +11290,9 @@ - + + + @@ -11284,7 +11435,9 @@ - + + + @@ -11352,6 +11505,7 @@ + @@ -11422,6 +11576,7 @@ + @@ -11549,6 +11704,7 @@ + @@ -11856,6 +12012,7 @@ + @@ -11928,6 +12085,7 @@ + @@ -12053,6 +12211,9 @@ + + + @@ -12143,6 +12304,7 @@ + @@ -12185,7 +12347,9 @@ - + + + @@ -12200,7 +12364,9 @@ - + + + @@ -12214,7 +12380,9 @@ - + + + @@ -12335,6 +12503,10 @@ + + + + @@ -12387,6 +12559,7 @@ + @@ -12515,7 +12688,9 @@ - + + + @@ -12573,7 +12748,9 @@ - + + + @@ -12712,6 +12889,7 @@ + @@ -12845,6 +13023,7 @@ + @@ -12994,6 +13173,7 @@ + @@ -13040,7 +13220,7 @@ - + @@ -13051,7 +13231,9 @@ - + + + @@ -13330,8 +13512,12 @@ - - + + + + + + @@ -13347,7 +13533,9 @@ - + + + @@ -13427,6 +13615,10 @@ + + + + @@ -13437,6 +13629,11 @@ + + + + + @@ -13523,12 +13720,15 @@ + - + + + @@ -13579,6 +13779,7 @@ + @@ -13594,6 +13795,12 @@ + + + + + + @@ -13649,6 +13856,8 @@ + + @@ -13702,6 +13911,15 @@ + + + + + + + + + @@ -13847,7 +14065,9 @@ - + + + @@ -13870,7 +14090,9 @@ - + + + @@ -13985,6 +14207,7 @@ + @@ -13998,7 +14221,9 @@ - + + + @@ -14038,11 +14263,13 @@ + + @@ -14346,6 +14573,7 @@ + @@ -14508,7 +14736,9 @@ - + + + @@ -14598,7 +14828,9 @@ - + + + @@ -14750,9 +14982,15 @@ - - - + + + + + + + + + @@ -14767,7 +15005,9 @@ - + + + @@ -14776,7 +15016,9 @@ - + + + @@ -14850,7 +15092,9 @@ - + + + @@ -14858,7 +15102,9 @@ - + + + @@ -14986,7 +15232,9 @@ - + + + @@ -15053,7 +15301,9 @@ - + + + @@ -15343,7 +15593,9 @@ - + + + @@ -15453,7 +15705,9 @@ - + + + @@ -15480,6 +15734,13 @@ + + + + + + + @@ -15536,6 +15797,7 @@ + @@ -15662,6 +15924,7 @@ + @@ -15921,7 +16184,9 @@ - + + + @@ -16354,6 +16619,7 @@ + @@ -16425,7 +16691,9 @@ - + + + @@ -16589,7 +16857,9 @@ - + + + @@ -16838,6 +17108,7 @@ + @@ -16974,6 +17245,8 @@ + + @@ -17009,7 +17282,9 @@ - + + + @@ -17145,8 +17420,12 @@ - - + + + + + + @@ -17302,6 +17581,7 @@ + @@ -17310,7 +17590,9 @@ - + + + @@ -17446,6 +17728,7 @@ + @@ -17532,6 +17815,7 @@ + @@ -17650,6 +17934,7 @@ + @@ -17790,8 +18075,12 @@ - - + + + + + + @@ -17899,6 +18188,7 @@ + @@ -17927,7 +18217,9 @@ - + + + @@ -18219,6 +18511,8 @@ + + @@ -18241,6 +18535,7 @@ + @@ -18274,13 +18569,14 @@ + - + @@ -18312,7 +18608,9 @@ - + + + @@ -18350,6 +18648,7 @@ + @@ -18525,7 +18824,9 @@ - + + + @@ -18605,7 +18906,9 @@ - + + + @@ -18697,6 +19000,7 @@ + @@ -18853,7 +19157,9 @@ - + + + @@ -18945,7 +19251,9 @@ - + + + @@ -19041,6 +19349,7 @@ + @@ -19692,6 +20001,7 @@ + @@ -19715,7 +20025,9 @@ - + + + @@ -19859,6 +20171,12 @@ + + + + + + @@ -19937,7 +20255,9 @@ - + + + @@ -19962,7 +20282,9 @@ - + + + @@ -20051,6 +20373,10 @@ + + + + @@ -20116,6 +20442,10 @@ + + + + @@ -20146,6 +20476,7 @@ + @@ -20160,7 +20491,9 @@ - + + + @@ -20294,6 +20627,9 @@ + + + @@ -20329,7 +20665,9 @@ - + + + @@ -20451,6 +20789,7 @@ + @@ -20541,9 +20880,13 @@ + + + + @@ -20566,7 +20909,9 @@ - + + + @@ -20993,7 +21338,9 @@ - + + + @@ -21190,6 +21537,18 @@ + + + + + + + + + + + + @@ -21215,6 +21574,16 @@ + + + + + + + + + + @@ -21348,6 +21717,7 @@ + @@ -21356,7 +21726,9 @@ - + + + @@ -21411,6 +21783,7 @@ + @@ -21466,7 +21839,9 @@ - + + + @@ -21696,6 +22071,7 @@ + @@ -21761,7 +22137,9 @@ - + + + @@ -22062,7 +22440,9 @@ - + + + @@ -22113,6 +22493,8 @@ + + @@ -22136,7 +22518,9 @@ - + + + @@ -22213,8 +22597,12 @@ - - + + + + + + @@ -22229,6 +22617,7 @@ + @@ -22406,7 +22795,9 @@ - + + + @@ -22617,6 +23008,7 @@ + @@ -22832,7 +23224,9 @@ - + + + @@ -22914,27 +23308,59 @@ - + - + - + + - + - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -27499,6 +27925,7 @@ + "This man killed several people when he tried to rob a bank" "The farmer killed a pig for the holidays" @@ -28492,6 +28919,7 @@ open the lock of + "unlock the door" @@ -31443,6 +31871,7 @@ + "This student sleeps with everyone in her dorm" "Adam knew Eve" "Were you ever intimate with this man?" @@ -31580,6 +32009,7 @@ + @@ -33467,6 +33897,7 @@ remove from a box + "unbox the presents" @@ -34997,6 +35428,8 @@ fail to function or function improperly + + "the coffee maker malfunctioned" @@ -37303,6 +37736,7 @@ + "label these bottles" @@ -38412,5 +38846,46 @@ "underrun the cable for repair" + + To stop working (of an electronic device) + To stop working (of an electronic device) + + + + to masturbate while chatting online + to masturbate while chatting online + + + + To mark an item as a personal favorite on social media + To mark an item as a personal favorite on social media + + + + + to kill with little effort in a video game + to kill with little effort in a video game + + + + To suffer a minor malfunction + To suffer a minor malfunction + + + + To open a lock without the use of a key + To open a lock without the use of a key + + + + to have vaginal intercourse + to have vaginal intercourse + + + + to open a new product on a video stream + to open a new product on a video stream + + diff --git a/src/wn-verb.creation.xml b/src/wn-verb.creation.xml index eefaa5f3..d93f7d69 100644 --- a/src/wn-verb.creation.xml +++ b/src/wn-verb.creation.xml @@ -118,6 +118,8 @@ + + @@ -552,7 +554,9 @@ - + + + @@ -1079,6 +1083,8 @@ + + @@ -1390,7 +1396,9 @@ - + + + @@ -1862,7 +1870,9 @@ - + + + @@ -1976,6 +1986,8 @@ + + @@ -2033,7 +2045,9 @@ - + + + @@ -2740,6 +2754,7 @@ + @@ -2920,6 +2935,9 @@ + + + @@ -2954,7 +2972,9 @@ - + + + @@ -3101,7 +3121,7 @@ - + @@ -3326,6 +3346,7 @@ + @@ -3539,7 +3560,9 @@ - + + + @@ -3632,7 +3655,9 @@ - + + + @@ -3872,6 +3897,7 @@ + @@ -4054,6 +4080,7 @@ + @@ -4146,7 +4173,9 @@ - + + + @@ -4233,7 +4262,9 @@ - + + + @@ -4363,7 +4394,9 @@ - + + + @@ -4452,7 +4485,9 @@ - + + + @@ -4959,7 +4994,9 @@ - + + + @@ -5228,7 +5265,9 @@ - + + + @@ -5256,6 +5295,7 @@ + @@ -5793,7 +5833,9 @@ - + + + @@ -5918,8 +5960,12 @@ - - + + + + + + @@ -6098,7 +6144,9 @@ - + + + @@ -6563,7 +6611,9 @@ - + + + @@ -6693,7 +6743,9 @@ - + + + @@ -7040,8 +7092,12 @@ - - + + + + + + @@ -7093,7 +7149,9 @@ - + + + @@ -7106,6 +7164,7 @@ + @@ -7210,6 +7269,7 @@ + @@ -7236,7 +7296,9 @@ - + + + @@ -7423,6 +7485,26 @@ + + + + + + + + + + + + + + + + + + + + make or cause to be or to become @@ -8611,6 +8693,7 @@ + "machinate a plot" "organize a strike" "devise a plan to take over the director's office" @@ -9198,6 +9281,7 @@ make an alteration to + "This dress needs to be altered" @@ -10803,6 +10887,7 @@ + "My husband and I like to dance at home to the radio" @@ -11455,6 +11540,7 @@ + "He plays the flute" "Can you play on this old recorder?" @@ -12659,5 +12745,26 @@ "three young men were busking in the plaza" + + to play music at loud volume + to play music at loud volume + + + + to be about to do something + to be about to do something + + + + + To digitally alter a photo + To digitally alter a photo + + + + to dance with thrusting hip movements and a low squatting stance + to dance with thrusting hip movements and a low squatting stance + + diff --git a/src/wn-verb.emotion.xml b/src/wn-verb.emotion.xml index 150a3c2b..1f49b940 100644 --- a/src/wn-verb.emotion.xml +++ b/src/wn-verb.emotion.xml @@ -169,7 +169,9 @@ - + + + @@ -209,7 +211,9 @@ - + + + @@ -611,7 +615,9 @@ - + + + @@ -645,6 +651,7 @@ + @@ -835,7 +842,9 @@ - + + + @@ -1528,9 +1537,13 @@ - + + + - + + + @@ -1615,6 +1628,7 @@ + @@ -1698,6 +1712,7 @@ + @@ -1817,7 +1832,9 @@ - + + + @@ -1948,6 +1965,8 @@ + + @@ -2701,6 +2720,7 @@ + @@ -2709,7 +2729,9 @@ - + + + @@ -2875,6 +2897,8 @@ + + @@ -2981,7 +3005,9 @@ - + + + @@ -4116,6 +4142,8 @@ + + @@ -4195,7 +4223,9 @@ - + + + @@ -4246,11 +4276,13 @@ + + @@ -4675,6 +4707,7 @@ + @@ -4709,7 +4742,9 @@ - + + + @@ -5103,7 +5138,26 @@ - + + + + + + + + + + + + + + + + + + + + @@ -5124,6 +5178,7 @@ + "arouse pity" "raise a smile" "evoke sympathy" @@ -5197,6 +5252,7 @@ + "These stories shook the community" "the civil war shook the country" @@ -5546,6 +5602,7 @@ + "She felt resentful" "He felt regret" @@ -5794,6 +5851,7 @@ + "The stranger who hangs around the building frightens me" "Ghosts could never affright her" @@ -7409,6 +7467,7 @@ get pleasure from + "I love cooking" @@ -7503,5 +7562,29 @@ "We puzzled over her sudden departure" + + to enjoy some music greatly + to enjoy some music greatly + + + + Cause extreme surprise + Cause extreme surprise + + + + to feel emotionally + to feel emotionally + + + + to neither fail to meet nor exceed expectation + to neither fail to meet nor exceed expectation + + + + to be a extreme female fan of something + to be a extreme female fan of something + diff --git a/src/wn-verb.motion.xml b/src/wn-verb.motion.xml index 8a76088f..410b31aa 100644 --- a/src/wn-verb.motion.xml +++ b/src/wn-verb.motion.xml @@ -42,6 +42,7 @@ + @@ -67,7 +68,9 @@ - + + + @@ -220,6 +223,7 @@ + @@ -500,6 +504,7 @@ + @@ -576,6 +581,7 @@ + @@ -833,6 +839,7 @@ + @@ -857,7 +864,9 @@ - + + + @@ -931,6 +940,7 @@ + @@ -1037,6 +1047,12 @@ + + + + + + @@ -1088,6 +1104,7 @@ + @@ -1116,12 +1133,16 @@ - + + + - + + + @@ -1233,6 +1254,7 @@ + @@ -1254,6 +1276,7 @@ + @@ -1278,7 +1301,9 @@ - + + + @@ -1307,6 +1332,7 @@ + @@ -1469,7 +1495,9 @@ - + + + @@ -1687,6 +1715,7 @@ + @@ -1837,7 +1866,9 @@ - + + + @@ -2084,6 +2115,8 @@ + + @@ -2216,7 +2249,9 @@ - + + + @@ -2227,6 +2262,7 @@ + @@ -2361,6 +2397,8 @@ + + @@ -2769,8 +2807,12 @@ - - + + + + + + @@ -2863,7 +2905,9 @@ - + + + @@ -3326,6 +3370,7 @@ + @@ -3357,7 +3402,9 @@ - + + + @@ -3699,7 +3746,9 @@ - + + + @@ -3760,6 +3809,9 @@ + + + @@ -3879,7 +3931,9 @@ - + + + @@ -3935,7 +3989,9 @@ - + + + @@ -4187,6 +4243,7 @@ + @@ -4239,8 +4296,12 @@ - - + + + + + + @@ -4417,6 +4478,7 @@ + @@ -4580,6 +4642,7 @@ + @@ -4774,6 +4837,7 @@ + @@ -4954,6 +5018,7 @@ + @@ -5054,6 +5119,7 @@ + @@ -5064,16 +5130,20 @@ + + + + @@ -5141,7 +5211,9 @@ - + + + @@ -5263,6 +5335,8 @@ + + @@ -5278,6 +5352,7 @@ + @@ -5445,6 +5520,7 @@ + @@ -5628,6 +5704,7 @@ + @@ -5896,6 +5973,7 @@ + @@ -5968,8 +6046,12 @@ - - + + + + + + @@ -6041,6 +6123,7 @@ + @@ -6236,7 +6319,9 @@ - + + + @@ -6307,6 +6392,12 @@ + + + + + + @@ -6387,7 +6478,9 @@ - + + + @@ -6490,6 +6583,7 @@ + @@ -6832,7 +6926,9 @@ - + + + @@ -6915,7 +7011,9 @@ - + + + @@ -6941,6 +7039,7 @@ + @@ -7214,7 +7313,9 @@ - + + + @@ -7270,7 +7371,9 @@ - + + + @@ -7295,6 +7398,7 @@ + @@ -7413,7 +7517,9 @@ - + + + @@ -7462,6 +7568,7 @@ + @@ -7489,6 +7596,7 @@ + @@ -7520,6 +7628,7 @@ + @@ -7559,6 +7668,8 @@ + + @@ -7589,8 +7700,12 @@ - - + + + + + + @@ -7777,6 +7892,7 @@ + @@ -7799,7 +7915,9 @@ - + + + @@ -7867,6 +7985,10 @@ + + + + @@ -8153,6 +8275,8 @@ + + @@ -8259,7 +8383,9 @@ - + + + @@ -8289,6 +8415,7 @@ + @@ -8327,6 +8454,7 @@ + @@ -8366,6 +8494,7 @@ + @@ -8386,6 +8515,9 @@ + + + @@ -8413,7 +8545,9 @@ - + + + @@ -8432,6 +8566,7 @@ + @@ -8473,6 +8608,7 @@ + @@ -8761,6 +8897,7 @@ + @@ -8828,7 +8965,9 @@ - + + + @@ -8863,6 +9002,7 @@ + @@ -8954,6 +9094,7 @@ + @@ -9019,7 +9160,9 @@ - + + + @@ -9127,7 +9270,9 @@ - + + + @@ -9204,6 +9349,8 @@ + + @@ -9270,8 +9417,12 @@ - - + + + + + + @@ -9340,8 +9491,12 @@ - - + + + + + + @@ -9466,7 +9621,9 @@ - + + + @@ -9539,6 +9696,8 @@ + + @@ -9599,7 +9758,9 @@ - + + + @@ -9673,7 +9834,9 @@ - + + + @@ -9681,7 +9844,7 @@ - + @@ -9797,7 +9960,9 @@ - + + + @@ -9817,8 +9982,12 @@ - - + + + + + + @@ -9861,10 +10030,16 @@ - + + + - - + + + + + + @@ -9885,6 +10060,7 @@ + @@ -10099,6 +10275,7 @@ + @@ -10323,6 +10500,7 @@ + @@ -10333,6 +10511,9 @@ + + + @@ -10390,6 +10571,7 @@ + @@ -10483,7 +10665,9 @@ - + + + @@ -10530,7 +10714,9 @@ - + + + @@ -10635,7 +10821,9 @@ - + + + @@ -10662,14 +10850,18 @@ - + + + - + + + @@ -10711,7 +10903,9 @@ - + + + @@ -10842,7 +11036,9 @@ - + + + @@ -10881,7 +11077,9 @@ - + + + @@ -10928,7 +11126,9 @@ - + + + @@ -11017,7 +11217,9 @@ - + + + @@ -11440,7 +11642,9 @@ - + + + @@ -11459,8 +11663,12 @@ - - + + + + + + @@ -11575,7 +11783,9 @@ - + + + @@ -11742,6 +11952,10 @@ + + + + @@ -11810,6 +12024,7 @@ + @@ -11823,6 +12038,7 @@ + @@ -11943,7 +12159,9 @@ - + + + @@ -11974,6 +12192,7 @@ + @@ -12043,6 +12262,8 @@ + + @@ -12142,7 +12363,9 @@ - + + + @@ -12299,6 +12522,7 @@ + @@ -12311,6 +12535,8 @@ + + @@ -12318,6 +12544,8 @@ + + @@ -12334,7 +12562,9 @@ - + + + @@ -12518,7 +12748,9 @@ - + + + @@ -12781,6 +13013,7 @@ + @@ -13033,13 +13266,16 @@ + - + + + @@ -13065,6 +13301,7 @@ + @@ -13098,6 +13335,7 @@ + @@ -13216,7 +13454,9 @@ - + + + @@ -13310,7 +13550,9 @@ - + + + @@ -13385,6 +13627,7 @@ + @@ -13567,7 +13810,9 @@ - + + + @@ -13580,7 +13825,9 @@ - + + + @@ -13732,6 +13979,8 @@ + + @@ -13778,7 +14027,9 @@ - + + + @@ -14166,7 +14417,9 @@ - + + + @@ -14227,6 +14480,8 @@ + + @@ -14595,9 +14850,15 @@ - - - + + + + + + + + + @@ -14828,6 +15089,7 @@ + @@ -14978,6 +15240,19 @@ + + + + + + + + + + + + + @@ -15055,9 +15330,13 @@ - + + + - + + + @@ -15092,7 +15371,9 @@ - + + + @@ -15147,6 +15428,7 @@ + @@ -15273,11 +15555,21 @@ - + - + + + + + + + + + + + @@ -17648,6 +17940,8 @@ + + "The young girl danced into the room" @@ -25456,5 +25750,16 @@ "the divers saved the drowning child" + + to perform a dance move in which the dancer simultaneously drops the head while raising an arm and the elbow in a gesture that has been noted to resemble sneezing + to perform a dance move in which the dancer simultaneously drops the head while raising an arm and the elbow in a gesture that has been noted to resemble sneezing + + + + dancing in a style associated with the South Louisiana club scene + dancing in a style associated with the South Louisiana club scene + + + diff --git a/src/wn-verb.perception.xml b/src/wn-verb.perception.xml index 0829fb04..10c3e933 100644 --- a/src/wn-verb.perception.xml +++ b/src/wn-verb.perception.xml @@ -215,7 +215,9 @@ - + + + @@ -269,7 +271,9 @@ - + + + @@ -578,7 +582,9 @@ - + + + @@ -691,7 +697,9 @@ - + + + @@ -807,7 +815,9 @@ - + + + @@ -957,7 +967,9 @@ - + + + @@ -1132,7 +1144,9 @@ - + + + @@ -1259,6 +1273,7 @@ + @@ -1298,6 +1313,15 @@ + + + + + + + + + @@ -1531,7 +1555,9 @@ - + + + @@ -1725,6 +1751,7 @@ + @@ -1786,7 +1813,9 @@ - + + + @@ -1975,7 +2004,9 @@ - + + + @@ -1989,6 +2020,7 @@ + @@ -2016,7 +2048,9 @@ - + + + @@ -2105,7 +2139,9 @@ - + + + @@ -2223,6 +2259,7 @@ + @@ -2357,6 +2394,8 @@ + + @@ -2544,6 +2583,8 @@ + + @@ -2579,6 +2620,7 @@ + @@ -2861,7 +2903,9 @@ - + + + @@ -3112,7 +3156,9 @@ - + + + @@ -3169,6 +3215,7 @@ + @@ -3399,6 +3446,7 @@ + @@ -3577,7 +3625,9 @@ - + + + @@ -3824,8 +3874,12 @@ - - + + + + + + @@ -4129,6 +4183,7 @@ + @@ -4391,6 +4446,7 @@ + @@ -4506,6 +4562,9 @@ + + + @@ -4676,14 +4735,18 @@ - + + + - + + + @@ -4705,6 +4768,7 @@ + @@ -5072,7 +5136,9 @@ - + + + @@ -5176,7 +5242,9 @@ - + + + @@ -5456,7 +5524,9 @@ - + + + @@ -5491,7 +5561,9 @@ - + + + @@ -5550,6 +5622,32 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + be aware of @@ -6509,6 +6607,7 @@ + "The students stared at the teacher with amazement" @@ -6544,6 +6643,7 @@ + "She seems to be sleeping" "This appears to be a very difficult problem" "This project looks fishy" @@ -7177,6 +7277,8 @@ + + "view a show on television" "This program will be seen all over the world" "view an exhibition" @@ -7575,6 +7677,7 @@ keep tabs on; keep an eye on; keep under surveillance + "we are monitoring the air quality" "the police monitor the suspect's moves" @@ -8850,5 +8953,32 @@ "the sky flushed with rosy splendor" + + to watch a large amount of media in a single seating + to watch a large amount of media in a single seating + + + + to monitor a web forum or similar without making your presence pubilc + to monitor a web forum or similar without making your presence pubilc + + + + To stare awkwardly + To stare awkwardly + + + + + to watch a show or television one more time + to watch a show or television one more time + + + + to look good + to look good + + + diff --git a/src/wn-verb.possession.xml b/src/wn-verb.possession.xml index e5d68977..e62a5ad4 100644 --- a/src/wn-verb.possession.xml +++ b/src/wn-verb.possession.xml @@ -854,7 +854,9 @@ - + + + @@ -964,6 +966,7 @@ + @@ -981,7 +984,9 @@ - + + + @@ -989,6 +994,7 @@ + @@ -1333,7 +1339,9 @@ - + + + @@ -1355,14 +1363,19 @@ - + + + + - + + + @@ -1390,6 +1403,7 @@ + @@ -1643,7 +1657,9 @@ - + + + @@ -1674,7 +1690,9 @@ - + + + @@ -2583,7 +2601,9 @@ - + + + @@ -3067,7 +3087,9 @@ - + + + @@ -3154,6 +3176,7 @@ + @@ -3243,7 +3266,9 @@ - + + + @@ -3313,6 +3338,7 @@ + @@ -3411,6 +3437,7 @@ + @@ -3846,7 +3873,9 @@ - + + + @@ -3877,7 +3906,9 @@ - + + + @@ -4077,6 +4108,7 @@ + @@ -4130,6 +4162,7 @@ + @@ -4464,6 +4497,7 @@ + @@ -4665,7 +4699,9 @@ - + + + @@ -4680,6 +4716,9 @@ + + + @@ -4748,7 +4787,9 @@ - + + + @@ -4785,6 +4826,10 @@ + + + + @@ -4808,7 +4853,9 @@ - + + + @@ -5047,7 +5094,9 @@ - + + + @@ -5120,9 +5169,13 @@ + + + + @@ -5136,6 +5189,10 @@ + + + + @@ -5466,6 +5523,11 @@ + + + + + @@ -5483,6 +5545,8 @@ + + @@ -5524,7 +5588,9 @@ - + + + @@ -5721,8 +5787,12 @@ - - + + + + + + @@ -6072,7 +6142,9 @@ - + + + @@ -6106,9 +6178,13 @@ - + + + - + + + @@ -6223,6 +6299,7 @@ + @@ -6518,7 +6595,9 @@ - + + + @@ -6780,10 +6859,16 @@ - - + + + + + + - + + + @@ -6888,7 +6973,9 @@ - + + + @@ -6940,6 +7027,7 @@ + @@ -7037,14 +7125,18 @@ - + + + - + + + @@ -7124,7 +7216,9 @@ - + + + @@ -7170,7 +7264,9 @@ - + + + @@ -7287,7 +7383,9 @@ - + + + @@ -7574,7 +7672,9 @@ - + + + @@ -7724,6 +7824,8 @@ + + @@ -7801,7 +7903,11 @@ - + + + + + @@ -7857,7 +7963,9 @@ - + + + @@ -8022,6 +8130,7 @@ + @@ -8135,6 +8244,8 @@ + + @@ -8387,6 +8498,9 @@ + + + @@ -8402,7 +8516,9 @@ - + + + @@ -8507,7 +8623,9 @@ - + + + @@ -8778,6 +8896,8 @@ + + @@ -8855,7 +8975,9 @@ - + + + @@ -8903,6 +9025,16 @@ + + + + + + + + + + transfer possession of something concrete or abstract to somebody @@ -9284,6 +9416,8 @@ receive or obtain regularly + + "We take the Times every day" @@ -10588,6 +10722,7 @@ + "deal hashish" @@ -14934,5 +15069,27 @@ "the company is headquartered in New Jersey" + + to return someone's following of you on a social media platform + to return someone's following of you on a social media platform + + + + to subscribe to someone's updates on social media + to subscribe to someone's updates on social media + + + + + to be subscribed to updates from another user on social media + to be subscribed to updates from another user on social media + + + + + to sell marijuana on a street corner + to sell marijuana on a street corner + + diff --git a/src/wn-verb.social.xml b/src/wn-verb.social.xml index 66a64d6d..e6496e3f 100644 --- a/src/wn-verb.social.xml +++ b/src/wn-verb.social.xml @@ -281,6 +281,8 @@ + + @@ -377,7 +379,9 @@ - + + + @@ -389,7 +393,9 @@ - + + + @@ -458,6 +464,7 @@ + @@ -802,7 +809,9 @@ - + + + @@ -824,6 +833,7 @@ + @@ -1532,12 +1542,16 @@ - + + + - + + + @@ -1691,7 +1705,9 @@ - + + + @@ -1823,7 +1839,9 @@ - + + + @@ -2190,6 +2208,8 @@ + + @@ -3268,7 +3288,9 @@ - + + + @@ -3789,6 +3811,7 @@ + @@ -4035,6 +4058,7 @@ + @@ -4235,7 +4259,9 @@ - + + + @@ -5049,7 +5075,9 @@ - + + + @@ -5336,7 +5364,9 @@ - + + + @@ -5573,7 +5603,9 @@ - + + + @@ -5661,7 +5693,9 @@ - + + + @@ -5769,7 +5803,9 @@ - + + + @@ -6337,6 +6373,7 @@ + @@ -6435,6 +6472,7 @@ + @@ -6715,7 +6753,9 @@ - + + + @@ -6799,7 +6839,9 @@ - + + + @@ -6847,6 +6889,7 @@ + @@ -6907,7 +6950,9 @@ - + + + @@ -7127,6 +7172,7 @@ + @@ -7150,7 +7196,9 @@ - + + + @@ -7247,7 +7295,9 @@ - + + + @@ -7457,7 +7507,9 @@ - + + + @@ -7470,8 +7522,12 @@ - - + + + + + + @@ -7579,6 +7635,7 @@ + @@ -7627,7 +7684,10 @@ - + + + + @@ -7895,7 +7955,9 @@ - + + + @@ -8623,7 +8685,9 @@ - + + + @@ -8950,7 +9014,9 @@ - + + + @@ -9060,6 +9126,7 @@ + @@ -9686,7 +9753,9 @@ - + + + @@ -9713,7 +9782,9 @@ - + + + @@ -9846,7 +9917,9 @@ - + + + @@ -9961,6 +10034,7 @@ + @@ -9976,7 +10050,9 @@ - + + + @@ -10004,11 +10080,14 @@ - + + + + @@ -10275,6 +10354,7 @@ + @@ -10488,6 +10568,7 @@ + @@ -10975,6 +11056,7 @@ + @@ -11024,7 +11106,9 @@ - + + + @@ -11164,9 +11248,12 @@ - + + + + @@ -11229,7 +11316,9 @@ - + + + @@ -11376,6 +11465,9 @@ + + + @@ -11529,6 +11621,7 @@ + @@ -11685,7 +11778,9 @@ - + + + @@ -11931,7 +12026,9 @@ - + + + @@ -12263,7 +12360,9 @@ - + + + @@ -12586,7 +12685,9 @@ - + + + @@ -12596,6 +12697,7 @@ + @@ -12991,6 +13093,7 @@ + @@ -14206,6 +14309,26 @@ + + + + + + + + + + + + + + + + + + + + leave (a job, post, or position) voluntarily @@ -17346,6 +17469,8 @@ + + "vote the Democratic ticket" @@ -17592,6 +17717,7 @@ + @@ -18249,6 +18375,7 @@ + @@ -19061,6 +19188,7 @@ + "Do right by her" "Treat him with caution, please" "Handle the press reporters gently" @@ -19381,6 +19509,7 @@ + "The enterprise succeeded" "We succeeded in getting tickets to the show" "she struggled to overcome her handicap and won" @@ -21940,5 +22069,31 @@ "administer an exam" "administer an oath" + + to succeed greatly + to succeed greatly + + + + to get involved in a relationship with another person + to get involved in a relationship with another person + + + + + To treat as a friend although the other party has romantic feelings + To treat as a friend although the other party has romantic feelings + + + + to instantly vote for something on social media + to instantly vote for something on social media + + + + To vote positively on a social media website + To vote positively on a social media website + + diff --git a/src/wn-verb.stative.xml b/src/wn-verb.stative.xml index d9b2632b..2411e460 100644 --- a/src/wn-verb.stative.xml +++ b/src/wn-verb.stative.xml @@ -36,7 +36,9 @@ - + + + @@ -247,8 +249,12 @@ - - + + + + + + @@ -654,7 +660,9 @@ - + + + @@ -672,7 +680,9 @@ - + + + @@ -713,8 +723,12 @@ - - + + + + + + @@ -727,7 +741,9 @@ - + + + @@ -970,8 +986,12 @@ - - + + + + + + @@ -1351,6 +1371,7 @@ + @@ -1459,7 +1480,9 @@ - + + + @@ -2117,7 +2140,9 @@ - + + + @@ -2228,7 +2253,9 @@ - + + + @@ -2487,6 +2514,7 @@ + @@ -2511,6 +2539,7 @@ + @@ -2670,7 +2699,9 @@ - + + + @@ -2755,6 +2786,7 @@ + @@ -2838,12 +2870,15 @@ + - + + + @@ -2866,7 +2901,9 @@ - + + + @@ -2896,6 +2933,7 @@ + @@ -2915,7 +2953,9 @@ - + + + @@ -3076,7 +3116,9 @@ - + + + @@ -3104,7 +3146,9 @@ - + + + @@ -3268,7 +3312,9 @@ - + + + @@ -3287,7 +3333,9 @@ - + + + @@ -3351,7 +3399,9 @@ - + + + @@ -3420,7 +3470,9 @@ - + + + @@ -3583,6 +3635,7 @@ + @@ -3688,6 +3741,8 @@ + + @@ -3897,7 +3952,9 @@ - + + + @@ -4045,6 +4102,7 @@ + @@ -4057,6 +4115,7 @@ + @@ -4084,7 +4143,9 @@ - + + + @@ -4261,7 +4322,9 @@ - + + + @@ -4386,7 +4449,9 @@ - + + + @@ -4455,6 +4520,12 @@ + + + + + + @@ -4608,7 +4679,9 @@ - + + + @@ -4629,6 +4702,11 @@ + + + + + @@ -4760,6 +4838,8 @@ + + @@ -4965,12 +5045,16 @@ - + + + - + + + @@ -5091,7 +5175,9 @@ - + + + @@ -5130,7 +5216,9 @@ - + + + @@ -5149,6 +5237,7 @@ + @@ -5243,14 +5332,18 @@ - + + + - + + + @@ -5278,6 +5371,8 @@ + + @@ -5350,13 +5445,17 @@ - + + + - + + + @@ -5545,6 +5644,7 @@ + @@ -5556,7 +5656,9 @@ - + + + @@ -5633,7 +5735,9 @@ - + + + @@ -5654,7 +5758,9 @@ - + + + @@ -5688,7 +5794,9 @@ - + + + @@ -5892,7 +6000,9 @@ - + + + @@ -6044,6 +6154,7 @@ + @@ -6280,7 +6391,9 @@ - + + + @@ -6471,6 +6584,7 @@ + @@ -6495,7 +6609,9 @@ - + + + @@ -6654,7 +6770,9 @@ - + + + @@ -6726,7 +6844,9 @@ - + + + @@ -6915,6 +7035,7 @@ + @@ -6937,7 +7058,9 @@ - + + + @@ -7256,7 +7379,9 @@ - + + + @@ -7304,7 +7429,9 @@ - + + + @@ -7482,6 +7609,14 @@ + + + + + + + + @@ -7714,7 +7849,10 @@ + + + @@ -7743,7 +7881,9 @@ - + + + @@ -7835,7 +7975,9 @@ - + + + @@ -7947,6 +8089,7 @@ + @@ -8043,6 +8186,7 @@ + @@ -8102,7 +8246,9 @@ - + + + @@ -8184,6 +8330,7 @@ + @@ -8377,6 +8524,28 @@ + + + + + + + + + + + + + + + + + + + + + + have an existence, be extant @@ -8559,6 +8728,8 @@ + + "John is rich" "This is not a good answer" @@ -8823,6 +8994,7 @@ + "we had to live frugally after the war" @@ -9445,6 +9617,7 @@ be without + "This soup lacks salt" "There is something missing in my jewelry box!" @@ -11051,6 +11224,7 @@ + "Quit teasing your little brother" @@ -13758,5 +13932,30 @@ run or pass below + + to be intoxicated + to be intoxicated + + + + To be insufficiently prepared + To be insufficiently prepared + + + + to live very well + to live very well + + + + to stop following a user on social media + to stop following a user on social media + + + + to be temporarily popular + to be temporarily popular + + diff --git a/src/wn-verb.weather.xml b/src/wn-verb.weather.xml index 126cadcc..b62f3ae5 100644 --- a/src/wn-verb.weather.xml +++ b/src/wn-verb.weather.xml @@ -10,7 +10,9 @@ url="https://github.com/globalwordnet/english-wordnet"> - + + + @@ -18,6 +20,7 @@ + @@ -127,7 +130,9 @@ - + + + @@ -385,6 +390,8 @@ + + @@ -458,7 +465,9 @@ - + + + @@ -568,7 +577,9 @@ - + + + @@ -686,7 +697,9 @@ - + + + @@ -820,6 +833,7 @@ +