Initial commit

This commit is contained in:
julius 2022-07-06 11:06:37 +00:00
commit 625149138a
193 changed files with 4009633 additions and 0 deletions

1
.gitignore vendored Normal file
View File

@ -0,0 +1 @@
__pycache__/*

321485
de_duden/__duden.json Normal file

File diff suppressed because it is too large Load Diff

77303
de_duden/a_duden.json Normal file

File diff suppressed because it is too large Load Diff

65
de_duden/analysis.py Normal file
View File

@ -0,0 +1,65 @@
import json
import time
from collections import Counter
with open("a_mw.json", "r") as f:
mw = json.load(f)
import os
import random
from os import path
import matplotlib.pyplot as plt
import numpy as np
from PIL import Image
from wordcloud import STOPWORDS, WordCloud
def grey_color_func(
word, font_size, position, orientation, random_state=None, **kwargs
):
return "hsl(0, 0%%, %d%%)" % random.randint(60, 100)
# mask = np.array(Image.open(path.join(d, "stormtrooper_mask.png")))
word = "abhorrent"
text = " ".join(mw[word]["synonyms"] + [word])
wc = WordCloud(
max_words=200,
width=1920,
height=1080,
margin=10,
min_font_size=40,
max_font_size=100,
random_state=1,
).generate(text)
default_colors = wc.to_array()
# plt.title("Custom colors")
# plt.imshow(wc.recolor(color_func=grey_color_func, random_state=3),
# interpolation="bilinear")
plt.figure()
plt.title(word)
plt.imshow(default_colors, interpolation="bilinear")
plt.axis("off")
plt.show()
exit()
# letters = {k[0] for k in mw}
# start = time.time()
# for c in letters:
# c_db = {k:v for k,v in mw.items() if k[0] == c}
# with open(f"{c}_mw.json", "w") as f: # save DB
# json.dump(c_db, f, separators=(",", ":"), indent=2)
# print(time.time() - start)
# exit()
# types = {w["word"] for w in mw if not w["history_and_etymology"]}
types = [w["type"] for w in mw]
print(len(types))
new_mw = {w["word"]: {k: v for k, v in w.items() if k != "word"} for w in mw}
print(new_mw)
print(len(new_mw))
with open("new_mw.json", "w") as f:
json.dump(new_mw, f, separators=(",", ":"), indent=2)

48817
de_duden/b_duden.json Normal file

File diff suppressed because it is too large Load Diff

3817
de_duden/c_duden.json Normal file

File diff suppressed because it is too large Load Diff

27842
de_duden/d_duden.json Normal file

File diff suppressed because it is too large Load Diff

198
de_duden/dp.py Normal file
View File

@ -0,0 +1,198 @@
import json
import re
import time
from datetime import datetime
from xml.etree import ElementTree as ET
import requests
from bs4 import BeautifulSoup
def remove_tag(string, tag="script"):
otag = f"<{tag}"
ctag = f"</{tag}>"
otag_pos = 0
ctag_pos = 0
for i in range(len(string)):
if string[i : i + len(otag)] == otag:
otag_pos = i
elif string[i : i + len(ctag)] == ctag:
ctag_pos = i + len(ctag)
if otag_pos and ctag_pos:
return remove_tag(string[:otag_pos] + string[ctag_pos:], tag)
return string
def all_text(e):
return clear_whitespace(' '.join(e.itertext()))
def only_text(e):
return ' '.join(all_text(e))
def clear_whitespace(data):
if isinstance(data, list):
iterator = enumerate(data)
elif isinstance(data, dict):
iterator = data.items()
elif isinstance(data, str):
data = [data]
iterator = enumerate(data)
else:
raise TypeError("can only traverse list or dict")
for i, value in iterator:
if isinstance(value, (list, dict)):
clear_whitespace(value)
elif isinstance(value, str):
data[i] = re.sub(r"[\n\t\s]+", " ", value).strip()
return data
def url2str(url: str) -> str:
headers = {
"user-agent": "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/102.0.5005.115 Safari/537.36"
}
bad_html = requests.get(url, headers=headers)
tree = BeautifulSoup(bad_html.text, features="lxml")
xml_str = str(tree)
xml_str = remove_tag(xml_str, "head")
xml_str = remove_tag(xml_str)
# with open("test.html", "w") as f:
# f.write(xml_str)
return xml_str
class WordParser:
def __init__(self, word):
self.time = datetime.now().strftime("%Y%m%d-%H%M%S")
self.word = word
self.url = f"https://www.duden.de/rechtschreibung/{word}"
self.xml_string = url2str(self.url)
self.root = ET.fromstring(self.xml_string)
@property
def definitions(self):
defs = {}
texts = (e for e in self.root.findall(".//div[@id='bedeutungen']"))
for e in texts:
for d, examples in zip(
e.findall(".//div[@class='enumeration__text']"),
e.findall(".//ul[@class='note__list']"),
):
defs[only_text(d)] = [only_text(li) for li in examples.findall(".//li")]
texts = (e for e in self.root.findall(".//div[@id='bedeutung']"))
for e in texts:
for d in e.findall(".//p"):
defs[next(d.itertext())] = []
for d, examples in zip(
e.findall(".//p"), e.findall(".//ul[@class='note__list']")
):
defs[next(d.itertext())] = clear_whitespace(
" ".join((examples.itertext())).split("\n")
)
return clear_whitespace(defs)
@property
def pronounciation(self):
for e in self.root.findall(".//span[@class='ipa']"):
ipa = only_text(e)[1:-1]
return ipa
return []
@property
def neighbors(self):
neighbors = []
for e in self.root.findall(".//a[@data-duden-ref-type='lexeme']"):
link = e.attrib["href"].split("/")[-1].split("#")[0]
neighbors.append(link)
return clear_whitespace(neighbors)
@property
def wendungen(self):
wends = []
for n in self.root.findall(".//dl[@class='note']"):
if "Wendungen, Redensarten, Sprichwörter" in only_text(n):
wends.extend([only_text(li) for li in n.findall(".//li")])
return clear_whitespace(wends)
@property
def type(self):
for t in (
" ".join([l for l in e.itertext()])
for e in self.root.findall(".//dd[@class='tuple__val']")
):
return t
return []
@property
def history_and_etymology(self):
for e in self.root.findall(".//div[@id='herkunft']//p"):
return clear_whitespace([l for l in e.itertext()])
@property
def synonyms(self):
syns = []
for e in self.root.findall(
".//div[@id='synonyme']//a[@data-duden-ref-type='lexeme']"
):
syns.extend([l for l in e.itertext()])
return clear_whitespace(syns)
def todict(self):
assert self.type or self.definitions, f"{self.time} {self.word}: type or definitions came back empty..."
return {
self.word: {
"type": self.type,
"definitions": self.definitions,
"pronounciation": self.pronounciation,
"synonyms": self.synonyms,
"history_and_etymology": self.history_and_etymology,
"wendungen": self.wendungen,
"time_of_retrieval": self.time,
}
}
if __name__ == "__main__":
# xml_string = url2str("https://www.duden.de/rechtschreibung/Hora_Stunde_Gebet")
# with open("test.html", "w") as f:
# f.write(xml_string)
# with open("test.html", "r") as f:
# xml_string = "".join(f.readlines())
# root = ET.fromstring(xml_string)
w = WordParser("Triage")
print(w.pronounciation)
# for k,v in w.definitions.items():
# print(f"{k}: \n{v}")
# with open("g_duden.json", "w") as f:
# json.dump(w.todict(), f)
# w = WordParser("Sunday")
# for e in w.root.findall(".//span[@class='dtText']"):
# print(" ".join([l for l in e.itertext()]))
# print(w.todict())
# mw |= w.todict()
# exit()
# with open("mw.json", "w") as f:
# json.dump(mw, f)
# xml_string = url2str("https://www.merriam-webster.com/dictionary/mechanical")
# from lxml import objectify
# def xml_to_dict(xml_str):
# """Convert xml to dict, using lxml v3.4.2 xml processing library, see http://lxml.de/"""
# def xml_to_dict_recursion(xml_object):
# dict_object = xml_object.__dict__
# if not dict_object: # if empty dict returned
# return xml_object
# for key, value in dict_object.items():
# dict_object[key] = xml_to_dict_recursion(value)
# return dict_object
# return xml_to_dict_recursion(objectify.fromstring(xml_str))

83
de_duden/dq.py Normal file
View File

@ -0,0 +1,83 @@
import json
import random
import time
from pathlib import Path
from dp import WordParser
q = "queue"
sn = "snafus"
rd = "redo"
duden = dict()
for db_file in Path("./").glob("*duden.json"):
with open(db_file, "r") as f:
duden |= json.load(f)
def updatedb(picks):
start = time.time()
for c in [w[0].lower() for w in picks]:
c_db = {k: v for k, v in duden.items() if k[0].lower() == c}
with open(f"{c}_duden.json", "w") as f: # save DB
json.dump(c_db, f, separators=(",", ":"), indent=2)
with open(q, "w") as f: # save queue
f.write("\n".join(list(queue)))
with open(rd, "w") as f: # save queue
f.write("\n".join(list(redo - set(picks))))
print(
f"{len(duden)} words collected, {len(queue)-len(picks)} words waiting in queue, {time.time() - start:.06f}s"
)
TIME_BASE = 1.01
TIME_EXPONENT = 70
def randtime(a, b, k=0):
if k:
return [random.uniform(a, b) for _ in range(k)]
else:
return random.uniform(a, b)
while True:
start = time.time()
queue = {line.strip() for line in open(q, "r")} # read queue
snafus = {line.strip() for line in open(sn, "r")} # read snafus
redo = {line.strip() for line in open(rd, "r")}
queue -= snafus
# queue -= duden.keys() # clean queue
queue |= redo
assert (
time.time() - start < 1
), "WARNING: queue maintainance takes more than a second...."
picks = random.sample(list(queue), k=random.randint(1, 4))
wait_times = randtime(
TIME_BASE**TIME_EXPONENT, TIME_BASE ** (TIME_EXPONENT * 3), k=len(picks)
)
wait_time_after = randtime(
TIME_BASE ** (TIME_EXPONENT * 2), TIME_BASE ** (TIME_EXPONENT * 4)
)
for t, p in zip(wait_times, picks):
try:
w = WordParser(p) # fetch new word
duden |= w.todict()
queue |= set(w.neighbors)
except:
with open("test.html", "w") as f:
f.write(w.xml_string)
print("...try anew...")
with open(sn, "a") as f:
f.write(f"{p}\n")
queue -= {p}
updatedb(picks)
TIME_EXPONENT += 1
time.sleep(t)
updatedb(picks)
print(
f"---wait---{wait_time_after:.03f}s-------{TIME_BASE:.03f}^{TIME_EXPONENT:.03f}={TIME_BASE**TIME_EXPONENT:.03f}s------max {TIME_BASE**(TIME_EXPONENT*4):.03f}s--------------"
)
time.sleep(wait_time_after)

41639
de_duden/e_duden.json Normal file

File diff suppressed because it is too large Load Diff

30936
de_duden/f_duden.json Normal file

File diff suppressed because it is too large Load Diff

38389
de_duden/g_duden.json Normal file

File diff suppressed because it is too large Load Diff

35095
de_duden/h_duden.json Normal file

File diff suppressed because it is too large Load Diff

9243
de_duden/i_duden.json Normal file

File diff suppressed because it is too large Load Diff

3369
de_duden/j_duden.json Normal file

File diff suppressed because it is too large Load Diff

34633
de_duden/k_duden.json Normal file

File diff suppressed because it is too large Load Diff

18406
de_duden/l_duden.json Normal file

File diff suppressed because it is too large Load Diff

20534
de_duden/m_duden.json Normal file

File diff suppressed because it is too large Load Diff

11335
de_duden/n_duden.json Normal file

File diff suppressed because it is too large Load Diff

5629
de_duden/o_duden.json Normal file

File diff suppressed because it is too large Load Diff

21089
de_duden/p_duden.json Normal file

File diff suppressed because it is too large Load Diff

1545
de_duden/q_duden.json Normal file

File diff suppressed because it is too large Load Diff

5479
de_duden/queue Normal file

File diff suppressed because it is too large Load Diff

22932
de_duden/r_duden.json Normal file

File diff suppressed because it is too large Load Diff

0
de_duden/redo Normal file
View File

63838
de_duden/s_duden.json Normal file

File diff suppressed because it is too large Load Diff

26
de_duden/snafus Normal file
View File

@ -0,0 +1,26 @@
passieren
Befestigung
fertil
Gebaeude
Rueebli
einweisen
Koerner_KornReise
sich_spiegeln
Streich
Hominide
Heim
herausnehmen
ewig
Nahtstelle
abtasten
Synthese
Schwaden_Wolke_Nebel_Dunst
eklig
Gewissenlosigkeit
bedeutsam
Fuellhalter
Scherz_Spasz_Neckerei_Witz
abheben
Aufbessrung
Gleichklang
zusammenrollen

17904
de_duden/t_duden.json Normal file

File diff suppressed because it is too large Load Diff

20822
de_duden/u_duden.json Normal file

File diff suppressed because it is too large Load Diff

26828
de_duden/v_duden.json Normal file

File diff suppressed because it is too large Load Diff

18840
de_duden/w_duden.json Normal file

File diff suppressed because it is too large Load Diff

31
de_duden/x_duden.json Normal file
View File

@ -0,0 +1,31 @@
{
"Xanthippe_Querulantin_Frau":{
"type":"Substantiv, feminin",
"definitions":{
"unleidliche, streits\u00fcchtige, z\u00e4nkische Frau":[]
},
"pronounciation":[],
"synonyms":[
"Alte",
"Bei\u00dfzange",
"Ehefrau",
"Frau"
],
"history_and_etymology":[
"nach dem Namen von Sokrates' Ehefrau (griechisch Xanth\u00edpp\u0113), die als zanks\u00fcchtig geschildert wird"
],
"wendungen":[],
"time_of_retrieval":"20220630-131436"
},
"Xanthippe_Ehefrau_Sokrates":{
"type":"Eigenname",
"definitions":{
"Gattin des Sokrates":[]
},
"pronounciation":[],
"synonyms":[],
"history_and_etymology":null,
"wendungen":[],
"time_of_retrieval":"20220704-205657"
}
}

16203
de_duden/z_duden.json Normal file

File diff suppressed because it is too large Load Diff

198
dict_dl.py Normal file
View File

@ -0,0 +1,198 @@
import json
import random
import re
import string
import time
from datetime import datetime
from pathlib import Path
from xml.etree import ElementTree as ET
import requests
from bs4 import BeautifulSoup
def randtime(a, b, k=0):
if k:
return [random.uniform(a, b) for _ in range(k)]
else:
return random.uniform(a, b)
def remove_between(string, a, b):
otag_pos = 0
ctag_pos = 0
for i in range(len(string)):
if string[i : i + len(a)] == a:
otag_pos = i
elif string[i : i + len(b)] == b:
ctag_pos = i + len(b)
if otag_pos and ctag_pos:
return remove_between(string[:otag_pos] + string[ctag_pos:], a, b)
return string.strip()
def remove_tag(string, tag="script"):
otag = f"<{tag}"
ctag = f"</{tag}>"
otag_pos = 0
ctag_pos = 0
for i in range(len(string)):
if string[i : i + len(otag)] == otag:
otag_pos = i
elif string[i : i + len(ctag)] == ctag:
ctag_pos = i + len(ctag)
if otag_pos and ctag_pos:
return remove_tag(string[:otag_pos] + string[ctag_pos:], tag)
return string
def all_text(e):
return clear_whitespace(" ".join(e.itertext()))
def only_text(e):
return " ".join(all_text(e))
def clear_whitespace(data):
if isinstance(data, list):
iterator = enumerate(data)
elif isinstance(data, dict):
iterator = data.items()
elif isinstance(data, str):
data = [data]
iterator = enumerate(data)
else:
raise TypeError("can only traverse list or dict")
for i, value in iterator:
if isinstance(value, (list, dict)):
clear_whitespace(value)
elif isinstance(value, str):
data[i] = re.sub(r"[\n\t\s]+", " ", value).strip()
return data
def url2str(url: str) -> str:
headers = {
"user-agent": "Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/102.0.5005.115 Safari/537.36"
}
bad_html = requests.get(url, headers=headers)
tree = BeautifulSoup(bad_html.text, features="lxml")
xml_str = str(tree)
xml_str = remove_tag(xml_str, "head")
xml_str = remove_tag(xml_str)
# with open("test.html", "w") as f:
# f.write(xml_str)
return xml_str
# aliases
rb = remove_between
cw = clear_whitespace
ot = only_text
class WordParser:
def __init__(self, word, url_prefix):
self.time = datetime.now().strftime("%Y%m%d-%H%M%S")
self.word = word
self.url = f"{url_prefix}{word}"
self.xml_string = url2str(self.url)
self.root = ET.fromstring(self.xml_string)
class FileSet(set):
def __init__(self, file):
self.file = file
self.elements = {line.strip() for line in open(self.file, "r")}
super().__init__(self.elements)
def save(self):
with open(self.file, "w") as f:
f.write("\n".join(list(self)))
def append(self):
self |= {line.strip() for line in open(self.file, "r")}
self.save()
class Queue:
def __init__(
self,
Parser,
dir_prefix,
suffix,
time_base=1.01,
time_exponent=10,
prefix_length=1,
):
self.__dict__.update(locals())
self.letters = string.ascii_lowercase
self.full_dict = {}
self.queue = FileSet(f"{dir_prefix}queue")
self.snafus = FileSet(f"{dir_prefix}snafus")
self.redo = FileSet(f"{dir_prefix}redo")
def wait(self):
a = self.time_base**self.time_exponent
b = self.time_base ** (self.time_exponent * 3)
time.sleep(randtime(a, b))
def loadDB(self):
for db_file in Path(self.dir_prefix).glob(f"*{self.suffix}"):
with open(db_file, "r") as f:
self.full_dict |= json.load(f)
def updateDB(self, pick):
start = time.time()
prefix = pick[: self.prefix_length].lower()
if all([c in self.letters for c in prefix]):
c_db = {
k: v
for k, v in self.full_dict.items()
if k[: self.prefix_length].lower() == prefix
}
else:
c_db = {
k: v
for k, v in self.full_dict.items()
if any([c not in self.letters for c in k[: self.prefix_length]])
}
prefix = "_" * self.prefix_length
with open(f"{self.dir_prefix}{prefix}{self.suffix}", "w") as f: # save DB
json.dump(c_db, f, separators=(",", ":"), indent=2)
def add_word(self):
p = random.choice(
list(self.queue | self.redo - self.snafus - self.full_dict.keys())
)
try:
start_parsing = time.time()
w = self.Parser(p) # fetch new word
word_dict = w.todict()
start_db_stuff = time.time()
self.full_dict |= word_dict
for k in ["neighbors", "synonyms", "antonyms"]:
if k in word_dict:
self.queue |= set(word_dict[k])
self.queue -= {p}
self.redo -= {p}
self.updateDB(p)
print(
f"{len(self.full_dict)} words collected, "
f"{len(self.queue)} words waiting in queue, "
f"{start_db_stuff-start_parsing:.06f}s"
f"/{time.time() - start_db_stuff:.06f}s"
)
self.wait()
except (KeyboardInterrupt, AssertionError) as e:
self.queue.save()
self.redo.save()
if e == KeyboardInterrupt:
exit()
elif e == AssertionError:
print(w.time, p)
self.snafus |= {p}
self.snafus.append()
self.wait()

103
duden.py Normal file
View File

@ -0,0 +1,103 @@
from time import time
from dict_dl import WordParser, Queue, cw, ot
class DudenParser(WordParser):
def __init__(self, word):
url_prefix= "https://www.duden.de/rechtschreibung/"
super().__init__(word, url_prefix)
@property
def definitions(self):
defs = {}
texts = (e for e in self.root.findall(".//div[@id='bedeutungen']"))
for e in texts:
for d, examples in zip(
e.findall(".//div[@class='enumeration__text']"),
e.findall(".//ul[@class='note__list']"),
):
defs[ot(d)] = [ot(li) for li in examples.findall(".//li")]
texts = (e for e in self.root.findall(".//div[@id='bedeutung']"))
for e in texts:
for d in e.findall(".//p"):
defs[next(d.itertext())] = []
for d, examples in zip(
e.findall(".//p"), e.findall(".//ul[@class='note__list']")
):
defs[next(d.itertext())] = cw(
" ".join((examples.itertext())).split("\n")
)
return cw(defs)
@property
def pronounciation(self):
for e in self.root.findall(".//span[@class='ipa']"):
ipa = ot(e)[1:-1]
return ipa
return []
@property
def neighbors(self):
neighbors = []
for e in self.root.findall(".//a[@data-duden-ref-type='lexeme']"):
link = e.attrib["href"].split("/")[-1].split("#")[0]
neighbors.append(link)
return cw(neighbors)
@property
def wendungen(self):
wends = []
for n in self.root.findall(".//dl[@class='note']"):
if "Wendungen, Redensarten, Sprichwörter" in ot(n):
wends.extend([ot(li) for li in n.findall(".//li")])
return cw(wends)
@property
def type(self):
for t in (
" ".join([l for l in e.itertext()])
for e in self.root.findall(".//dd[@class='tuple__val']")
):
return t
return []
@property
def history_and_etymology(self):
for e in self.root.findall(".//div[@id='herkunft']//p"):
return cw([l for l in e.itertext()])
@property
def synonyms(self):
syns = []
for e in self.root.findall(
".//div[@id='synonyme']//a[@data-duden-ref-type='lexeme']"
):
syns.extend([l for l in e.itertext()])
return cw(syns)
def todict(self):
assert (
self.type or self.definitions
), f"{self.time} {self.word}: type or definitions came back empty..."
return {
self.word: {
"type": self.type,
"definitions": self.definitions,
"pronounciation": self.pronounciation,
"synonyms": self.synonyms,
"history_and_etymology": self.history_and_etymology,
"wendungen": self.wendungen,
"time_of_retrieval": self.time,
}
}
# d = DudenParser("befehlerisch")
# print(d.todict())
# exit()
q = Queue(DudenParser, "de_duden/", "_duden.json")
q.loadDB()
while True:
q.add_word()

View File

@ -0,0 +1,139 @@
{
"'cause":{
"type":[
"conjunction"
],
"definitions":[
": because"
],
"pronounciation":[
"\u02c8k\u022fz",
"\u02c8k\u0259z"
],
"synonyms":[
"as",
"as long as",
"because",
"being (as ",
"considering",
"for",
"inasmuch as",
"now",
"seeing",
"since",
"whereas"
],
"antonyms":[],
"examples":[
"he left 'cause I told him to bug off"
],
"history_and_etymology":[],
"first_known_use":[
"15th century, in the meaning defined above"
],
"time_of_retrieval":"20220623-212547"
},
"'fore":{
"type":[
"adjective",
"adverb",
"combining form",
"interjection",
"noun",
"prefix",
"preposition"
],
"definitions":[
": something that occupies a front position",
": in or into a position of prominence : forward",
": in, toward, or near the front : forward",
": at an earlier time or period",
": situated in front of something else : forward",
": prior in order of occurrence : former",
": in the presence of",
": before",
": earlier : beforehand",
": occurring earlier : occurring beforehand",
": situated at the front : in front",
": front part of (something specified)",
": foremast",
": in or toward the front",
": being or coming before in time, place, or order",
": front entry 1 sense 1",
": earlier : beforehand",
": at the front : in front",
": front part of something specified",
": situated in front of something else"
],
"pronounciation":[
"\u02c8f\u022fr",
"\u02c8f\u022fr",
"\u02c8f\u014d(\u0259)r, \u02c8f\u022f(\u0259)r"
],
"synonyms":[
"anterior",
"forward",
"front",
"frontal",
"frontward",
"frontwards"
],
"antonyms":[
"afore",
"ahead of",
"before",
"ere",
"of",
"previous to",
"prior to",
"to"
],
"examples":[
"Adverb",
"The plane's exits are located fore and aft.",
"Adjective",
"the fore and aft cabins",
"cats have five fore toes but only four hind toes",
"Preposition",
"fore the baby's arrival, the young couple had been able to cope with their problems",
"fore the stranger there swarmed a gaggle of curious street urchins",
"Recent Examples on the Web: Noun",
"The trend seemed to reference a collective need to reconnect with nature, a current that Salone del Mobile\u2019s president, Maria Porro, has seen rise to the fore . \u2014 Anna Fixsen, ELLE Decor , 14 June 2022",
"In turn this will bring to the fore many of the more exciting fields of innovation \u2013 medical technology, green tech and biomed for example. \u2014 Mike O'sullivan, Forbes , 11 June 2022",
"The issue came to the fore as bands like Lynyrd Skynyrd publicly and sometimes awkwardly grappled with whether to keep brandishing the flag. \u2014 Chris Willman, Variety , 4 June 2022",
"But as discussions about race and systemic injustice take place across the country, the South Carolina city\u2019s shameful past is finally coming to the fore . \u2014 Jane Recker, Smithsonian Magazine , 3 June 2022",
"With her trademark charm to the fore , Adams is a good fit for Amanda, the mother struggling to keep up appearances and secure her daughter\u2019s future. \u2014 David Benedict, Variety , 1 June 2022",
"But as always, those absences leave room for other talents to come to the fore \u2014and surprisingly, a number of those advancing players are American. \u2014 Liam Hess, Vogue , 28 May 2022",
"Not only is the European tech ecosystem producing startups purpose-built for internationalization, but the depth of its talent pool is increasingly coming to the fore . \u2014 Kjartan Rist, Forbes , 27 May 2022",
"While Kusama\u2019s work has never truly fallen out of fashion, the artist has returned to the fore in recent years. \u2014 Tori Latham, Robb Report , 24 May 2022",
"Recent Examples on the Web: Adverb",
"On Thursday at Bay Hill, Tiger had some huge misses to both sides with both of those clubs, one of which ( fore right on 3) kept this round from being a really low one. \u2014 Daniel Rapaport, SI.com , 15 Mar. 2018",
"Active Ride Control moderates fore -aft pitching of the vehicle over bumps in the road by controlling the engine and brakes, for a smoother ride. \u2014 Emma Jayne Williams, star-telegram , 27 Jan. 2018",
"On Thursday at Bay Hill, Tiger had some huge misses to both sides with both of those clubs, one of which ( fore right on 3) kept this round from being a really low one. \u2014 Daniel Rapaport, SI.com , 15 Mar. 2018",
"Active Ride Control moderates fore -aft pitching of the vehicle over bumps in the road by controlling the engine and brakes, for a smoother ride. \u2014 Emma Jayne Williams, star-telegram , 27 Jan. 2018",
"Only fore -teen Fourteen year-old amateur golfer Atthaya Thitikul won the Ladies European Thailand Championship on Sunday, making her the youngest known winner of a professional golf tour event. \u2014 Claire Zillman, Fortune , 11 July 2017",
"Up and down the hydraulic arms went; fore and aft tipped the bucket. \u2014 Bulletin Board, Twin Cities , 23 Apr. 2017",
"Recent Examples on the Web: Adjective",
"The news brought to the fore familiar insecurities from the start of the pandemic. \u2014 New York Times , 16 Dec. 2021",
"The company is selling off a facilities business, with a pool of bidders that has brought to the fore French officials\u2019 preference for selling to French owners. \u2014 Kristen Bellstrom, Fortune , 3 Nov. 2021",
"His popularity brings to the fore generational and class fissures, and the shortcomings of an economic model that has brought growth but few jobs. \u2014 The Economist , 16 Jan. 2021",
"The Covid-19 crisis has left millions of people feeling insecure over their personal finances, bringing to the fore questions around where to live, how to work, what to study and how to prepare for the future. \u2014 Pratish Narayanan, Bloomberg.com , 1 Oct. 2020",
"With immigration at the fore front of the current debate, several of these races look even more interesting. \u2014 Chris Stirewalt, Fox News , 25 June 2018",
"A unique fen and about half the site is now forest preserve land. \u2014 Mike Danahey, Elgin Courier-News , 27 June 2017"
],
"history_and_etymology":"Adverb and Preposition",
"first_known_use":[
"Noun",
"1637, in the meaning defined above",
"Adverb",
"before the 12th century, in the meaning defined at sense 2",
"Adjective",
"15th century, in the meaning defined at sense 1",
"Preposition",
"before the 12th century, in the meaning defined at sense 2",
"Interjection",
"circa 1878, in the meaning defined above"
],
"time_of_retrieval":"20220629-170458"
}
}

View File

@ -0,0 +1,77 @@
{
"(as) large as life":{
"type":[
"idiom"
],
"definitions":[
": in person"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-012920"
},
"(be) spoiling for":{
"type":[
"idiom"
],
"definitions":[
": to have a strong desire for (something, such as a fight)"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-111035"
},
"(as) stubborn as a mule":{
"type":[
"idiom"
],
"definitions":[
": extremely stubborn"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-171737"
},
"(give) witness to":{
"type":[
"idiom"
],
"definitions":[
": to declare belief in (a god or religion)"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220701-054827"
},
"(as) right as rain":{
"type":[
"idiom"
],
"definitions":[
": in excellent health or condition"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220701-111714"
}
}

View File

@ -0,0 +1,698 @@
{
"-spondylus":{
"type":[
"noun",
"noun combining form"
],
"definitions":[
": a genus of large, thick, inequivalve, usually spinose and attached, bivalve mollusks (family Spondylidae) that are remarkable for perfection of the hinge",
": any mollusk of the family Spondylidae : spiny oyster",
": animal having (such) vertebrae"
],
"pronounciation":[
"\"",
"\""
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"Noun",
"first_known_use":[],
"time_of_retrieval":"20220629-111352"
},
"-scope":{
"type":[
"noun",
"noun ()",
"noun combining form",
"transitive verb",
"verb"
],
"definitions":[
": intention , object",
": space or opportunity for unhampered motion, activity, or thought",
": extent of treatment, activity, or influence",
": range of operation: such as",
": the range of a logical operator : a string in predicate calculus that is governed by a quantifier",
": a grammatical constituent that determines the interpretation of a predicate or quantifier",
": any of various instruments for viewing: such as",
": microscope",
": telescope",
": a telescope mounted on a firearm for use as a sight",
": endoscope",
": horoscope",
": to look at especially for the purpose of evaluation",
": to view (something) with a telescope",
": to examine with an endoscope and especially an arthroscope",
": to equip with a scope",
": means (such as an instrument) for viewing or observing",
": space or opportunity for action or thought",
": the area or amount covered, reached, or viewed",
": any of various instruments (as an arthroscope, endoscope, or microscope) for viewing or observing"
],
"pronounciation":[
"\u02c8sk\u014dp",
"\u02c8sk\u014dp",
"\u02c8sk\u014dp"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"Noun (1)",
"first_known_use":[
"Noun (1)",
"circa 1555, in the meaning defined at sense 1",
"Noun (2)",
"1872, in the meaning defined at sense 1",
"Verb",
"1955, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220629-183133"
},
"-ide":{
"type":[
"abbreviation",
"noun suffix"
],
"definitions":[
"integrated drive electronics",
": binary chemical compound",
": chemical compound derived from or related to another (usually specified) compound"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"Noun suffix",
"first_known_use":[],
"time_of_retrieval":"20220629-192648"
},
"-thrix":{
"type":[
"noun combining form"
],
"definitions":[
": one having (such) hair or hairlike filaments",
": pathological condition of having (such) hair"
],
"pronounciation":[
"(\u02cc)thriks"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"New Latin -trich-, -thrix , from Greek trich-, thrix hair",
"first_known_use":[],
"time_of_retrieval":"20220629-213357"
},
"-omma":{
"type":[
"noun combining form"
],
"definitions":[
": one having (such) an eye or (such or so many) eyes"
],
"pronounciation":[
"\u02c8\u00e4m\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"New Latin -ommat-, -omma , from Greek ommat-, omma eye; akin to Greek \u014dps eye",
"first_known_use":[],
"time_of_retrieval":"20220630-001930"
},
"-alia":{
"type":[
"adjective combining form",
"noun combining form"
],
"definitions":[
": realm of marine animal life"
],
"pronounciation":[
"\u02c8\u0101-l\u0113-\u0259",
"\u02c8\u0101l-y\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"New Latin, from Greek halia assembly & Greek hal-, hals sea; Greek halia akin to Greek eilein to compress, Old Slavic velik\u016d great, and perhaps to Latin vulgus common people; Greek hals sea akin to Greek hals salt",
"first_known_use":[],
"time_of_retrieval":"20220630-022135"
},
"-dom":{
"type":[
"abbreviation",
"honorific title",
"noun",
"noun suffix"
],
"definitions":[
"domestic",
"dominant",
"dominion",
": dignity : office",
": realm : jurisdiction",
": state or fact of being",
": those having a (specified) office, occupation, interest, or character",
": the area ruled by",
": state or fact of being",
": the group having a certain office, occupation, interest, or character",
": stp"
],
"pronounciation":[
"d\u0259m",
"\u02ccd\u0113-(\u02cc)\u014d-\u02c8em"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"Honorific title",
"first_known_use":[
"Honorific title",
"1716, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220630-042311"
},
"-stichous":{
"type":[
"adjective combining form"
],
"definitions":[
": having (such or so many) rows or sides"
],
"pronounciation":[
"st\u0259\u0307k\u0259s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":"Late Latin -stichus , from Greek -stichos , from stichos row, line",
"first_known_use":[],
"time_of_retrieval":"20220630-095250"
},
"-deses":{
"type":[],
"definitions":[
"Definition of -deses plural of -desis"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-110608"
},
"-dactyly":{
"type":[
"noun combining form"
],
"definitions":[
": -dactylia"
],
"pronounciation":[
"\u00a6dakt\u0259\u0307l\u0113",
"-li"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin -dactylia"
],
"first_known_use":[],
"time_of_retrieval":"20220630-153629"
},
"-sepalous":{
"type":[
"adjective combining form"
],
"definitions":[
": having sepals"
],
"pronounciation":[
"\u00a6sep\u0259l\u0259s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"sepal + -ous"
],
"first_known_use":[],
"time_of_retrieval":"20220630-155228"
},
"-mastia":{
"type":[
"noun combining form"
],
"definitions":[
": condition of having (such or so many) breasts or mammary glands"
],
"pronounciation":[
"\u00a6mast\u0113\u0259",
"\u00a6maas-"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek mastos breast + New Latin -ia"
],
"first_known_use":[],
"time_of_retrieval":"20220630-174438"
},
"-myxa":{
"type":[
"noun combining form"
],
"definitions":[
": one or ones consisting of or resembling slime"
],
"pronounciation":[
"\u02c8miks\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek myxa lampwick, nasal slime"
],
"first_known_use":[],
"time_of_retrieval":"20220630-184758"
},
"-folious":{
"type":[
"adjective combining form"
],
"definitions":[
": having (such or so many) leaves"
],
"pronounciation":[
"\u00a6f\u014dl\u0113\u0259s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Latin foliosus"
],
"first_known_use":[],
"time_of_retrieval":"20220630-185451"
},
"-desis":{
"type":[
"noun combining form"
],
"definitions":[
": binding"
],
"pronounciation":[
"d\u0259s\u0259\u0307s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Noun combining form",
"New Latin, from Greek desis , from dein to bind + -sis"
],
"first_known_use":[],
"time_of_retrieval":"20220701-080113"
},
"-genous":{
"type":[
"adjective combining form"
],
"definitions":[
": producing : yielding",
": having (such) an origin"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"-gen + -ous"
],
"first_known_use":[],
"time_of_retrieval":"20220701-133218"
},
"-plania":{
"type":[
"noun combining form"
],
"definitions":[
": a wandering of (a specified substance) into a tract not its own"
],
"pronounciation":[
"\u02c8pl\u0101n\u0113\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek, act of wandering, from planos wandering + -ia -y"
],
"first_known_use":[],
"time_of_retrieval":"20220701-184502"
},
"-gnathus":{
"type":[
"noun combining form"
],
"definitions":[
": one having (such) a jaw"
],
"pronounciation":[
"gn\u0259th\u0259s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from -gnathus -gnathous"
],
"first_known_use":[],
"time_of_retrieval":"20220702-090230"
},
"-stomous":{
"type":[
"adjective combining form"
],
"definitions":[
": -stomatous"
],
"pronounciation":[
"st\u0259m\u0259s"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin -stomus , from Greek stoma mouth"
],
"first_known_use":[],
"time_of_retrieval":"20220702-222033"
},
"-genesia":{
"type":[
"noun combining form"
],
"definitions":[
": genesis : formation"
],
"pronounciation":[
"j\u0259\u0307\u02c8n\u0113zh(\u0113)\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek, from genesis + -ia -y"
],
"first_known_use":[],
"time_of_retrieval":"20220703-005210"
},
"-philia":{
"type":[
"noun combining form"
],
"definitions":[
": friendly feeling toward",
": tendency toward",
": abnormal appetite or liking for"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek philia friendship, from philos dear"
],
"first_known_use":[],
"time_of_retrieval":"20220703-202301"
},
"-philiac":{
"type":[
"adjective combining form",
"noun combining form"
],
"definitions":[
": one having a tendency toward",
": one having an abnormal appetite or liking for",
": having an abnormal appetite or liking for",
": having admiration or partiality for"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Noun combining form",
"New Latin -philia + Greek -akos , adjective suffix"
],
"first_known_use":[],
"time_of_retrieval":"20220703-203430"
},
"-fisted":{
"type":[
"combining form"
],
"definitions":[
": having (such or so many) fists"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220704-104259"
},
"-spory":{
"type":[
"noun combining form"
],
"definitions":[
": quality or state of having (such) spores"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"-spor ous + -y entry 2"
],
"first_known_use":[],
"time_of_retrieval":"20220704-145557"
},
"-ing":{
"type":[
"noun suffix",
"noun suffix ()",
"verb suffix or adjective suffix"
],
"definitions":[
": action or process",
": instance of an action or process",
": product or result of an action or process",
": something used in an action or process",
": action or process connected with (a specified thing)",
": something connected with, consisting of, or used in making (a specified thing)",
": something related to (a specified concept)",
": one of a (specified) kind",
": action or process",
": product or result of an action or process",
": something used in or connected with making or doing"
],
"pronounciation":[
"i\u014b",
"also",
"in some dialects & in other dialects informally",
"\u0259n",
"also",
"after certain consonants",
"\u1d4am",
"\u1d4a\u014b",
"i\u014b"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Noun suffix (1)",
"Middle English, from Old English -ung, -ing , suffix forming nouns from verbs; akin to Old High German -ung , suffix forming nouns from verbs",
"Noun suffix (2)",
"Middle English, from Old English -ing, -ung ; akin to Old High German -ing one of a (specified) kind",
"Verb suffix or adjective suffix",
"Middle English, probably from -ing entry 1"
],
"first_known_use":[],
"time_of_retrieval":"20220704-170752"
},
"-tremata":{
"type":[
"noun plural combining form"
],
"definitions":[
": creatures having (such) an opening"
],
"pronounciation":[
"\u2027\u02c8tr\u0113m\u0259t\u0259",
"-m\u0259t\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, plural of -trema"
],
"first_known_use":[],
"time_of_retrieval":"20220704-193737"
},
"-phora":{
"type":[
"noun",
"noun combining form"
],
"definitions":[
": a genus of small flies that is the type of the family Phoridae",
": organism bearing a (specified) structure",
": organisms bearing a (specified) structure"
],
"pronounciation":[
"\u02c8f\u014dr\u0259",
"f(\u0259)r\u0259"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Noun",
"New Latin, from Greek ph\u014dr thief; akin to Latin fur thief",
"Noun combining form",
"New Latin, from feminine singular & neuter plural of -phorus"
],
"first_known_use":[],
"time_of_retrieval":"20220704-205114"
},
"-meryx":{
"type":[
"noun combining form"
],
"definitions":[
": ruminant"
],
"pronounciation":[
"m\u0259riks"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Greek m\u0113ryx , a ruminating fish, from m\u0113rykasthai to ruminate"
],
"first_known_use":[],
"time_of_retrieval":"20220704-222559"
},
"-coline":{
"type":[
"adjective combining form"
],
"definitions":[
": -colous"
],
"pronounciation":[
"k\u0259\u02ccl\u012bn",
"-l\u0259\u0307n"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin -colinae , from -cola + -inae"
],
"first_known_use":[],
"time_of_retrieval":"20220705-052136"
},
"-caris":{
"type":[
"noun combining form"
],
"definitions":[
": shrimp : prawn"
],
"pronounciation":[
"\u02c8ka(\u0259)r\u0259\u0307s",
"-e(\u0259)r-",
"-aar-",
"-\u0101r-"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin, from Latin caris , a kind of sea crab, from Greek karis ; perhaps akin to Greek kara head"
],
"first_known_use":[],
"time_of_retrieval":"20220705-082615"
},
"-philic":{
"type":[
"adjective combining form"
],
"definitions":[
": having a chemical affinity for (see affinity entry 1 sense 2b(2) )",
"\u2014 compare -phobic"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Greek -philos -philous"
],
"first_known_use":[],
"time_of_retrieval":"20220705-095418"
},
"-pher":{
"type":[
"noun combining form"
],
"definitions":[
": one that carries"
],
"pronounciation":[
"f\u0259(r)"
],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Greek pherein to carry"
],
"first_known_use":[],
"time_of_retrieval":"20220705-101216"
},
"-emia":{
"type":[
"noun combining form"
],
"definitions":[
": condition of having (such) blood",
": condition of having (a specified thing) in the blood"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"New Latin -emia, -aemia , from Greek -aimia , from haima blood"
],
"first_known_use":[],
"time_of_retrieval":"20220705-104623"
}
}

View File

@ -0,0 +1,36 @@
{
"411":{
"type":[
"noun"
],
"definitions":[
": relevant information : skinny"
],
"pronounciation":[
"\u02c8f\u022fr-\u02c8w\u0259n-\u02c8w\u0259n"
],
"synonyms":[
"advice(s)",
"gen",
"info",
"information",
"intelligence",
"item",
"news",
"story",
"tidings",
"uncos",
"word"
],
"antonyms":[],
"examples":[
"received a call from their daughter, who excitedly gave them the 411 on all that had happened to her since arriving on campus",
"a guide that will give you the 411 on what's hot and what's not"
],
"history_and_etymology":"from the telephone number 411 used to reach directory assistance",
"first_known_use":[
"1985, in the meaning defined above"
],
"time_of_retrieval":"20220628-121144"
}
}

View File

@ -0,0 +1,51 @@
{
"86":{
"type":[
"verb"
],
"definitions":[
": to refuse to serve (a customer)",
": to eject or ban (a customer)",
": to eject, dismiss, or remove (someone)",
": to remove (an item) from a menu : to no longer offer (an item) to customers",
": to reject, discontinue, or get rid of (something)"
],
"pronounciation":[
"\u02cc\u0101-t\u0113-\u02c8siks"
],
"synonyms":[
"cashier",
"cast (off)",
"chuck",
"deep-six",
"discard",
"ditch",
"dump",
"exorcise",
"exorcize",
"fling (off ",
"jettison",
"junk",
"lay by",
"lose",
"pitch",
"reject",
"scrap",
"shed",
"shuck (off)",
"slough (off)",
"sluff (off)",
"throw away",
"throw out",
"toss",
"unload"
],
"antonyms":[],
"examples":[],
"history_and_etymology":"probably rhyming slang for nix entry 1 ",
"first_known_use":[
"1948, in the meaning defined at sense 2b"
],
"time_of_retrieval":"20220623-200450"
}
}

Binary file not shown.

89691
en_merriam_webster/a_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,72 @@
import json
import os
import random
import time
from collections import Counter
from pathlib import Path
import matplotlib.pyplot as plt
import numpy as np
from PIL import Image
from wordcloud import STOPWORDS, WordCloud
mw = dict()
for db_file in Path("./").glob("*mw.json"):
with open(db_file, "r") as f:
mw |= json.load(f)
print({k for k in mw if k[-1] == "x"})
print(mw["deep-six"])
exit()
def grey_color_func(
word, font_size, position, orientation, random_state=None, **kwargs
):
return "hsl(0, 0%%, %d%%)" % random.randint(60, 100)
# mask = np.array(Image.open(os.path.join(d, "stormtrooper_mask.png")))
word = "abhorrent"
text = " ".join(mw[word]["synonyms"] + [word])
wc = WordCloud(
max_words=200,
width=1920,
height=1080,
margin=10,
min_font_size=40,
max_font_size=100,
random_state=1,
).generate(text)
default_colors = wc.to_array()
# plt.title("Custom colors")
# plt.imshow(wc.recolor(color_func=grey_color_func, random_state=3),
# interpolation="bilinear")
plt.figure()
plt.title(word)
plt.imshow(default_colors, interpolation="bilinear")
plt.axis("off")
plt.show()
exit()
# letters = {k[0] for k in mw}
# start = time.time()
# for c in letters:
# c_db = {k:v for k,v in mw.items() if k[0] == c}
# with open(f"{c}_mw.json", "w") as f: # save DB
# json.dump(c_db, f, separators=(",", ":"), indent=2)
# print(time.time() - start)
# exit()
# types = {w["word"] for w in mw if not w["history_and_etymology"]}
types = [w["type"] for w in mw]
print(len(types))
new_mw = {w["word"]: {k: v for k, v in w.items() if k != "word"} for w in mw}
print(new_mw)
print(len(new_mw))
with open("new_mw.json", "w") as f:
json.dump(new_mw, f, separators=(",", ":"), indent=2)

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

98552
en_merriam_webster/b_mw.json Normal file

File diff suppressed because it is too large Load Diff

19105
en_merriam_webster/ba_mw.json Normal file

File diff suppressed because it is too large Load Diff

18022
en_merriam_webster/be_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

12242
en_merriam_webster/bl_mw.json Normal file

File diff suppressed because it is too large Load Diff

15820
en_merriam_webster/bo_mw.json Normal file

File diff suppressed because it is too large Load Diff

13131
en_merriam_webster/br_mw.json Normal file

File diff suppressed because it is too large Load Diff

12907
en_merriam_webster/bu_mw.json Normal file

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,752 @@
{
"by and large":{
"type":[
"adverb"
],
"definitions":[
": on the whole : in general"
],
"pronounciation":[],
"synonyms":[
"altogether",
"basically",
"chiefly",
"generally",
"largely",
"mainly",
"mostly",
"overall",
"predominantly",
"primarily",
"principally",
"substantially"
],
"antonyms":[],
"examples":[
"by and large , that information is accurate",
"Recent Examples on the Web",
"Study after study shows that the kids who get hospitalized for Covid-19 are, by and large , those who are unvaccinated ... \u2014 Richard Galant, CNN , 13 Mar. 2022",
"Our tuition dollar is lower by and large , than a lot of our regional peer institutions. \u2014 al , 31 Jan. 2022",
"And these were, by and large , students who had just been cleared to attend school in the baseline testing the week before. \u2014 Los Angeles Times , 20 Jan. 2022",
"People were, by and large , returning to normal life. \u2014 Jamie Ducharme, Time , 12 Aug. 2021",
"With earnings season by and large in the rearview mirror, that leaves the focus on any economic data to be released in the coming weeks. \u2014 Jj Kinahan, Forbes , 6 June 2022",
"So his calculus on when to engage is still, by and large , based on intuition. \u2014 Fortune , 2 June 2022",
"Those chosen, by and large , are lauded for having a positive impact on the world, but some on the list are simply acknowledged for having great power. \u2014 Mary Colurso | Mcolurso@al.com, al , 23 May 2022",
"The effort is there, but by and large , most attempts to move the needle on well-being have been frustrating failures. \u2014 Tessa West, WSJ , 2 May 2022"
],
"history_and_etymology":[],
"first_known_use":[
"1707, in the meaning defined above"
],
"time_of_retrieval":"20220623-204711"
},
"bygone":{
"type":[
"adjective",
"noun"
],
"definitions":[
": gone by : past",
": outmoded",
": gone by : past",
": an event that is over and done with"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccg\u022fn",
"also",
"\u02c8b\u012b-\u02ccg\u022fn"
],
"synonyms":[
"bypast",
"dead",
"defunct",
"departed",
"done",
"expired",
"extinct",
"gone",
"nonextant",
"vanished"
],
"antonyms":[
"alive",
"existent",
"existing",
"extant",
"living"
],
"examples":[
"the bygone days of our ancestors",
"The stone wall is from a bygone age.",
"Recent Examples on the Web",
"While the 2,900-square-foot residence has been modernly updated, there are several remaining features that tell the story of a bygone era, including the Fortuny silk headboard and walls in the primary suite that Garbo installed. \u2014 Emma Reynolds, Robb Report , 14 June 2022",
"The appeal of lavish period dramas that depict life in a bygone era is undeniable. \u2014 Dobrina Zhekova, Travel + Leisure , 5 June 2022",
"During this bygone era of mass political mobilization, adults saved some of themselves for the people around them and for civic service. \u2014 Carolyn Chen, CNN , 4 June 2022",
"His average sinker velocity of 90.3 mph is a relic of a bygone era, sitting in just the 12th percentile league-wide \u2014 an especially striking sight coming from a 6-foot-4 left-hander who looks the part of a fireballer. \u2014 Theo Mackie, The Arizona Republic , 3 June 2022",
"The roads and parkways are dilapidated and overcrowded, as they\u2019ve been built in a bygone era and are not wide enough to cater to the massive growth in population. \u2014 Jack Kelly, Forbes , 2 June 2022",
"From Lady Mary's fashionable ball gowns to Mr. Carson's butler's uniform, the costumes used in Downton Abbey have the ability to transform an actor, and take the viewer back to a bygone era. \u2014 Caroline Hallemann, Town & Country , 17 May 2022",
"The pastel-yellow wedding-cake design of what\u2019s now known as the Grand Hotel Tremezzo still recalls a bygone era of tourism. \u2014 Adam H. Graham, WSJ , 17 May 2022",
"Originally built to house residents\u2019 driving horses and even the family milk cows and chickens, most of these relics of a bygone era have today been modified into garages to house automobiles, according to officials. \u2014 Chicago Tribune , 16 May 2022"
],
"history_and_etymology":[],
"first_known_use":[
"15th century, in the meaning defined above"
],
"time_of_retrieval":"20220623-215457"
},
"bylaw":{
"type":[
"noun"
],
"definitions":[
": a rule adopted by an organization chiefly for the government of its members and the regulation of its affairs",
": a local ordinance",
": a rule adopted by an organization chiefly for the government of its members and the management of its affairs",
": a local ordinance"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccl\u022f",
"\u02c8b\u012b-\u02ccl\u022f"
],
"synonyms":[
"ground rule",
"reg",
"regulation",
"rule"
],
"antonyms":[],
"examples":[
"the club's bylaws bar any member whose annual dues remain unpaid from voting in the election",
"Recent Examples on the Web",
"Meanwhile, debate over the bylaw has continued to ripple across the island. \u2014 Globe Staff, BostonGlobe.com , 5 June 2022",
"An eligibility bylaw will allow a student manager or students with an intellectual or physical disability to participate one time in a varsity contest without needing to meet OHSAA academic requirements. \u2014 Matt Goul, cleveland , 17 May 2022",
"The NCAA Sports Medicine Handbook, a document frequently referenced in the case, has guidelines to prevent exertional rhabdomyolysis, but they are not codified in NCAA bylaw and thus carry no penalty for noncompliance. \u2014 James Crepea | The Oregonian/oregonlive, oregonlive , 5 May 2022",
"The Gender Equality on Beaches bylaw amendment passed with a vote of 327-242 following a debate at the annual town meeting in Nantucket. \u2014 Kim Elsesser, Forbes , 5 May 2022",
"The bylaw , proposed by seventh-generation Nantucket resident Dorothy Stover, was passed with a 327-242 vote by the Gender Equality on Beaches, according to WCVB. \u2014 Fox News , 5 May 2022",
"In a way, a ban that applies nationwide would feel more fair than Brookline\u2019s bylaw , Audy added. \u2014 NBC News , 24 Dec. 2021",
"But there\u2019s something else to know: Before a bylaw can be voted upon, conference rules require it to be officially proposed to the board in a motion. \u2014 Gregg Doyel, The Indianapolis Star , 10 Feb. 2022",
"But the sorority\u2019s national leaders opposed the expulsion, citing a bylaw stating that members cannot be punished for actions before joining the group. \u2014 Jeong Park Staff Writer, Los Angeles Times , 10 Feb. 2022"
],
"history_and_etymology":"Middle English bilawe , probably from Old Norse *b\u0233l\u01ebg , from Old Norse b\u0233r town + lag-, l\u01ebg law",
"first_known_use":[
"14th century, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-174626"
},
"bypass":{
"type":[
"noun",
"transitive verb",
"verb"
],
"definitions":[
": a passage to one side",
": a deflected route usually around a town",
": a channel carrying a fluid around a part and back to the main stream",
": shunt sense 1b",
": shunt sense 1c",
": a surgical procedure for the establishment of a shunt",
": to avoid by means of a bypass",
": to cause to follow a bypass",
": to neglect or ignore usually intentionally",
": circumvent",
": a road serving as a substitute route around a blocked or crowded area",
": to make a detour around",
": avoid sense 1 , forgo",
": a surgically established shunt",
": a surgical procedure for the establishment of a shunt",
"\u2014 see coronary artery bypass , gastric bypass , jejunoileal bypass"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccpas",
"\u02c8b\u012b-\u02ccpas",
"\u02c8b\u012b-\u02ccpas"
],
"synonyms":[
"circumnavigate",
"circumvent",
"detour",
"skirt"
],
"antonyms":[],
"examples":[
"Noun",
"The bridge is being rebuilt so we'll have to take the bypass .",
"Verb",
"To bypass the city, take the highway that circles it.",
"Is there a way to bypass the bridge construction?",
"He bypassed the manager and talked directly to the owner.",
"She managed to bypass the usual paperwork.",
"Recent Examples on the Web: Noun",
"Russin would have to open her brain and build a bypass around the aneurysm \u2014 a risky procedure. \u2014 Steve Lopez Columnist, Los Angeles Times , 16 Mar. 2022",
"The section of 26th Avenue between Kemman and Maple avenues has long been a bypass for motorists looking for a way to avoid heavy traffic and slower roadways when entering or driving through the Village. \u2014 Hank Beckman, chicagotribune.com , 24 Mar. 2022",
"Before the transplant, Bennett had been hospitalized for six weeks with a life-threatening arrhythmia and had been connected to a heart-lung bypass machine. \u2014 Elisha Fieldstadt, NBC News , 6 May 2022",
"Bennett survived the eight-hour procedure, but remained connected to a heart-lung bypass machine for a period of time after the surgery. \u2014 Jennifer Leman, Popular Mechanics , 10 Mar. 2022",
"Bennett was bedridden and on a heart-lung bypass machine at the University of Maryland Medical Center from October 2021 until the transplant surgery. \u2014 Karen Weintraub, USA TODAY , 9 Mar. 2022",
"The remaining patients Tuesday included 13 who were in intensive care, 12 who were on ventilators and one who was on a heart-lung bypass machine, Taylor said. \u2014 Andy Davis, Arkansas Online , 16 Feb. 2022",
"People in the Pacific Northwest medical community heard of a doctor in Washington who got COVID-19 and had to go on a heart-lung bypass machine. \u2014 Michael Armstrong, Anchorage Daily News , 17 Jan. 2022",
"Bennett could be taken off the bypass machine as early as Tuesday, if all goes well, his doctors said. \u2014 Katie Campione, PEOPLE.com , 10 Jan. 2022",
"Recent Examples on the Web: Verb",
"By tapping into a host kitchen network, cloud concepts can avoid the massive outlay of capital needed to launch a ghost kitchen and bypass the long time to scale in organic expansion. \u2014 Rishi Nigam, Forbes , 8 June 2022",
"To bypass these restrictions amidst the national shortage, the Ohio Department of Health applied for two waivers on May 18. \u2014 Victoria Moorwood, The Enquirer , 6 June 2022",
"One of the passwords let the investigators bypass the encryption on the virtual machine. \u2014 Patrick Radden Keefe, The New Yorker , 6 June 2022",
"One reason: consumers continue to ditch or bypass legacy cable TV at a rapid pace. \u2014 Stephen Battaglio, Los Angeles Times , 6 May 2022",
"This software allows judges to approve no-knock warrants with the click of a button and bypass the face-to-face process that usually involves an officer meeting with a judge in person. \u2014 Washington Post , 5 May 2022",
"The Equality Act, which passed in the House in a 224-206 vote largely along party lines in February 2021, doesn\u2019t have the 60 votes needed to bypass a filibuster in the Senate. \u2014 NBC News , 3 May 2022",
"Canada, home to the largest Ukrainian diaspora in the world after Russia, expanded its support to Ukrainians with a temporary Canada-Ukraine Authorization for Emergency Travel program to bypass lengthy immigration processes. \u2014 Lenora Chu, The Christian Science Monitor , 26 Apr. 2022",
"The state took over the project and ownership of the land from the JDA to bypass zoning votes. \u2014 J. Scott Trubey, ajc , 26 Apr. 2022"
],
"history_and_etymology":[],
"first_known_use":[
"Noun",
"1848, in the meaning defined at sense 1",
"Verb",
"1736, in the meaning defined at sense 1a"
],
"time_of_retrieval":"20220623-213712"
},
"byword":{
"type":[
"noun"
],
"definitions":[
": a proverbial saying : proverb",
": one that personifies a type",
": one that is noteworthy or notorious",
": epithet",
": a frequently used word or phrase"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccw\u0259rd"
],
"synonyms":[
"adage",
"aphorism",
"apothegm",
"epigram",
"maxim",
"proverb",
"saw",
"saying",
"sententia",
"word"
],
"antonyms":[],
"examples":[
"Mom's favorite byword is \u201cYou can get more flies with honey than with vinegar\u201d.",
"nationally, Beverly Hills' Rodeo Drive has become a byword for luxury retailing",
"Recent Examples on the Web",
"Their names were a byword for the very idea of Entertainment writ large. \u2014 Christina Catherine Martinez, Los Angeles Times , 8 June 2022",
"Over the past decade, Edirisa\u2019s hiking and dugout canoeing tours, run not-for-profit and providing employment opportunities for dozens of local people, have become a byword for culturally sensitive travel that goes beyond the guidebooks. \u2014 Outside Online , 18 May 2015",
"For now, a sorrowful procession arrives daily at the morgue in Bucha, a town whose name has become a byword for hideous suffering coming to light weeks after the fact. \u2014 Los Angeles Times , 20 Apr. 2022",
"Now Bucha is a byword for war crimes, like Srebrenica or My Lai. \u2014 Time , 14 Apr. 2022",
"In Nicaragua, President Daniel Ortega\u2019s Sandinista government has become a byword for overt power grabs and human rights abuses. \u2014 Whitney Eulich, The Christian Science Monitor , 29 Mar. 2022",
"The graying West looks fearfully to Japan \u2014 itself a byword for overpopulation in the early 20th century \u2014 where crashing fertility threatens government finances, the economy, and the social order at large. \u2014 Kevin D. Williamson, National Review , 17 Mar. 2022",
"These speakers are an exceptional creation that reignites the design, heritage and engineering brilliance that made B&O a byword for audio and design excellence back in the 1970s. \u2014 Mark Sparrow, Forbes , 25 Jan. 2022",
"Then, Los Angeles was a byword for racial unrest, still reeling from the uprising over the acquittal of four officers for beating Mr. King. \u2014 New York Times , 13 Feb. 2022"
],
"history_and_etymology":[],
"first_known_use":[
"before the 12th century, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-225432"
},
"by":{
"type":[
"adjective",
"adverb",
"interjection",
"noun",
"preposition"
],
"definitions":[
": in proximity to : near",
": into the vicinity of and beyond : past",
": through or through the medium (see medium entry 1 sense 2 ) of : via",
": in the direction of : toward",
": during the course of",
": not later than",
": through the agency (see agency sense 3 ) or instrumentality of",
": born or begot of",
": sired or borne by",
": with the witness or sanction (see sanction entry 1 sense 4c ) of",
": in conformity with",
": according to",
": with respect to",
": on behalf of",
": in or to the amount or extent of",
": in comparison with : beside",
": in the opinion of : from the point of view of",
": incidentally sense 2",
": past",
": at or to another's home",
": close at hand : near",
": aside , away",
": something of secondary importance : a side issue",
": being off the main route : side",
": incidental",
": close to : near",
": so as to go on",
": so as to go through",
": so as to pass",
": at sense 1 , during",
": no later than",
": with the use or help of",
": through the action of",
": according to sense 1",
": with respect to",
": to the amount of",
": near at hand",
": past entry 4",
": after a while"
],
"pronounciation":[
"\u02c8b\u012b",
"before consonants also",
"\u02c8b\u012b",
"\u02c8b\u012b",
"\u02c8b\u012b",
"\u02c8b\u012b",
"b\u012b"
],
"synonyms":[
"through",
"via"
],
"antonyms":[
"around",
"close",
"hard",
"in",
"near",
"nearby",
"nigh"
],
"examples":[
"Recent Examples on the Web: Preposition",
"Heartbreakingly, despite best efforts by outreach teams, service providers often must stand by and watch if a person does not have the capacity to accept help. \u2014 Jim Vargas, San Diego Union-Tribune , 20 June 2022",
"By the time Licht took over CNN in the spring, the network was grappling with what one staffer described as an identity crisis, struggling to find a purpose after spending the Trump years doing hour- by -hour critiques of his presidency. \u2014 Gerry Smith, Anchorage Daily News , 20 June 2022",
"Judges award Huber privileges on a case- by -case basis for offenses such as drunk driving, low-level drug crimes or others. \u2014 Lydia Morrell, Journal Sentinel , 20 June 2022",
"The former Bridgerton star is keeping busy\u2014not only by starring alongside Ryan Gosling, Chris Evans, and Ana de Armas in The Gray Man, a new thriller out on July 15, but also as the new face of Armani Code Parfum. \u2014 Lindy Segal, Harper's BAZAAR , 20 June 2022",
"Swimmers walk back from the sea after a summer solstice dip in Saltburn- by -the-Sea, England, on June 21, 2021. \u2014 Forrest Brown, CNN , 20 June 2022",
"With Vice President Kamala Harris, the first Black woman to hold the second-highest office in the executive branch, by his side, President Joe Biden signed the Juneteenth National Independence Day Act into law last year, on June 17, 2021. \u2014 Jamia Pugh, ABC News , 19 June 2022",
"Maldonado already knew McLeod \u2014 not well, but definitely by reputation. \u2014 Marisa Kabas, Rolling Stone , 19 June 2022",
"Living closer to the edge Even before this latest inflationary burst, millions of Americans were scraping by . \u2014 Russ Wiles, USA TODAY , 19 June 2022",
"Recent Examples on the Web: Adverb",
"As the years went by , these trips into the Wallowa Mountains became multigenerational. \u2014 Britta Lokting, Washington Post , 14 June 2022",
"As the years went by , and the pandemic restricted in-person services and events, 10 other municipalities joined the agency. \u2014 Alixel Cabrera, The Salt Lake Tribune , 13 June 2022",
"Years went by without the bodies being identified and without progress in the missing persons case. \u2014 Natalie Neysa Alund, USA TODAY , 9 June 2022",
"Not a minute went by without motorcycles bawling past us. \u2014 New York Times , 9 June 2022",
"As the years went by , the jingle from the federal piggy bank diminished, but the freeways stayed on the drawing boards and in the minds of highway project planners. \u2014 Los Angeles Times , 7 June 2022",
"The royal siblings were spotted snacking, waving and dancing to the music as the floats and performers went by . \u2014 Monique Jessen, PEOPLE.com , 5 June 2022",
"Two months went by without any visits at all until May 24, when an investigator visited the family and spoke with the mother and the child. \u2014 Chicago Tribune , 3 June 2022",
"Siddharth Menon, the co-founder of WazirX, told CNN Business that following the announcement, his platform saw daily sign-ups jump by over 50%. \u2014 Diksha Madhok, CNN , 3 Mar. 2022",
"Recent Examples on the Web: Noun",
"The Cambridge family took in the traditional fly- by . \u2014 Lauren Hubbard, Town & Country , 3 June 2022",
"The Tom Cruise actioner had a spectacular red carpet premiere in Cannes on Wednesday, which even featured a fly- by from a squadron of French fighter jets. \u2014 Scott Roxborough, The Hollywood Reporter , 19 May 2022",
"What is the name of the asteroid that NASA's Osiris Rex spacecraft is preparing to leave after collecting a sample and conducting a recent fly- by ? \u2014 CNN , 16 Apr. 2021",
"In 2111, the probe will have a fly- by near the planet that lasts about two minutes. \u2014 Steven Litt, cleveland , 6 Dec. 2020",
"Winemakers often bleed off juice to add intensity to their red wines, in this way the resulting ros\u00e9 is really a by -product of red wine. \u2014 Katie Kelly Bell, Forbes , 26 Apr. 2022",
"City workers were on stand- by , ready with axes, picks and crowbars to raze the market to the ground before anyone could protest the ruling. \u2014 Jeff Suess, The Enquirer , 22 Apr. 2022",
"The mass resignations will require fresh by -elections in well over 100 seats. \u2014 NBC News , 11 Apr. 2022",
"In another instance of character-building- by -tailoring, Richie\u2014the hothead son of a local crime boss\u2014is seen in a Harrison\u2019s camel-hair overcoat with too-wide shoulders, aggressive lapels and turnback cuffs. \u2014 Eric Twardzik, Robb Report , 17 Mar. 2022",
"Recent Examples on the Web: Adjective",
"Running backs coach Mike Jinks reiterated USC wants to employ less of a by -committee approach this fall, and Ingram has the look of a workhorse, with the ability to do damage in space and between the tackles. \u2014 Ryan Kartje, Los Angeles Times , 1 May 2021",
"About 500 fast charging stalls will go live the by end of this year, GM said. \u2014 Jamie L. Lareau, Detroit Free Press , 28 Apr. 2021",
"But even Alabama must face this stark reality: Smith, Waddle and Harris were generational talents capable of being replaced only with a by -committee approach. \u2014 USA Today , 16 Apr. 2021",
"Clouds will increase by evening as the next rainy front approaches. \u2014 oregonlive , 29 Apr. 2020",
"Partly sunny skies emerge for all by afternoon as temperatures struggle to move past the 30s to low 40s for highs. \u2014 Matt Rogers, Washington Post , 10 Dec. 2019",
"Horton was a familiar face in the community by sight, if not by name. \u2014 Susan Hoffman, Daily Pilot , 15 July 2019",
"JoJo\u2019 Robar, if not by name then by description \u2014 that guy with the 200-watt smile and his three-wheeled bike who rode all over, collecting cans and friends. \u2014 Bill Leukhardt, Courant Community , 13 June 2018",
"In the church\u2019s library, retired religion scholar Herb Burhenn unpacks John 16 verse by verse as a dozen seniors seated around a long table listen and nod deferentially. \u2014 G. Jeffrey Macdonald, The Christian Science Monitor , 30 Oct. 2017"
],
"history_and_etymology":"Preposition, Adverb, Noun, and Adjective",
"first_known_use":[
"Preposition",
"before the 12th century, in the meaning defined at sense 1",
"Adverb",
"before the 12th century, in the meaning defined at sense 2b",
"Noun",
"1567, in the meaning defined above",
"Adjective",
"14th century, in the meaning defined at sense 1",
"Interjection",
"1709, in the meaning defined above"
],
"time_of_retrieval":"20220624-130315"
},
"byzantine":{
"type":[
"adjective",
"noun"
],
"definitions":[
": of, relating to, or characteristic of the ancient city of Byzantium",
": of, relating to, or having the characteristics of a style of architecture developed in the Byzantine Empire especially in the fifth and sixth centuries featuring the dome carried on pendentives over a square and incrustation with marble veneering and with colored mosaics on grounds of gold",
": of or relating to the churches using a traditional Greek rite and subject to Eastern (see eastern sense 2 ) canon law",
": of, relating to, or characterized by a devious and usually surreptitious manner of operation",
": intricately involved : labyrinthine",
": a native or inhabitant of Byzantium"
],
"pronounciation":[
"\u02c8bi-z\u1d4an-\u02cct\u0113n",
"\u02c8b\u012b-",
"-\u02cct\u012bn",
"b\u0259-\u02c8zan-\u02cct\u0113n",
"b\u012b-\u02c8zan-"
],
"synonyms":[
"baroque",
"complex",
"complicate",
"complicated",
"convoluted",
"daedal",
"elaborate",
"intricate",
"involute",
"involved",
"knotty",
"labyrinthian",
"labyrinthine",
"sophisticated",
"tangled"
],
"antonyms":[
"noncomplex",
"noncomplicated",
"plain",
"simple",
"uncomplicated"
],
"examples":[],
"history_and_etymology":[],
"first_known_use":[
"Adjective",
"1651, in the meaning defined at sense 1",
"Noun",
"1651, in the meaning defined above"
],
"time_of_retrieval":"20220624-202807"
},
"by and by":{
"type":[
"adverb",
"noun"
],
"definitions":[
": a future time or occasion",
": before long , soon"
],
"pronounciation":[
"\u02ccb\u012b-\u0259n-\u02c8b\u012b"
],
"synonyms":[
"future",
"futurity",
"hereafter",
"offing",
"tomorrow"
],
"antonyms":[
"anon",
"before long",
"directly",
"momentarily",
"presently",
"shortly",
"soon"
],
"examples":[
"Adverb",
"we'll get under way by and by"
],
"history_and_etymology":[],
"first_known_use":[
"Noun",
"1591, in the meaning defined above",
"Adverb",
"1526, in the meaning defined above"
],
"time_of_retrieval":"20220625-230157"
},
"bypast":{
"type":[
"adjective"
],
"definitions":[
": bygone"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccpast"
],
"synonyms":[
"bygone",
"dead",
"defunct",
"departed",
"done",
"expired",
"extinct",
"gone",
"nonextant",
"vanished"
],
"antonyms":[
"alive",
"existent",
"existing",
"extant",
"living"
],
"examples":[
"those bypast days when gasoline was cheap"
],
"history_and_etymology":[],
"first_known_use":[
"15th century, in the meaning defined above"
],
"time_of_retrieval":"20220627-120617"
},
"byname":{
"type":[
"noun"
],
"definitions":[
": a secondary name",
": nickname"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccn\u0101m"
],
"synonyms":[
"alias",
"cognomen",
"epithet",
"handle",
"moniker",
"monicker",
"nickname",
"sobriquet",
"soubriquet",
"surname"
],
"antonyms":[],
"examples":[
"Thomas Edward Lawrence is better known to most people by his byname , Lawrence of Arabia."
],
"history_and_etymology":[],
"first_known_use":[
"14th century, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220627-132038"
},
"by-blow":{
"type":[
"noun"
],
"definitions":[
": an indirect blow",
": a child born to parents who are not married to each other",
": a secondary or unintended consequence"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccbl\u014d"
],
"synonyms":[
"bastard",
"love child",
"whoreson"
],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[
"1590, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220628-100610"
},
"by-and-by":{
"type":[
"adverb",
"noun"
],
"definitions":[
": a future time or occasion",
": before long , soon"
],
"pronounciation":[
"\u02ccb\u012b-\u0259n-\u02c8b\u012b"
],
"synonyms":[
"future",
"futurity",
"hereafter",
"offing",
"tomorrow"
],
"antonyms":[
"anon",
"before long",
"directly",
"momentarily",
"presently",
"shortly",
"soon"
],
"examples":[
"Adverb",
"we'll get under way by and by"
],
"history_and_etymology":[],
"first_known_use":[
"Noun",
"1591, in the meaning defined above",
"Adverb",
"1526, in the meaning defined above"
],
"time_of_retrieval":"20220629-143949"
},
"by ambulance":{
"type":[
"idiom"
],
"definitions":[
": in an ambulance"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-042851"
},
"by-altar":{
"type":[
"noun"
],
"definitions":[
": a side altar : a secondary altar"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220630-130505"
},
"by-alley":{
"type":[
"noun"
],
"definitions":[
": a side alley"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220701-112201"
},
"by-product":{
"type":[
"noun"
],
"definitions":[
": something produced in a usually industrial or biological process in addition to the principal product",
": a secondary and sometimes unexpected or unintended result",
": something produced (as in manufacturing) in addition to the main product"
],
"pronounciation":[
"\u02c8b\u012b-\u02ccpr\u00e4-(\u02cc)d\u0259kt",
"\u02c8b\u012b-\u02ccpr\u00e4-d\u0259kt"
],
"synonyms":[
"derivate",
"derivation",
"derivative",
"offshoot",
"outgrowth",
"spin-off"
],
"antonyms":[
"origin",
"root",
"source"
],
"examples":[],
"history_and_etymology":[],
"first_known_use":[
"1849, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220704-180653"
},
"by air":{
"type":[
"idiom"
],
"definitions":[
": by flying in airplanes"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220704-200922"
},
"by-product coke":{
"type":[
"noun"
],
"definitions":[
": coke made in a by-product oven, usually obtained in various sizes, and when made by high-temperature carbonization having great structural strength and being especially suitable for use in blast furnaces and cupola furnaces"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220705-085033"
},
"by-product oven":{
"type":[
"noun"
],
"definitions":[
": a coke oven consisting typically of rows of long narrow coking chambers that alternate with flues in which fuel gas is burned, used especially for high-temperature and medium-temperature carbonization of coal, and having provision for recovery of volatile products (such as gas, ammonia, light oils, and tar)"
],
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"examples":[],
"history_and_etymology":[],
"first_known_use":[],
"time_of_retrieval":"20220705-110257"
},
"Byrd":{
"type":[
"biographical name"
],
"definitions":{
"Richard Evelyn 1888\u20131957 American admiral and polar explorer":[],
"William 1543\u20131623 English composer":[]
},
"pronounciation":[
"\u02c8b\u0259rd"
],
"synonyms":[],
"antonyms":[],
"synonym_discussion":"",
"examples":[],
"history_and_etymology":{},
"first_known_use":{},
"time_of_retrieval":"20220706-105514"
}
}

159426
en_merriam_webster/c_mw.json Normal file

File diff suppressed because it is too large Load Diff

25645
en_merriam_webster/ca_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

21406
en_merriam_webster/ch_mw.json Normal file

File diff suppressed because it is too large Load Diff

13695
en_merriam_webster/cl_mw.json Normal file

File diff suppressed because it is too large Load Diff

68466
en_merriam_webster/co_mw.json Normal file

File diff suppressed because it is too large Load Diff

13959
en_merriam_webster/cr_mw.json Normal file

File diff suppressed because it is too large Load Diff

121150
en_merriam_webster/d_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

41460
en_merriam_webster/de_mw.json Normal file

File diff suppressed because it is too large Load Diff

37935
en_merriam_webster/di_mw.json Normal file

File diff suppressed because it is too large Load Diff

15111
en_merriam_webster/do_mw.json Normal file

File diff suppressed because it is too large Load Diff

10457
en_merriam_webster/dr_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

65969
en_merriam_webster/e_mw.json Normal file

File diff suppressed because it is too large Load Diff

14398
en_merriam_webster/en_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,747 @@
{
"Eternal":{
"type":[
"adjective",
"adverb",
"noun",
"transitive verb"
],
"definitions":[
": having infinite duration : everlasting",
": of or relating to eternity",
": characterized by abiding fellowship with God",
": continued without intermission : perpetual",
": seemingly endless",
": infernal",
": valid or existing at all times : timeless",
": god sense 1",
": something eternal",
": lasting forever : having no beginning and no end",
": continuing without interruption : seeming to last forever"
],
"pronounciation":[
"i-\u02c8t\u0259r-n\u1d4al",
"i-\u02c8t\u0259r-n\u1d4al"
],
"synonyms":[
"abiding",
"ageless",
"continuing",
"dateless",
"enduring",
"everlasting",
"immortal",
"imperishable",
"lasting",
"ongoing",
"perennial",
"perpetual",
"timeless",
"undying"
],
"antonyms":[
"Allah",
"Almighty",
"Author",
"Creator",
"deity",
"Divinity",
"Everlasting",
"Father",
"God",
"Godhead",
"Jehovah",
"King",
"Lord",
"Maker",
"Providence",
"Supreme Being",
"Yahweh",
"Jahveh",
"Yahveh"
],
"examples":[
"Adjective",
"the eternal flames of hell",
"in search of eternal wisdom",
"When will his eternal whining stop?",
"Recent Examples on the Web: Adjective",
"Ancient cultures from the Chinese to the Hebrews hung evergreen branches over doors to symbolize eternal life. \u2014 Faith Bottum, WSJ , 23 Dec. 2021",
"What could be a more consistent expression of the will to power than wanting eternal life for yourself, and dismissing concerns about a global pandemic as overblown? \u2014 Moira Weigel, The New Republic , 20 Dec. 2021",
"But despite her failings, that cat must have the gift of eternal life. \u2014 Irv Erdos Columnist, San Diego Union-Tribune , 14 Nov. 2021",
"Paxton plays this vamp as a floppy-haired hick punk who\u2019s having way too much fun being an undead psychopath on the open range, spending his eternal life wreaking bloody havoc. \u2014 Vulture Editors, Vulture , 25 Oct. 2021",
"Green is also a color closely linked to paradise, salvation and eternal life in Islam, the religion practiced by the Mughal rulers. \u2014 CNN , 14 Sep. 2021",
"To lead the survivors of the human race to an eternal life while the rest of society burned. \u2014 Jonathan Vigliotti, CBS News , 1 Sep. 2021",
"The project did not confer eternal life on either of its makers. \u2014 Diana Budds, Curbed , 19 Aug. 2021",
"The Dark Crystal is more fantasy than horror, set in a world of magical creatures like Gelflings and Skeksis locked in eternal struggle over the universe. \u2014 Marisa Lascala, Good Housekeeping , 20 May 2022",
"Recent Examples on the Web: Noun",
"These ancient seas and islands offer some reassuring glimpse of the eternal . \u2014 Stanley Stewart, Travel + Leisure , 24 Apr. 2022",
"Youth, like hope, seemingly springs eternal at the dawn of a new season. \u2014 New York Times , 8 Apr. 2022",
"But hope springs eternal , maybe more so in baseball than anywhere else. \u2014 John Wilkens, San Diego Union-Tribune , 10 Apr. 2022",
"More significantly, if life eternal is to know the only true God, as John 17:3 states, is their salvation at stake? \u2014 The Salt Lake Tribune , 26 Mar. 2022",
"Hope wasn\u2019t given much of a chance to spring eternal on Monday for the Diamondbacks. \u2014 Nick Piecoro, The Arizona Republic , 14 Mar. 2022",
"Hope springs eternal , though, as the two never confirmed their breakup with an official statement. \u2014 Los Angeles Times , 22 Feb. 2022",
"Hope for the success of the alien apocalypse springs eternal . \u2014 Kathryn Vanarendonk, Vulture , 22 Oct. 2021",
"But just like every team in the NFL, hope springs eternal in Week 1. \u2014 David Moore, Dallas News , 9 Sep. 2021"
],
"history_and_etymology":"Adjective",
"first_known_use":[
"Adjective",
"14th century, in the meaning defined at sense 1a",
"Noun",
"1573, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-203016"
},
"eternal":{
"type":"adjective",
"definitions":[
"having infinite duration everlasting",
"of or relating to eternity",
"characterized by abiding fellowship with God",
"continued without intermission perpetual",
"seemingly endless",
"infernal",
"valid or existing at all times timeless",
"god sense 1",
"something eternal",
"lasting forever having no beginning and no end",
"continuing without interruption seeming to last forever"
],
"pronounciation":"i-\u02c8t\u0259r-n\u1d4al",
"synonyms":[
"abiding",
"ageless",
"continuing",
"dateless",
"enduring",
"everlasting",
"immortal",
"imperishable",
"lasting",
"ongoing",
"perennial",
"perpetual",
"timeless",
"undying"
],
"antonyms":[
"Allah",
"Almighty",
"Author",
"Creator",
"deity",
"Divinity",
"Everlasting",
"Father",
"God",
"Godhead",
"Jehovah",
"King",
"Lord",
"Maker",
"Providence",
"Supreme Being",
"Yahweh",
"Jahveh",
"Yahveh"
],
"examples":[
"Adjective",
"the eternal flames of hell",
"in search of eternal wisdom",
"When will his eternal whining stop?",
"Recent Examples on the Web Adjective",
"Ancient cultures from the Chinese to the Hebrews hung evergreen branches over doors to symbolize eternal life. \u2014 Faith Bottum, WSJ , 23 Dec. 2021",
"What could be a more consistent expression of the will to power than wanting eternal life for yourself, and dismissing concerns about a global pandemic as overblown? \u2014 Moira Weigel, The New Republic , 20 Dec. 2021",
"But despite her failings, that cat must have the gift of eternal life. \u2014 Irv Erdos Columnist, San Diego Union-Tribune , 14 Nov. 2021",
"Paxton plays this vamp as a floppy-haired hick punk who\u2019s having way too much fun being an undead psychopath on the open range, spending his eternal life wreaking bloody havoc. \u2014 Vulture Editors, Vulture , 25 Oct. 2021",
"Green is also a color closely linked to paradise, salvation and eternal life in Islam, the religion practiced by the Mughal rulers. \u2014 CNN , 14 Sep. 2021",
"To lead the survivors of the human race to an eternal life while the rest of society burned. \u2014 Jonathan Vigliotti, CBS News , 1 Sep. 2021",
"The project did not confer eternal life on either of its makers. \u2014 Diana Budds, Curbed , 19 Aug. 2021",
"The Dark Crystal is more fantasy than horror, set in a world of magical creatures like Gelflings and Skeksis locked in eternal struggle over the universe. \u2014 Marisa Lascala, Good Housekeeping , 20 May 2022",
"Recent Examples on the Web Noun",
"These ancient seas and islands offer some reassuring glimpse of the eternal . \u2014 Stanley Stewart, Travel + Leisure , 24 Apr. 2022",
"Youth, like hope, seemingly springs eternal at the dawn of a new season. \u2014 New York Times , 8 Apr. 2022",
"But hope springs eternal , maybe more so in baseball than anywhere else. \u2014 John Wilkens, San Diego Union-Tribune , 10 Apr. 2022",
"More significantly, if life eternal is to know the only true God, as John 17 3 states, is their salvation at stake? \u2014 The Salt Lake Tribune , 26 Mar. 2022",
"Hope wasn\u2019t given much of a chance to spring eternal on Monday for the Diamondbacks. \u2014 Nick Piecoro, The Arizona Republic , 14 Mar. 2022",
"Hope springs eternal , though, as the two never confirmed their breakup with an official statement. \u2014 Los Angeles Times , 22 Feb. 2022",
"Hope for the success of the alien apocalypse springs eternal . \u2014 Kathryn Vanarendonk, Vulture , 22 Oct. 2021",
"But just like every team in the NFL, hope springs eternal in Week 1. \u2014 David Moore, Dallas News , 9 Sep. 2021"
],
"history_and_etymology":"Adjective",
"first_known_use":[
"Adjective",
"14th century, in the meaning defined at sense 1a",
"Noun",
"1573, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-090000"
},
"eternally":{
"type":[
"adjective",
"adverb",
"noun",
"transitive verb"
],
"definitions":[
": having infinite duration : everlasting",
": of or relating to eternity",
": characterized by abiding fellowship with God",
": continued without intermission : perpetual",
": seemingly endless",
": infernal",
": valid or existing at all times : timeless",
": god sense 1",
": something eternal",
": lasting forever : having no beginning and no end",
": continuing without interruption : seeming to last forever"
],
"pronounciation":[
"i-\u02c8t\u0259r-n\u1d4al",
"i-\u02c8t\u0259r-n\u1d4al"
],
"synonyms":[
"abiding",
"ageless",
"continuing",
"dateless",
"enduring",
"everlasting",
"immortal",
"imperishable",
"lasting",
"ongoing",
"perennial",
"perpetual",
"timeless",
"undying"
],
"antonyms":[
"Allah",
"Almighty",
"Author",
"Creator",
"deity",
"Divinity",
"Everlasting",
"Father",
"God",
"Godhead",
"Jehovah",
"King",
"Lord",
"Maker",
"Providence",
"Supreme Being",
"Yahweh",
"Jahveh",
"Yahveh"
],
"examples":[
"Adjective",
"the eternal flames of hell",
"in search of eternal wisdom",
"When will his eternal whining stop?",
"Recent Examples on the Web: Adjective",
"Ancient cultures from the Chinese to the Hebrews hung evergreen branches over doors to symbolize eternal life. \u2014 Faith Bottum, WSJ , 23 Dec. 2021",
"What could be a more consistent expression of the will to power than wanting eternal life for yourself, and dismissing concerns about a global pandemic as overblown? \u2014 Moira Weigel, The New Republic , 20 Dec. 2021",
"But despite her failings, that cat must have the gift of eternal life. \u2014 Irv Erdos Columnist, San Diego Union-Tribune , 14 Nov. 2021",
"Paxton plays this vamp as a floppy-haired hick punk who\u2019s having way too much fun being an undead psychopath on the open range, spending his eternal life wreaking bloody havoc. \u2014 Vulture Editors, Vulture , 25 Oct. 2021",
"Green is also a color closely linked to paradise, salvation and eternal life in Islam, the religion practiced by the Mughal rulers. \u2014 CNN , 14 Sep. 2021",
"To lead the survivors of the human race to an eternal life while the rest of society burned. \u2014 Jonathan Vigliotti, CBS News , 1 Sep. 2021",
"The project did not confer eternal life on either of its makers. \u2014 Diana Budds, Curbed , 19 Aug. 2021",
"The Dark Crystal is more fantasy than horror, set in a world of magical creatures like Gelflings and Skeksis locked in eternal struggle over the universe. \u2014 Marisa Lascala, Good Housekeeping , 20 May 2022",
"Recent Examples on the Web: Noun",
"These ancient seas and islands offer some reassuring glimpse of the eternal . \u2014 Stanley Stewart, Travel + Leisure , 24 Apr. 2022",
"Youth, like hope, seemingly springs eternal at the dawn of a new season. \u2014 New York Times , 8 Apr. 2022",
"But hope springs eternal , maybe more so in baseball than anywhere else. \u2014 John Wilkens, San Diego Union-Tribune , 10 Apr. 2022",
"More significantly, if life eternal is to know the only true God, as John 17:3 states, is their salvation at stake? \u2014 The Salt Lake Tribune , 26 Mar. 2022",
"Hope wasn\u2019t given much of a chance to spring eternal on Monday for the Diamondbacks. \u2014 Nick Piecoro, The Arizona Republic , 14 Mar. 2022",
"Hope springs eternal , though, as the two never confirmed their breakup with an official statement. \u2014 Los Angeles Times , 22 Feb. 2022",
"Hope for the success of the alien apocalypse springs eternal . \u2014 Kathryn Vanarendonk, Vulture , 22 Oct. 2021",
"But just like every team in the NFL, hope springs eternal in Week 1. \u2014 David Moore, Dallas News , 9 Sep. 2021"
],
"history_and_etymology":"Adjective",
"first_known_use":[
"Adjective",
"14th century, in the meaning defined at sense 1a",
"Noun",
"1573, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-222208"
},
"eternity":{
"type":"noun",
"definitions":[
"the quality or state of being eternal",
"infinite time",
"age sense 3b",
"the state after death immortality",
"a seemingly endless or immeasurable time",
"time without end",
"the state after death",
"a period of time that seems endless"
],
"pronounciation":"i-\u02c8t\u0259r-n\u0259-t\u0113",
"synonyms":[
"everlasting",
"foreverness",
"infinity",
"perpetuity"
],
"antonyms":[],
"examples":[
"They believed that sinners would spend eternity in hell.",
"We suffered through an eternity of delays during the lawsuit.",
"Recent Examples on the Web",
"That\u2019s why the gleaming black mountain walls rise to a mighty temple where the sounds of eternity can freely roar. \u2014 WSJ , 17 June 2022",
"The endless expanse of ocean conjures up the idea of eternity . \u2014 Los Angeles Times , 12 Apr. 2022",
"Do that, even in battle to have a clear understanding of eternity , for even those that hurt us, is a profound acceleration chains and burdens that can hold us back from loving. \u2014 Anchorage Daily News , 17 Mar. 2022",
"Conley also exhaled about holding up defensively for that full 17.9 seconds \u2014 something of an eternity in professional basketball. \u2014 Eric Walden, The Salt Lake Tribune , 7 Dec. 2021",
"His nearly seven-year tenure as creative director is something of an eternity in the current fashion system where folks hold that post for three or four years and then move on or are sent packing. \u2014 Robin Givhan, Washington Post , 15 Nov. 2021",
"One person\u2019s grave is marked by a tree trunk with a round rock on top, Capuano said the trunk represents a life cut short, and the stone is symbolic of eternity . \u2014 Emma Stein, Detroit Free Press , 10 Oct. 2021",
"Despite his best efforts, he was forced to keep pushing the rock up the hill for the rest of eternity . \u2014 Mario Fraioli, Outside Online , 24 Sep. 2021",
"There are a couple of clips that will live rent-free in my mind for the rest of eternity . \u2014 Brian Moylan, Vulture , 21 June 2021"
],
"history_and_etymology":"Middle English eternite , from Middle French eternit\u00e9 , from Latin aeternitat-, aeternitas , from aeternus ",
"first_known_use":[
"14th century, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-090000"
},
"ethical":{
"type":[
"adjective",
"adverb",
"noun"
],
"definitions":[
": of or relating to ethics",
": involving or expressing moral approval or disapproval",
": conforming to accepted standards of conduct",
": restricted to sale only on a doctor's prescription",
": involving questions of right and wrong : relating to ethics",
": following accepted rules of behavior",
": conforming to accepted professional standards of conduct",
": restricted to sale only on a doctor's prescription",
": an ethical drug",
": of or relating to ethics",
": conforming to accepted professional standards of conduct"
],
"pronounciation":[
"\u02c8e-thi-k\u0259l",
"\u02c8e-thi-k\u0259l",
"\u02c8eth-i-k\u0259l",
"\u02c8e-thi-k\u0259l"
],
"synonyms":[
"all right",
"decent",
"good",
"honest",
"honorable",
"just",
"moral",
"nice",
"right",
"right-minded",
"righteous",
"straight",
"true",
"upright",
"virtuous"
],
"antonyms":[
"bad",
"dishonest",
"dishonorable",
"evil",
"evil-minded",
"immoral",
"indecent",
"sinful",
"unethical",
"unrighteous",
"wicked",
"wrong"
],
"examples":[
"Some doctors feel that this procedure is not medically ethical .",
"the ethical behavior expected of every member of the police force",
"Recent Examples on the Web",
"In December, the anchor Chris Cuomo was fired for ethical lapses, prompting an investigation that ultimately led to Mr. Zucker\u2019s ouster in February over an undisclosed relationship with a co-worker. \u2014 New York Times , 5 June 2022",
"Since Hawai\u02bbi is one of the only places in the world where vanilla can grow, owner Malia Reddekopp\u2019s goal is to help create a viable new industry for Hawai\u02bbi in an ethical and sustainable way. \u2014 Sarah Burchard, Forbes , 2 June 2022",
"At the time, the HFPA was dealing with controversy resulting from a Times investigation that revealed ethical lapses and a lack of diversity within the organization. \u2014 Los Angeles Times , 6 May 2022",
"Since 2011, Fix the Court has logged 52 ethical lapses among justices appointed by Republicans and Democrats alike. \u2014 Ella Lee, USA TODAY , 28 Apr. 2022",
"Moral and ethical considerations rarely figure in a President's calculations, especially when the public is not all that concerned and the issue on the table is military intervention. \u2014 Aaron David Miller, CNN , 19 Apr. 2022",
"The weapons are prompting a fresh round of moral and ethical questions about their use, as more nations look to take advantage of the relatively cheap, lethal equipment. \u2014 Jacob Carpenter, Fortune , 29 Mar. 2022",
"The Hollywood Foreign Press Association, reeling from a public relations storm over ethical lapses and a lack of internal diversity, announced its awards winners on social media. \u2014 NBC News , 28 Feb. 2022",
"Robbing banks is her way of doing right for herself, without any moral or ethical judgement, and that\u2019s the most fascinating aspect of this story. \u2014 Holly Jones, Variety , 16 Feb. 2022"
],
"history_and_etymology":"Middle English etik , from Latin ethicus , from Greek \u0113thikos , from \u0113thos character \u2014 more at sib ",
"first_known_use":[
"circa 1573, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220623-191808"
},
"etiolate":{
"type":[
"noun",
"transitive verb",
"verb"
],
"definitions":[
": to bleach and alter the natural development of (a green plant) by excluding sunlight",
": to make pale",
": to deprive of natural vigor : make feeble",
": to make pale and sickly"
],
"pronounciation":[
"\u02c8\u0113-t\u0113-\u0259-\u02ccl\u0101t",
"\u02c8\u0113t-\u0113-\u0259-\u02ccl\u0101t"
],
"synonyms":[
"debilitate",
"devitalize",
"enervate",
"enfeeble",
"prostrate",
"sap",
"soften",
"tire",
"waste",
"weaken"
],
"antonyms":[
"beef (up)",
"fortify",
"strengthen"
],
"examples":[
"the long, stressful days and sleepless nights gradually etiolated him"
],
"history_and_etymology":"French \u00e9tioler ",
"first_known_use":[
"1784, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220624-203601"
},
"etch":{
"type":[
"noun",
"verb"
],
"definitions":[
": to produce (something, such as a pattern or design) on a hard material by eating into the material's surface (as by acid or laser beam)",
": to subject to such etching",
": to delineate or impress clearly",
": to practice etching",
": the action or effect of etching a surface",
": a chemical agent used in etching",
": to produce designs or figures on metal or glass by using acid to eat into the surface"
],
"pronounciation":[
"\u02c8ech",
"\u02c8ech"
],
"synonyms":[
"engrave",
"grave",
"incise",
"inscribe",
"insculp"
],
"antonyms":[],
"examples":[
"Verb",
"etched an identification number on the back of the television",
"glass that has been etched with an identification number",
"Recent Examples on the Web: Verb",
"Ukraine is the world\u2019s largest exporter of neon, a gas used in lasers that etch circuits onto computer chips. \u2014 Tom Krisher And Kelvin Chan, Anchorage Daily News , 3 Apr. 2022",
"Chip manufacturers employ lasers to etch hyperfine circuit patterns onto wafers of silicon. \u2014 Samanth Subramanian, Quartz , 28 Feb. 2022",
"On the other hand, give Glossier\u2019s beloved Brow Flick a try to subtly etch faux hairs and add fullness. \u2014 Kiana Murden, Vogue , 20 May 2022",
"At the event, hosted by the LAPD\u2019s Northeast Division and sponsored by a grant from the L.A. County Sheriff\u2019s Department, drivers had their cars lifted slightly off the ground so a mechanic could etch their VIN numbers with a power tool. \u2014 Nathan Solis, Los Angeles Times , 6 Apr. 2022",
"Nevertheless, etch your calendar in stone for an aggressive investigation into why. \u2014 Shakeel Ahmed, Forbes , 21 Apr. 2022",
"Fractal wood burning pairs high-voltage electricity and a chemical solution to etch intricate designs into slabs of wood. \u2014 Washington Post , 26 Apr. 2022",
"Enormous machines project designs for chips across each wafer, and then deposit and etch away layers of materials to create their transistors and connect them. \u2014 New York Times , 8 Apr. 2022",
"The process to etch the Black authors' names by the Center for Black Literature and Culture began about two years ago, Twyman said. \u2014 Domenica Bongiovanni, The Indianapolis Star , 1 Apr. 2022",
"Recent Examples on the Web: Noun",
"There seems to be a limitless number of products available to clean, strip, etch , degrease, and brighten various surfaces around the home, yard, and workshop. \u2014 Popular Mechanics , 6 Oct. 2020",
"If your floors have deep scuffs or scratches, start by using etch remover. \u2014 Emma Bazilian, House Beautiful , 28 May 2020",
"From the clearing where we\u2019d laid out our tents and camp pads, the opposite bank of the river was barely perceptible except for a faint Etch -a-Sketch panorama of sandstone buttes and towers. \u2014 Jim Buchta, chicagotribune.com , 11 Aug. 2017"
],
"history_and_etymology":"Verb",
"first_known_use":[
"Verb",
"1634, in the meaning defined at transitive sense 1a",
"Noun",
"1896, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220625-025244"
},
"ethereal":{
"type":[
"adjective",
"adverb",
"noun",
"transitive verb"
],
"definitions":[
": of or relating to the regions beyond the earth",
": celestial , heavenly",
": unworldly , spiritual",
": lacking material substance : immaterial , intangible",
": marked by unusual delicacy or refinement",
": suggesting the heavens or heaven",
": relating to, containing, or resembling a chemical ether",
": suggesting heaven or the heavens",
": very delicate : airy",
": relating to, containing, or resembling a chemical ether"
],
"pronounciation":[
"i-\u02c8thir-\u0113-\u0259l",
"i-\u02c8thir-\u0113-\u0259l",
"i-\u02c8thir-\u0113-\u0259l"
],
"synonyms":[
"bodiless",
"formless",
"immaterial",
"incorporeal",
"insubstantial",
"nonmaterial",
"nonphysical",
"spiritual",
"unbodied",
"unsubstantial"
],
"antonyms":[
"bodily",
"corporeal",
"material",
"physical",
"substantial"
],
"examples":[
"The windows give the church an ethereal glow.",
"that ethereal attribute that every performer should have\u2014charisma",
"Recent Examples on the Web",
"But even before thinking about those literal incorporations of music, Hannah had to find the more ethereal vibe or spirit of the show itself. \u2014 Tim Greiving, Los Angeles Times , 8 June 2022",
"For the show\u2019s finale, Viard showed ethereal dresses that would make for stunning wedding looks for any non-traditional bride. \u2014 Frances Sol\u00e1-santiago, refinery29.com , 26 Jan. 2022",
"Chao\u2019s latest Four Seasons Collection piece interprets the ethereal beauty of the early morning with winding vines and leaves moistened by crystal clear dewdrops. \u2014 Anthony Demarco, Forbes , 12 Dec. 2021",
"What the diaries do reveal is that this supposedly ethereal creature was in fact solidly earthbound. \u2014 Maggie Doherty, The New Yorker , 9 May 2022",
"Singer-songwriter Rakiyah has an ethereal and ambitious approach to her music. \u2014 Masiyaleti Mbewe, refinery29.com , 13 May 2022",
"The struggle is all internal, a bit ethereal and definitely personal. \u2014 Tom Roland, Billboard , 3 May 2022",
"In the purple light, the banner was ethereal and simple \u2014 the logo of their group, a peace sign and the words NO WAR. \u2014 New York Times , 30 Mar. 2022",
"One of the protagonists of the series is Galadriel, the ethereal elven queen made famous by Cate Blanchett's portrayal in the Peter Jackson film trilogy. \u2014 Janae Mckenzie, Glamour , 11 Feb. 2022"
],
"history_and_etymology":[],
"first_known_use":[
"1522, in the meaning defined at sense 1a"
],
"time_of_retrieval":"20220625-203957"
},
"etiquette":{
"type":[
"noun"
],
"definitions":[
": the conduct or procedure required by good breeding or prescribed by authority to be observed in social or official life",
": the rules governing the proper way to behave or to do something"
],
"pronounciation":[
"\u02c8e-ti-k\u0259t",
"-\u02ccket",
"\u02c8e-ti-k\u0259t",
"-\u02ccket"
],
"synonyms":[
"form",
"manner",
"mores",
"proprieties"
],
"antonyms":[],
"examples":[
"Her failure to respond to the invitation was a serious breach of etiquette .",
"the couple exhibited poor etiquette when they left the party without saying good-bye to the host and hostess",
"Recent Examples on the Web",
"The sort of lacking of social etiquette and on so on, but there's a strange naivete about the consequences of his actions. \u2014 Clarissa Cruz, EW.com , 17 June 2022",
"Imani anticipates that there will be people at Fan Fusion who are new to attending fan conventions and not aware of proper etiquette for approaching and photographing cosplayers. \u2014 Kimi Robinson, The Arizona Republic , 27 May 2022",
"Not if it's done in accordance to the rules of etiquette posted above. \u2014 Drew Dorian And Laura Sky Brown, Car and Driver , 25 May 2022",
"As with rules of etiquette on the trails, which are shared by cyclists and pedestrians, public education is critical, especially as use of the greenway system increases. \u2014 Scott Huddleston, San Antonio Express-News , 24 Apr. 2022",
"Merrick\u2019s student club, AISL, posted a notice of powwow etiquette on their website, which features guidance for showing respect to Native performers and powwow traditions. \u2014 Valene Peratrovich, The Salt Lake Tribune , 15 Apr. 2022",
"The list is based on her observations over the years and time spent advising companies, organizations and individuals on an array of etiquette issues \u2014 including dining habits, workplace behavior and tipping practices at holiday time. \u2014 Maureen Mackey, Fox News , 21 May 2022",
"There is no etiquette rule that mandates the respective ages of an adult couple who want to marry. \u2014 Jacobina Martin, Washington Post , 20 May 2022",
"The Law & Order star also revealed his top gym gripe: bad equipment etiquette . \u2014 Philip Ellis, Men's Health , 18 May 2022"
],
"history_and_etymology":"French \u00e9tiquette , literally, ticket \u2014 more at ticket entry 1 ",
"first_known_use":[
"1737, in the meaning defined above"
],
"time_of_retrieval":"20220628-112100"
},
"etceteras":{
"type":[
"Latin phrase",
"noun"
],
"definitions":[
": a number of unspecified additional persons or things",
": unspecified additional items : odds and ends",
": and others especially of the same kind : and so forth",
": and others of the same kind : and so forth : and so on"
],
"pronounciation":[
"et-\u02c8se-t\u0259-r\u0259",
"-\u02c8se-tr\u0259",
"also",
"nonstandard",
"nonstandard",
"et-\u02c8se-t\u0259-r\u0259",
"-\u02c8se-tr\u0259",
"also",
"nonstandard",
"nonstandard",
"et-\u02c8se-t\u0259-r\u0259",
"-\u02c8se-tr\u0259"
],
"synonyms":[
"notion",
"novelties",
"odds and ends",
"sundries"
],
"antonyms":[],
"examples":[],
"history_and_etymology":[
"Latin phrase",
"Latin"
],
"first_known_use":[
"Noun",
"1597, in the meaning defined at sense 1",
"Latin phrase",
"12th century, in the meaning defined above"
],
"time_of_retrieval":"20220630-151949"
},
"eternalize":{
"type":[
"adjective",
"adverb",
"noun",
"transitive verb"
],
"definitions":[
": having infinite duration : everlasting",
": of or relating to eternity",
": characterized by abiding fellowship with God",
": continued without intermission : perpetual",
": seemingly endless",
": infernal",
": valid or existing at all times : timeless",
": god sense 1",
": something eternal",
": lasting forever : having no beginning and no end",
": continuing without interruption : seeming to last forever"
],
"pronounciation":[
"i-\u02c8t\u0259r-n\u1d4al",
"i-\u02c8t\u0259r-n\u1d4al"
],
"synonyms":[
"abiding",
"ageless",
"continuing",
"dateless",
"enduring",
"everlasting",
"immortal",
"imperishable",
"lasting",
"ongoing",
"perennial",
"perpetual",
"timeless",
"undying"
],
"antonyms":[
"Allah",
"Almighty",
"Author",
"Creator",
"deity",
"Divinity",
"Everlasting",
"Father",
"God",
"Godhead",
"Jehovah",
"King",
"Lord",
"Maker",
"Providence",
"Supreme Being",
"Yahweh",
"Jahveh",
"Yahveh"
],
"examples":[
"Adjective",
"the eternal flames of hell",
"in search of eternal wisdom",
"When will his eternal whining stop?",
"Recent Examples on the Web: Adjective",
"Donald Trump is not a man who has any worries about the second coming of Jesus Christ or his eternal salvation. \u2014 Alex Morris, Rolling Stone , 18 June 2022",
"In December, a langur monkey who frequently visited the village of Dalupura died of cold exposure, and was sent to its eternal rest by a crowd of about fifteen hundred people. \u2014 Susan Orlean, The New Yorker , 19 Apr. 2022",
"But for a select group of people in the religious realm, a more important matter is at stake \u2013 eternal salvation. \u2014 Scott Gleeson, USA TODAY , 26 Sep. 2021",
"The eucharist is essential and central to our faith as the bread of life that sustains our faith journeys to eternal salvation. \u2014 Star Tribune , 2 May 2021",
"Ancient cultures from the Chinese to the Hebrews hung evergreen branches over doors to symbolize eternal life. \u2014 Faith Bottum, WSJ , 23 Dec. 2021",
"What could be a more consistent expression of the will to power than wanting eternal life for yourself, and dismissing concerns about a global pandemic as overblown? \u2014 Moira Weigel, The New Republic , 20 Dec. 2021",
"But despite her failings, that cat must have the gift of eternal life. \u2014 Irv Erdos Columnist, San Diego Union-Tribune , 14 Nov. 2021",
"Paxton plays this vamp as a floppy-haired hick punk who\u2019s having way too much fun being an undead psychopath on the open range, spending his eternal life wreaking bloody havoc. \u2014 Vulture Editors, Vulture , 25 Oct. 2021",
"Recent Examples on the Web: Noun",
"These ancient seas and islands offer some reassuring glimpse of the eternal . \u2014 Stanley Stewart, Travel + Leisure , 24 Apr. 2022",
"Youth, like hope, seemingly springs eternal at the dawn of a new season. \u2014 New York Times , 8 Apr. 2022",
"But hope springs eternal , maybe more so in baseball than anywhere else. \u2014 John Wilkens, San Diego Union-Tribune , 10 Apr. 2022",
"More significantly, if life eternal is to know the only true God, as John 17:3 states, is their salvation at stake? \u2014 The Salt Lake Tribune , 26 Mar. 2022",
"Hope wasn\u2019t given much of a chance to spring eternal on Monday for the Diamondbacks. \u2014 Nick Piecoro, The Arizona Republic , 14 Mar. 2022",
"Hope springs eternal , though, as the two never confirmed their breakup with an official statement. \u2014 Los Angeles Times , 22 Feb. 2022",
"Hope for the success of the alien apocalypse springs eternal . \u2014 Kathryn Vanarendonk, Vulture , 22 Oct. 2021",
"But just like every team in the NFL, hope springs eternal in Week 1. \u2014 David Moore, Dallas News , 9 Sep. 2021"
],
"history_and_etymology":[
"Adjective",
"Middle English, from Middle French, from Late Latin aeternalis , from Latin aeternus eternal, from aevum age, eternity \u2014 more at aye"
],
"first_known_use":[
"Adjective",
"14th century, in the meaning defined at sense 1a",
"Noun",
"1573, in the meaning defined at sense 1"
],
"time_of_retrieval":"20220704-191112"
},
"eternal flame":{
"type":[
"noun"
],
"definitions":{
": a small fire that is kept burning as a symbol to show that something will never end":[
"light an eternal flame"
]
},
"pronounciation":[],
"synonyms":[],
"antonyms":[],
"synonym_discussion":"",
"examples":[],
"history_and_etymology":{},
"first_known_use":{},
"time_of_retrieval":"20220706-105311"
}
}

17485
en_merriam_webster/ex_mw.json Normal file

File diff suppressed because it is too large Load Diff

80552
en_merriam_webster/f_mw.json Normal file

File diff suppressed because it is too large Load Diff

15858
en_merriam_webster/fa_mw.json Normal file

File diff suppressed because it is too large Load Diff

11202
en_merriam_webster/fi_mw.json Normal file

File diff suppressed because it is too large Load Diff

11900
en_merriam_webster/fl_mw.json Normal file

File diff suppressed because it is too large Load Diff

16283
en_merriam_webster/fo_mw.json Normal file

File diff suppressed because it is too large Load Diff

11864
en_merriam_webster/fr_mw.json Normal file

File diff suppressed because it is too large Load Diff

54449
en_merriam_webster/g_mw.json Normal file

File diff suppressed because it is too large Load Diff

10438
en_merriam_webster/ga_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

14144
en_merriam_webster/gr_mw.json Normal file

File diff suppressed because it is too large Load Diff

64613
en_merriam_webster/h_mw.json Normal file

File diff suppressed because it is too large Load Diff

19760
en_merriam_webster/ha_mw.json Normal file

File diff suppressed because it is too large Load Diff

12900
en_merriam_webster/he_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

15179
en_merriam_webster/ho_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

81474
en_merriam_webster/i_mw.json Normal file

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

Some files were not shown because too many files have changed in this diff Show More