repo_name
stringclasses
1 value
pr_number
int64
4.12k
11.2k
pr_title
stringlengths
9
107
pr_description
stringlengths
107
5.48k
author
stringlengths
4
18
date_created
unknown
date_merged
unknown
previous_commit
stringlengths
40
40
pr_commit
stringlengths
40
40
query
stringlengths
118
5.52k
before_content
stringlengths
0
7.93M
after_content
stringlengths
0
7.93M
label
int64
-1
1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 74: https://projecteuler.net/problem=74 The number 145 is well known for the property that the sum of the factorial of its digits is equal to 145: 1! + 4! + 5! = 1 + 24 + 120 = 145 Perhaps less well known is 169, in that it produces the longest chain of numbers that link back to 169; it turns out that there are only three such loops that exist: 169 → 363601 → 1454 → 169 871 → 45361 → 871 872 → 45362 → 872 It is not difficult to prove that EVERY starting number will eventually get stuck in a loop. For example, 69 → 363600 → 1454 → 169 → 363601 (→ 1454) 78 → 45360 → 871 → 45361 (→ 871) 540 → 145 (→ 145) Starting with 69 produces a chain of five non-repeating terms, but the longest non-repeating chain with a starting number below one million is sixty terms. How many chains, with a starting number below one million, contain exactly sixty non-repeating terms? """ DIGIT_FACTORIALS = { "0": 1, "1": 1, "2": 2, "3": 6, "4": 24, "5": 120, "6": 720, "7": 5040, "8": 40320, "9": 362880, } CACHE_SUM_DIGIT_FACTORIALS = {145: 145} CHAIN_LENGTH_CACHE = { 145: 0, 169: 3, 36301: 3, 1454: 3, 871: 2, 45361: 2, 872: 2, } def sum_digit_factorials(n: int) -> int: """ Return the sum of the factorial of the digits of n. >>> sum_digit_factorials(145) 145 >>> sum_digit_factorials(45361) 871 >>> sum_digit_factorials(540) 145 """ if n in CACHE_SUM_DIGIT_FACTORIALS: return CACHE_SUM_DIGIT_FACTORIALS[n] ret = sum(DIGIT_FACTORIALS[let] for let in str(n)) CACHE_SUM_DIGIT_FACTORIALS[n] = ret return ret def chain_length(n: int, previous: set = None) -> int: """ Calculate the length of the chain of non-repeating terms starting with n. Previous is a set containing the previous member of the chain. >>> chain_length(10101) 11 >>> chain_length(555) 20 >>> chain_length(178924) 39 """ previous = previous or set() if n in CHAIN_LENGTH_CACHE: return CHAIN_LENGTH_CACHE[n] next_number = sum_digit_factorials(n) if next_number in previous: CHAIN_LENGTH_CACHE[n] = 0 return 0 else: previous.add(n) ret = 1 + chain_length(next_number, previous) CHAIN_LENGTH_CACHE[n] = ret return ret def solution(num_terms: int = 60, max_start: int = 1000000) -> int: """ Return the number of chains with a starting number below one million which contain exactly n non-repeating terms. >>> solution(10,1000) 28 """ return sum(1 for i in range(1, max_start) if chain_length(i) == num_terms) if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 74: https://projecteuler.net/problem=74 The number 145 is well known for the property that the sum of the factorial of its digits is equal to 145: 1! + 4! + 5! = 1 + 24 + 120 = 145 Perhaps less well known is 169, in that it produces the longest chain of numbers that link back to 169; it turns out that there are only three such loops that exist: 169 → 363601 → 1454 → 169 871 → 45361 → 871 872 → 45362 → 872 It is not difficult to prove that EVERY starting number will eventually get stuck in a loop. For example, 69 → 363600 → 1454 → 169 → 363601 (→ 1454) 78 → 45360 → 871 → 45361 (→ 871) 540 → 145 (→ 145) Starting with 69 produces a chain of five non-repeating terms, but the longest non-repeating chain with a starting number below one million is sixty terms. How many chains, with a starting number below one million, contain exactly sixty non-repeating terms? """ DIGIT_FACTORIALS = { "0": 1, "1": 1, "2": 2, "3": 6, "4": 24, "5": 120, "6": 720, "7": 5040, "8": 40320, "9": 362880, } CACHE_SUM_DIGIT_FACTORIALS = {145: 145} CHAIN_LENGTH_CACHE = { 145: 0, 169: 3, 36301: 3, 1454: 3, 871: 2, 45361: 2, 872: 2, } def sum_digit_factorials(n: int) -> int: """ Return the sum of the factorial of the digits of n. >>> sum_digit_factorials(145) 145 >>> sum_digit_factorials(45361) 871 >>> sum_digit_factorials(540) 145 """ if n in CACHE_SUM_DIGIT_FACTORIALS: return CACHE_SUM_DIGIT_FACTORIALS[n] ret = sum(DIGIT_FACTORIALS[let] for let in str(n)) CACHE_SUM_DIGIT_FACTORIALS[n] = ret return ret def chain_length(n: int, previous: set = None) -> int: """ Calculate the length of the chain of non-repeating terms starting with n. Previous is a set containing the previous member of the chain. >>> chain_length(10101) 11 >>> chain_length(555) 20 >>> chain_length(178924) 39 """ previous = previous or set() if n in CHAIN_LENGTH_CACHE: return CHAIN_LENGTH_CACHE[n] next_number = sum_digit_factorials(n) if next_number in previous: CHAIN_LENGTH_CACHE[n] = 0 return 0 else: previous.add(n) ret = 1 + chain_length(next_number, previous) CHAIN_LENGTH_CACHE[n] = ret return ret def solution(num_terms: int = 60, max_start: int = 1000000) -> int: """ Return the number of chains with a starting number below one million which contain exactly n non-repeating terms. >>> solution(10,1000) 28 """ return sum(1 for i in range(1, max_start) if chain_length(i) == num_terms) if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from collections import Counter from random import random class MarkovChainGraphUndirectedUnweighted: """ Undirected Unweighted Graph for running Markov Chain Algorithm """ def __init__(self): self.connections = {} def add_node(self, node: str) -> None: self.connections[node] = {} def add_transition_probability( self, node1: str, node2: str, probability: float ) -> None: if node1 not in self.connections: self.add_node(node1) if node2 not in self.connections: self.add_node(node2) self.connections[node1][node2] = probability def get_nodes(self) -> list[str]: return list(self.connections) def transition(self, node: str) -> str: current_probability = 0 random_value = random() for dest in self.connections[node]: current_probability += self.connections[node][dest] if current_probability > random_value: return dest return "" def get_transitions( start: str, transitions: list[tuple[str, str, float]], steps: int ) -> dict[str, int]: """ Running Markov Chain algorithm and calculating the number of times each node is visited >>> transitions = [ ... ('a', 'a', 0.9), ... ('a', 'b', 0.075), ... ('a', 'c', 0.025), ... ('b', 'a', 0.15), ... ('b', 'b', 0.8), ... ('b', 'c', 0.05), ... ('c', 'a', 0.25), ... ('c', 'b', 0.25), ... ('c', 'c', 0.5) ... ] >>> result = get_transitions('a', transitions, 5000) >>> result['a'] > result['b'] > result['c'] True """ graph = MarkovChainGraphUndirectedUnweighted() for node1, node2, probability in transitions: graph.add_transition_probability(node1, node2, probability) visited = Counter(graph.get_nodes()) node = start for _ in range(steps): node = graph.transition(node) visited[node] += 1 return visited if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations from collections import Counter from random import random class MarkovChainGraphUndirectedUnweighted: """ Undirected Unweighted Graph for running Markov Chain Algorithm """ def __init__(self): self.connections = {} def add_node(self, node: str) -> None: self.connections[node] = {} def add_transition_probability( self, node1: str, node2: str, probability: float ) -> None: if node1 not in self.connections: self.add_node(node1) if node2 not in self.connections: self.add_node(node2) self.connections[node1][node2] = probability def get_nodes(self) -> list[str]: return list(self.connections) def transition(self, node: str) -> str: current_probability = 0 random_value = random() for dest in self.connections[node]: current_probability += self.connections[node][dest] if current_probability > random_value: return dest return "" def get_transitions( start: str, transitions: list[tuple[str, str, float]], steps: int ) -> dict[str, int]: """ Running Markov Chain algorithm and calculating the number of times each node is visited >>> transitions = [ ... ('a', 'a', 0.9), ... ('a', 'b', 0.075), ... ('a', 'c', 0.025), ... ('b', 'a', 0.15), ... ('b', 'b', 0.8), ... ('b', 'c', 0.05), ... ('c', 'a', 0.25), ... ('c', 'b', 0.25), ... ('c', 'c', 0.5) ... ] >>> result = get_transitions('a', transitions, 5000) >>> result['a'] > result['b'] > result['c'] True """ graph = MarkovChainGraphUndirectedUnweighted() for node1, node2, probability in transitions: graph.add_transition_probability(node1, node2, probability) visited = Counter(graph.get_nodes()) node = start for _ in range(steps): node = graph.transition(node) visited[node] += 1 return visited if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" https://cp-algorithms.com/string/prefix-function.html Prefix function Knuth–Morris–Pratt algorithm Different algorithm than Knuth-Morris-Pratt pattern finding E.x. Finding longest prefix which is also suffix Time Complexity: O(n) - where n is the length of the string """ def prefix_function(input_string: str) -> list: """ For the given string this function computes value for each index(i), which represents the longest coincidence of prefix and suffix for given substring (input_str[0...i]) For the value of the first element the algorithm always returns 0 >>> prefix_function("aabcdaabc") [0, 1, 0, 0, 0, 1, 2, 3, 4] >>> prefix_function("asdasdad") [0, 0, 0, 1, 2, 3, 4, 0] """ # list for the result values prefix_result = [0] * len(input_string) for i in range(1, len(input_string)): # use last results for better performance - dynamic programming j = prefix_result[i - 1] while j > 0 and input_string[i] != input_string[j]: j = prefix_result[j - 1] if input_string[i] == input_string[j]: j += 1 prefix_result[i] = j return prefix_result def longest_prefix(input_str: str) -> int: """ Prefix-function use case Finding longest prefix which is suffix as well >>> longest_prefix("aabcdaabc") 4 >>> longest_prefix("asdasdad") 4 >>> longest_prefix("abcab") 2 """ # just returning maximum value of the array gives us answer return max(prefix_function(input_str)) if __name__ == "__main__": import doctest doctest.testmod()
""" https://cp-algorithms.com/string/prefix-function.html Prefix function Knuth–Morris–Pratt algorithm Different algorithm than Knuth-Morris-Pratt pattern finding E.x. Finding longest prefix which is also suffix Time Complexity: O(n) - where n is the length of the string """ def prefix_function(input_string: str) -> list: """ For the given string this function computes value for each index(i), which represents the longest coincidence of prefix and suffix for given substring (input_str[0...i]) For the value of the first element the algorithm always returns 0 >>> prefix_function("aabcdaabc") [0, 1, 0, 0, 0, 1, 2, 3, 4] >>> prefix_function("asdasdad") [0, 0, 0, 1, 2, 3, 4, 0] """ # list for the result values prefix_result = [0] * len(input_string) for i in range(1, len(input_string)): # use last results for better performance - dynamic programming j = prefix_result[i - 1] while j > 0 and input_string[i] != input_string[j]: j = prefix_result[j - 1] if input_string[i] == input_string[j]: j += 1 prefix_result[i] = j return prefix_result def longest_prefix(input_str: str) -> int: """ Prefix-function use case Finding longest prefix which is suffix as well >>> longest_prefix("aabcdaabc") 4 >>> longest_prefix("asdasdad") 4 >>> longest_prefix("abcab") 2 """ # just returning maximum value of the array gives us answer return max(prefix_function(input_str)) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" One of the several implementations of Lempel–Ziv–Welch compression algorithm https://en.wikipedia.org/wiki/Lempel%E2%80%93Ziv%E2%80%93Welch """ import math import os import sys def read_file_binary(file_path: str) -> str: """ Reads given file as bytes and returns them as a long string """ result = "" try: with open(file_path, "rb") as binary_file: data = binary_file.read() for dat in data: curr_byte = f"{dat:08b}" result += curr_byte return result except OSError: print("File not accessible") sys.exit() def add_key_to_lexicon( lexicon: dict[str, str], curr_string: str, index: int, last_match_id: str ) -> None: """ Adds new strings (curr_string + "0", curr_string + "1") to the lexicon """ lexicon.pop(curr_string) lexicon[curr_string + "0"] = last_match_id if math.log2(index).is_integer(): for curr_key in lexicon: lexicon[curr_key] = "0" + lexicon[curr_key] lexicon[curr_string + "1"] = bin(index)[2:] def compress_data(data_bits: str) -> str: """ Compresses given data_bits using Lempel–Ziv–Welch compression algorithm and returns the result as a string """ lexicon = {"0": "0", "1": "1"} result, curr_string = "", "" index = len(lexicon) for i in range(len(data_bits)): curr_string += data_bits[i] if curr_string not in lexicon: continue last_match_id = lexicon[curr_string] result += last_match_id add_key_to_lexicon(lexicon, curr_string, index, last_match_id) index += 1 curr_string = "" while curr_string != "" and curr_string not in lexicon: curr_string += "0" if curr_string != "": last_match_id = lexicon[curr_string] result += last_match_id return result def add_file_length(source_path: str, compressed: str) -> str: """ Adds given file's length in front (using Elias gamma coding) of the compressed string """ file_length = os.path.getsize(source_path) file_length_binary = bin(file_length)[2:] length_length = len(file_length_binary) return "0" * (length_length - 1) + file_length_binary + compressed def write_file_binary(file_path: str, to_write: str) -> None: """ Writes given to_write string (should only consist of 0's and 1's) as bytes in the file """ byte_length = 8 try: with open(file_path, "wb") as opened_file: result_byte_array = [ to_write[i : i + byte_length] for i in range(0, len(to_write), byte_length) ] if len(result_byte_array[-1]) % byte_length == 0: result_byte_array.append("10000000") else: result_byte_array[-1] += "1" + "0" * ( byte_length - len(result_byte_array[-1]) - 1 ) for elem in result_byte_array: opened_file.write(int(elem, 2).to_bytes(1, byteorder="big")) except OSError: print("File not accessible") sys.exit() def compress(source_path: str, destination_path: str) -> None: """ Reads source file, compresses it and writes the compressed result in destination file """ data_bits = read_file_binary(source_path) compressed = compress_data(data_bits) compressed = add_file_length(source_path, compressed) write_file_binary(destination_path, compressed) if __name__ == "__main__": compress(sys.argv[1], sys.argv[2])
""" One of the several implementations of Lempel–Ziv–Welch compression algorithm https://en.wikipedia.org/wiki/Lempel%E2%80%93Ziv%E2%80%93Welch """ import math import os import sys def read_file_binary(file_path: str) -> str: """ Reads given file as bytes and returns them as a long string """ result = "" try: with open(file_path, "rb") as binary_file: data = binary_file.read() for dat in data: curr_byte = f"{dat:08b}" result += curr_byte return result except OSError: print("File not accessible") sys.exit() def add_key_to_lexicon( lexicon: dict[str, str], curr_string: str, index: int, last_match_id: str ) -> None: """ Adds new strings (curr_string + "0", curr_string + "1") to the lexicon """ lexicon.pop(curr_string) lexicon[curr_string + "0"] = last_match_id if math.log2(index).is_integer(): for curr_key in lexicon: lexicon[curr_key] = "0" + lexicon[curr_key] lexicon[curr_string + "1"] = bin(index)[2:] def compress_data(data_bits: str) -> str: """ Compresses given data_bits using Lempel–Ziv–Welch compression algorithm and returns the result as a string """ lexicon = {"0": "0", "1": "1"} result, curr_string = "", "" index = len(lexicon) for i in range(len(data_bits)): curr_string += data_bits[i] if curr_string not in lexicon: continue last_match_id = lexicon[curr_string] result += last_match_id add_key_to_lexicon(lexicon, curr_string, index, last_match_id) index += 1 curr_string = "" while curr_string != "" and curr_string not in lexicon: curr_string += "0" if curr_string != "": last_match_id = lexicon[curr_string] result += last_match_id return result def add_file_length(source_path: str, compressed: str) -> str: """ Adds given file's length in front (using Elias gamma coding) of the compressed string """ file_length = os.path.getsize(source_path) file_length_binary = bin(file_length)[2:] length_length = len(file_length_binary) return "0" * (length_length - 1) + file_length_binary + compressed def write_file_binary(file_path: str, to_write: str) -> None: """ Writes given to_write string (should only consist of 0's and 1's) as bytes in the file """ byte_length = 8 try: with open(file_path, "wb") as opened_file: result_byte_array = [ to_write[i : i + byte_length] for i in range(0, len(to_write), byte_length) ] if len(result_byte_array[-1]) % byte_length == 0: result_byte_array.append("10000000") else: result_byte_array[-1] += "1" + "0" * ( byte_length - len(result_byte_array[-1]) - 1 ) for elem in result_byte_array: opened_file.write(int(elem, 2).to_bytes(1, byteorder="big")) except OSError: print("File not accessible") sys.exit() def compress(source_path: str, destination_path: str) -> None: """ Reads source file, compresses it and writes the compressed result in destination file """ data_bits = read_file_binary(source_path) compressed = compress_data(data_bits) compressed = add_file_length(source_path, compressed) write_file_binary(destination_path, compressed) if __name__ == "__main__": compress(sys.argv[1], sys.argv[2])
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from typing import Sequence def compare_string(string1: str, string2: str) -> str: """ >>> compare_string('0010','0110') '0_10' >>> compare_string('0110','1101') 'X' """ list1 = list(string1) list2 = list(string2) count = 0 for i in range(len(list1)): if list1[i] != list2[i]: count += 1 list1[i] = "_" if count > 1: return "X" else: return "".join(list1) def check(binary: list[str]) -> list[str]: """ >>> check(['0.00.01.5']) ['0.00.01.5'] """ pi = [] while True: check1 = ["$"] * len(binary) temp = [] for i in range(len(binary)): for j in range(i + 1, len(binary)): k = compare_string(binary[i], binary[j]) if k != "X": check1[i] = "*" check1[j] = "*" temp.append(k) for i in range(len(binary)): if check1[i] == "$": pi.append(binary[i]) if len(temp) == 0: return pi binary = list(set(temp)) def decimal_to_binary(no_of_variable: int, minterms: Sequence[float]) -> list[str]: """ >>> decimal_to_binary(3,[1.5]) ['0.00.01.5'] """ temp = [] for minterm in minterms: string = "" for i in range(no_of_variable): string = str(minterm % 2) + string minterm //= 2 temp.append(string) return temp def is_for_table(string1: str, string2: str, count: int) -> bool: """ >>> is_for_table('__1','011',2) True >>> is_for_table('01_','001',1) False """ list1 = list(string1) list2 = list(string2) count_n = 0 for i in range(len(list1)): if list1[i] != list2[i]: count_n += 1 return count_n == count def selection(chart: list[list[int]], prime_implicants: list[str]) -> list[str]: """ >>> selection([[1]],['0.00.01.5']) ['0.00.01.5'] >>> selection([[1]],['0.00.01.5']) ['0.00.01.5'] """ temp = [] select = [0] * len(chart) for i in range(len(chart[0])): count = 0 rem = -1 for j in range(len(chart)): if chart[j][i] == 1: count += 1 rem = j if count == 1: select[rem] = 1 for i in range(len(select)): if select[i] == 1: for j in range(len(chart[0])): if chart[i][j] == 1: for k in range(len(chart)): chart[k][j] = 0 temp.append(prime_implicants[i]) while True: max_n = 0 rem = -1 count_n = 0 for i in range(len(chart)): count_n = chart[i].count(1) if count_n > max_n: max_n = count_n rem = i if max_n == 0: return temp temp.append(prime_implicants[rem]) for i in range(len(chart[0])): if chart[rem][i] == 1: for j in range(len(chart)): chart[j][i] = 0 def prime_implicant_chart( prime_implicants: list[str], binary: list[str] ) -> list[list[int]]: """ >>> prime_implicant_chart(['0.00.01.5'],['0.00.01.5']) [[1]] """ chart = [[0 for x in range(len(binary))] for x in range(len(prime_implicants))] for i in range(len(prime_implicants)): count = prime_implicants[i].count("_") for j in range(len(binary)): if is_for_table(prime_implicants[i], binary[j], count): chart[i][j] = 1 return chart def main() -> None: no_of_variable = int(input("Enter the no. of variables\n")) minterms = [ float(x) for x in input( "Enter the decimal representation of Minterms 'Spaces Separated'\n" ).split() ] binary = decimal_to_binary(no_of_variable, minterms) prime_implicants = check(binary) print("Prime Implicants are:") print(prime_implicants) chart = prime_implicant_chart(prime_implicants, binary) essential_prime_implicants = selection(chart, prime_implicants) print("Essential Prime Implicants are:") print(essential_prime_implicants) if __name__ == "__main__": import doctest doctest.testmod() main()
from __future__ import annotations from typing import Sequence def compare_string(string1: str, string2: str) -> str: """ >>> compare_string('0010','0110') '0_10' >>> compare_string('0110','1101') 'X' """ list1 = list(string1) list2 = list(string2) count = 0 for i in range(len(list1)): if list1[i] != list2[i]: count += 1 list1[i] = "_" if count > 1: return "X" else: return "".join(list1) def check(binary: list[str]) -> list[str]: """ >>> check(['0.00.01.5']) ['0.00.01.5'] """ pi = [] while True: check1 = ["$"] * len(binary) temp = [] for i in range(len(binary)): for j in range(i + 1, len(binary)): k = compare_string(binary[i], binary[j]) if k != "X": check1[i] = "*" check1[j] = "*" temp.append(k) for i in range(len(binary)): if check1[i] == "$": pi.append(binary[i]) if len(temp) == 0: return pi binary = list(set(temp)) def decimal_to_binary(no_of_variable: int, minterms: Sequence[float]) -> list[str]: """ >>> decimal_to_binary(3,[1.5]) ['0.00.01.5'] """ temp = [] for minterm in minterms: string = "" for i in range(no_of_variable): string = str(minterm % 2) + string minterm //= 2 temp.append(string) return temp def is_for_table(string1: str, string2: str, count: int) -> bool: """ >>> is_for_table('__1','011',2) True >>> is_for_table('01_','001',1) False """ list1 = list(string1) list2 = list(string2) count_n = 0 for i in range(len(list1)): if list1[i] != list2[i]: count_n += 1 return count_n == count def selection(chart: list[list[int]], prime_implicants: list[str]) -> list[str]: """ >>> selection([[1]],['0.00.01.5']) ['0.00.01.5'] >>> selection([[1]],['0.00.01.5']) ['0.00.01.5'] """ temp = [] select = [0] * len(chart) for i in range(len(chart[0])): count = 0 rem = -1 for j in range(len(chart)): if chart[j][i] == 1: count += 1 rem = j if count == 1: select[rem] = 1 for i in range(len(select)): if select[i] == 1: for j in range(len(chart[0])): if chart[i][j] == 1: for k in range(len(chart)): chart[k][j] = 0 temp.append(prime_implicants[i]) while True: max_n = 0 rem = -1 count_n = 0 for i in range(len(chart)): count_n = chart[i].count(1) if count_n > max_n: max_n = count_n rem = i if max_n == 0: return temp temp.append(prime_implicants[rem]) for i in range(len(chart[0])): if chart[rem][i] == 1: for j in range(len(chart)): chart[j][i] = 0 def prime_implicant_chart( prime_implicants: list[str], binary: list[str] ) -> list[list[int]]: """ >>> prime_implicant_chart(['0.00.01.5'],['0.00.01.5']) [[1]] """ chart = [[0 for x in range(len(binary))] for x in range(len(prime_implicants))] for i in range(len(prime_implicants)): count = prime_implicants[i].count("_") for j in range(len(binary)): if is_for_table(prime_implicants[i], binary[j], count): chart[i][j] = 1 return chart def main() -> None: no_of_variable = int(input("Enter the no. of variables\n")) minterms = [ float(x) for x in input( "Enter the decimal representation of Minterms 'Spaces Separated'\n" ).split() ] binary = decimal_to_binary(no_of_variable, minterms) prime_implicants = check(binary) print("Prime Implicants are:") print(prime_implicants) chart = prime_implicant_chart(prime_implicants, binary) essential_prime_implicants = selection(chart, prime_implicants) print("Essential Prime Implicants are:") print(essential_prime_implicants) if __name__ == "__main__": import doctest doctest.testmod() main()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem 120 Square remainders: https://projecteuler.net/problem=120 Description: Let r be the remainder when (a−1)^n + (a+1)^n is divided by a^2. For example, if a = 7 and n = 3, then r = 42: 6^3 + 8^3 = 728 ≡ 42 mod 49. And as n varies, so too will r, but for a = 7 it turns out that r_max = 42. For 3 ≤ a ≤ 1000, find ∑ r_max. Solution: On expanding the terms, we get 2 if n is even and 2an if n is odd. For maximizing the value, 2an < a*a => n <= (a - 1)/2 (integer division) """ def solution(n: int = 1000) -> int: """ Returns ∑ r_max for 3 <= a <= n as explained above >>> solution(10) 300 >>> solution(100) 330750 >>> solution(1000) 333082500 """ return sum(2 * a * ((a - 1) // 2) for a in range(3, n + 1)) if __name__ == "__main__": print(solution())
""" Problem 120 Square remainders: https://projecteuler.net/problem=120 Description: Let r be the remainder when (a−1)^n + (a+1)^n is divided by a^2. For example, if a = 7 and n = 3, then r = 42: 6^3 + 8^3 = 728 ≡ 42 mod 49. And as n varies, so too will r, but for a = 7 it turns out that r_max = 42. For 3 ≤ a ≤ 1000, find ∑ r_max. Solution: On expanding the terms, we get 2 if n is even and 2an if n is odd. For maximizing the value, 2an < a*a => n <= (a - 1)/2 (integer division) """ def solution(n: int = 1000) -> int: """ Returns ∑ r_max for 3 <= a <= n as explained above >>> solution(10) 300 >>> solution(100) 330750 >>> solution(1000) 333082500 """ return sum(2 * a * ((a - 1) // 2) for a in range(3, n + 1)) if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 7: https://projecteuler.net/problem=7 10001st prime By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6th prime is 13. What is the 10001st prime number? References: - https://en.wikipedia.org/wiki/Prime_number """ from math import sqrt def is_prime(num: int) -> bool: """ Determines whether the given number is prime or not >>> is_prime(2) True >>> is_prime(15) False >>> is_prime(29) True >>> is_prime(0) False """ if num == 2: return True elif num % 2 == 0: return False else: sq = int(sqrt(num)) + 1 for i in range(3, sq, 2): if num % i == 0: return False return True def solution(nth: int = 10001) -> int: """ Returns the n-th prime number. >>> solution(6) 13 >>> solution(1) 2 >>> solution(3) 5 >>> solution(20) 71 >>> solution(50) 229 >>> solution(100) 541 """ count = 0 number = 1 while count != nth and number < 3: number += 1 if is_prime(number): count += 1 while count != nth: number += 2 if is_prime(number): count += 1 return number if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 7: https://projecteuler.net/problem=7 10001st prime By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6th prime is 13. What is the 10001st prime number? References: - https://en.wikipedia.org/wiki/Prime_number """ from math import sqrt def is_prime(num: int) -> bool: """ Determines whether the given number is prime or not >>> is_prime(2) True >>> is_prime(15) False >>> is_prime(29) True >>> is_prime(0) False """ if num == 2: return True elif num % 2 == 0: return False else: sq = int(sqrt(num)) + 1 for i in range(3, sq, 2): if num % i == 0: return False return True def solution(nth: int = 10001) -> int: """ Returns the n-th prime number. >>> solution(6) 13 >>> solution(1) 2 >>> solution(3) 5 >>> solution(20) 71 >>> solution(50) 229 >>> solution(100) 541 """ count = 0 number = 1 while count != nth and number < 3: number += 1 if is_prime(number): count += 1 while count != nth: number += 2 if is_prime(number): count += 1 return number if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Min heap data structure # with decrease key functionality - in O(log(n)) time class Node: def __init__(self, name, val): self.name = name self.val = val def __str__(self): return f"{self.__class__.__name__}({self.name}, {self.val})" def __lt__(self, other): return self.val < other.val class MinHeap: """ >>> r = Node("R", -1) >>> b = Node("B", 6) >>> a = Node("A", 3) >>> x = Node("X", 1) >>> e = Node("E", 4) >>> print(b) Node(B, 6) >>> myMinHeap = MinHeap([r, b, a, x, e]) >>> myMinHeap.decrease_key(b, -17) >>> print(b) Node(B, -17) >>> print(myMinHeap["B"]) -17 """ def __init__(self, array): self.idx_of_element = {} self.heap_dict = {} self.heap = self.build_heap(array) def __getitem__(self, key): return self.get_value(key) def get_parent_idx(self, idx): return (idx - 1) // 2 def get_left_child_idx(self, idx): return idx * 2 + 1 def get_right_child_idx(self, idx): return idx * 2 + 2 def get_value(self, key): return self.heap_dict[key] def build_heap(self, array): lastIdx = len(array) - 1 startFrom = self.get_parent_idx(lastIdx) for idx, i in enumerate(array): self.idx_of_element[i] = idx self.heap_dict[i.name] = i.val for i in range(startFrom, -1, -1): self.sift_down(i, array) return array # this is min-heapify method def sift_down(self, idx, array): while True: l = self.get_left_child_idx(idx) # noqa: E741 r = self.get_right_child_idx(idx) smallest = idx if l < len(array) and array[l] < array[idx]: smallest = l if r < len(array) and array[r] < array[smallest]: smallest = r if smallest != idx: array[idx], array[smallest] = array[smallest], array[idx] ( self.idx_of_element[array[idx]], self.idx_of_element[array[smallest]], ) = ( self.idx_of_element[array[smallest]], self.idx_of_element[array[idx]], ) idx = smallest else: break def sift_up(self, idx): p = self.get_parent_idx(idx) while p >= 0 and self.heap[p] > self.heap[idx]: self.heap[p], self.heap[idx] = self.heap[idx], self.heap[p] self.idx_of_element[self.heap[p]], self.idx_of_element[self.heap[idx]] = ( self.idx_of_element[self.heap[idx]], self.idx_of_element[self.heap[p]], ) idx = p p = self.get_parent_idx(idx) def peek(self): return self.heap[0] def remove(self): self.heap[0], self.heap[-1] = self.heap[-1], self.heap[0] self.idx_of_element[self.heap[0]], self.idx_of_element[self.heap[-1]] = ( self.idx_of_element[self.heap[-1]], self.idx_of_element[self.heap[0]], ) x = self.heap.pop() del self.idx_of_element[x] self.sift_down(0, self.heap) return x def insert(self, node): self.heap.append(node) self.idx_of_element[node] = len(self.heap) - 1 self.heap_dict[node.name] = node.val self.sift_up(len(self.heap) - 1) def is_empty(self): return True if len(self.heap) == 0 else False def decrease_key(self, node, newValue): assert ( self.heap[self.idx_of_element[node]].val > newValue ), "newValue must be less that current value" node.val = newValue self.heap_dict[node.name] = newValue self.sift_up(self.idx_of_element[node]) # USAGE r = Node("R", -1) b = Node("B", 6) a = Node("A", 3) x = Node("X", 1) e = Node("E", 4) # Use one of these two ways to generate Min-Heap # Generating Min-Heap from array myMinHeap = MinHeap([r, b, a, x, e]) # Generating Min-Heap by Insert method # myMinHeap.insert(a) # myMinHeap.insert(b) # myMinHeap.insert(x) # myMinHeap.insert(r) # myMinHeap.insert(e) # Before print("Min Heap - before decrease key") for i in myMinHeap.heap: print(i) print("Min Heap - After decrease key of node [B -> -17]") myMinHeap.decrease_key(b, -17) # After for i in myMinHeap.heap: print(i) if __name__ == "__main__": import doctest doctest.testmod()
# Min heap data structure # with decrease key functionality - in O(log(n)) time class Node: def __init__(self, name, val): self.name = name self.val = val def __str__(self): return f"{self.__class__.__name__}({self.name}, {self.val})" def __lt__(self, other): return self.val < other.val class MinHeap: """ >>> r = Node("R", -1) >>> b = Node("B", 6) >>> a = Node("A", 3) >>> x = Node("X", 1) >>> e = Node("E", 4) >>> print(b) Node(B, 6) >>> myMinHeap = MinHeap([r, b, a, x, e]) >>> myMinHeap.decrease_key(b, -17) >>> print(b) Node(B, -17) >>> print(myMinHeap["B"]) -17 """ def __init__(self, array): self.idx_of_element = {} self.heap_dict = {} self.heap = self.build_heap(array) def __getitem__(self, key): return self.get_value(key) def get_parent_idx(self, idx): return (idx - 1) // 2 def get_left_child_idx(self, idx): return idx * 2 + 1 def get_right_child_idx(self, idx): return idx * 2 + 2 def get_value(self, key): return self.heap_dict[key] def build_heap(self, array): lastIdx = len(array) - 1 startFrom = self.get_parent_idx(lastIdx) for idx, i in enumerate(array): self.idx_of_element[i] = idx self.heap_dict[i.name] = i.val for i in range(startFrom, -1, -1): self.sift_down(i, array) return array # this is min-heapify method def sift_down(self, idx, array): while True: l = self.get_left_child_idx(idx) # noqa: E741 r = self.get_right_child_idx(idx) smallest = idx if l < len(array) and array[l] < array[idx]: smallest = l if r < len(array) and array[r] < array[smallest]: smallest = r if smallest != idx: array[idx], array[smallest] = array[smallest], array[idx] ( self.idx_of_element[array[idx]], self.idx_of_element[array[smallest]], ) = ( self.idx_of_element[array[smallest]], self.idx_of_element[array[idx]], ) idx = smallest else: break def sift_up(self, idx): p = self.get_parent_idx(idx) while p >= 0 and self.heap[p] > self.heap[idx]: self.heap[p], self.heap[idx] = self.heap[idx], self.heap[p] self.idx_of_element[self.heap[p]], self.idx_of_element[self.heap[idx]] = ( self.idx_of_element[self.heap[idx]], self.idx_of_element[self.heap[p]], ) idx = p p = self.get_parent_idx(idx) def peek(self): return self.heap[0] def remove(self): self.heap[0], self.heap[-1] = self.heap[-1], self.heap[0] self.idx_of_element[self.heap[0]], self.idx_of_element[self.heap[-1]] = ( self.idx_of_element[self.heap[-1]], self.idx_of_element[self.heap[0]], ) x = self.heap.pop() del self.idx_of_element[x] self.sift_down(0, self.heap) return x def insert(self, node): self.heap.append(node) self.idx_of_element[node] = len(self.heap) - 1 self.heap_dict[node.name] = node.val self.sift_up(len(self.heap) - 1) def is_empty(self): return True if len(self.heap) == 0 else False def decrease_key(self, node, newValue): assert ( self.heap[self.idx_of_element[node]].val > newValue ), "newValue must be less that current value" node.val = newValue self.heap_dict[node.name] = newValue self.sift_up(self.idx_of_element[node]) # USAGE r = Node("R", -1) b = Node("B", 6) a = Node("A", 3) x = Node("X", 1) e = Node("E", 4) # Use one of these two ways to generate Min-Heap # Generating Min-Heap from array myMinHeap = MinHeap([r, b, a, x, e]) # Generating Min-Heap by Insert method # myMinHeap.insert(a) # myMinHeap.insert(b) # myMinHeap.insert(x) # myMinHeap.insert(r) # myMinHeap.insert(e) # Before print("Min Heap - before decrease key") for i in myMinHeap.heap: print(i) print("Min Heap - After decrease key of node [B -> -17]") myMinHeap.decrease_key(b, -17) # After for i in myMinHeap.heap: print(i) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Pure Python implementation of the jump search algorithm. This algorithm iterates through a sorted collection with a step of n^(1/2), until the element compared is bigger than the one searched. It will then perform a linear search until it matches the wanted number. If not found, it returns -1. """ import math def jump_search(arr: list, x: int) -> int: """ Pure Python implementation of the jump search algorithm. Examples: >>> jump_search([0, 1, 2, 3, 4, 5], 3) 3 >>> jump_search([-5, -2, -1], -1) 2 >>> jump_search([0, 5, 10, 20], 8) -1 >>> jump_search([0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 610], 55) 10 """ n = len(arr) step = int(math.floor(math.sqrt(n))) prev = 0 while arr[min(step, n) - 1] < x: prev = step step += int(math.floor(math.sqrt(n))) if prev >= n: return -1 while arr[prev] < x: prev = prev + 1 if prev == min(step, n): return -1 if arr[prev] == x: return prev return -1 if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] x = int(input("Enter the number to be searched:\n")) res = jump_search(arr, x) if res == -1: print("Number not found!") else: print(f"Number {x} is at index {res}")
""" Pure Python implementation of the jump search algorithm. This algorithm iterates through a sorted collection with a step of n^(1/2), until the element compared is bigger than the one searched. It will then perform a linear search until it matches the wanted number. If not found, it returns -1. """ import math def jump_search(arr: list, x: int) -> int: """ Pure Python implementation of the jump search algorithm. Examples: >>> jump_search([0, 1, 2, 3, 4, 5], 3) 3 >>> jump_search([-5, -2, -1], -1) 2 >>> jump_search([0, 5, 10, 20], 8) -1 >>> jump_search([0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 610], 55) 10 """ n = len(arr) step = int(math.floor(math.sqrt(n))) prev = 0 while arr[min(step, n) - 1] < x: prev = step step += int(math.floor(math.sqrt(n))) if prev >= n: return -1 while arr[prev] < x: prev = prev + 1 if prev == min(step, n): return -1 if arr[prev] == x: return prev return -1 if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] x = int(input("Enter the number to be searched:\n")) res = jump_search(arr, x) if res == -1: print("Number not found!") else: print(f"Number {x} is at index {res}")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# This Will Check Whether A Given Password Is Strong Or Not # It Follows The Rule that Length Of Password Should Be At Least 8 Characters # And At Least 1 Lower, 1 Upper, 1 Number And 1 Special Character from string import ascii_lowercase, ascii_uppercase, digits, punctuation def strong_password_detector(password: str, min_length: int = 8) -> str: """ >>> strong_password_detector('Hwea7$2!') 'This is a strong Password' >>> strong_password_detector('Sh0r1') 'Your Password must be at least 8 characters long' >>> strong_password_detector('Hello123') 'Password should contain UPPERCASE, lowercase, numbers, special characters' >>> strong_password_detector('Hello1238udfhiaf038fajdvjjf!jaiuFhkqi1') 'This is a strong Password' >>> strong_password_detector(0) 'Your Password must be at least 8 characters long' """ if len(str(password)) < 8: return "Your Password must be at least 8 characters long" upper = any(char in ascii_uppercase for char in password) lower = any(char in ascii_lowercase for char in password) num = any(char in digits for char in password) spec_char = any(char in punctuation for char in password) if upper and lower and num and spec_char: return "This is a strong Password" else: return ( "Password should contain UPPERCASE, lowercase, " "numbers, special characters" ) if __name__ == "__main__": import doctest doctest.testmod()
# This Will Check Whether A Given Password Is Strong Or Not # It Follows The Rule that Length Of Password Should Be At Least 8 Characters # And At Least 1 Lower, 1 Upper, 1 Number And 1 Special Character from string import ascii_lowercase, ascii_uppercase, digits, punctuation def strong_password_detector(password: str, min_length: int = 8) -> str: """ >>> strong_password_detector('Hwea7$2!') 'This is a strong Password' >>> strong_password_detector('Sh0r1') 'Your Password must be at least 8 characters long' >>> strong_password_detector('Hello123') 'Password should contain UPPERCASE, lowercase, numbers, special characters' >>> strong_password_detector('Hello1238udfhiaf038fajdvjjf!jaiuFhkqi1') 'This is a strong Password' >>> strong_password_detector(0) 'Your Password must be at least 8 characters long' """ if len(str(password)) < 8: return "Your Password must be at least 8 characters long" upper = any(char in ascii_uppercase for char in password) lower = any(char in ascii_lowercase for char in password) num = any(char in digits for char in password) spec_char = any(char in punctuation for char in password) if upper and lower and num and spec_char: return "This is a strong Password" else: return ( "Password should contain UPPERCASE, lowercase, " "numbers, special characters" ) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Functions for testing the validity of credit card numbers. https://en.wikipedia.org/wiki/Luhn_algorithm """ def validate_initial_digits(credit_card_number: str) -> bool: """ Function to validate initial digits of a given credit card number. >>> valid = "4111111111111111 41111111111111 34 35 37 412345 523456 634567" >>> all(validate_initial_digits(cc) for cc in valid.split()) True >>> invalid = "14 25 76 32323 36111111111111" >>> all(validate_initial_digits(cc) is False for cc in invalid.split()) True """ return credit_card_number.startswith(("34", "35", "37", "4", "5", "6")) def luhn_validation(credit_card_number: str) -> bool: """ Function to luhn algorithm validation for a given credit card number. >>> luhn_validation('4111111111111111') True >>> luhn_validation('36111111111111') True >>> luhn_validation('41111111111111') False """ cc_number = credit_card_number total = 0 half_len = len(cc_number) - 2 for i in range(half_len, -1, -2): # double the value of every second digit digit = int(cc_number[i]) digit *= 2 # If doubling of a number results in a two digit number # i.e greater than 9(e.g., 6 × 2 = 12), # then add the digits of the product (e.g., 12: 1 + 2 = 3, 15: 1 + 5 = 6), # to get a single digit number. if digit > 9: digit %= 10 digit += 1 cc_number = cc_number[:i] + str(digit) + cc_number[i + 1 :] total += digit # Sum up the remaining digits for i in range(len(cc_number) - 1, -1, -2): total += int(cc_number[i]) return total % 10 == 0 def validate_credit_card_number(credit_card_number: str) -> bool: """ Function to validate the given credit card number. >>> validate_credit_card_number('4111111111111111') 4111111111111111 is a valid credit card number. True >>> validate_credit_card_number('helloworld$') helloworld$ is an invalid credit card number because it has nonnumerical characters. False >>> validate_credit_card_number('32323') 32323 is an invalid credit card number because of its length. False >>> validate_credit_card_number('32323323233232332323') 32323323233232332323 is an invalid credit card number because of its length. False >>> validate_credit_card_number('36111111111111') 36111111111111 is an invalid credit card number because of its first two digits. False >>> validate_credit_card_number('41111111111111') 41111111111111 is an invalid credit card number because it fails the Luhn check. False """ error_message = f"{credit_card_number} is an invalid credit card number because" if not credit_card_number.isdigit(): print(f"{error_message} it has nonnumerical characters.") return False if not 13 <= len(credit_card_number) <= 16: print(f"{error_message} of its length.") return False if not validate_initial_digits(credit_card_number): print(f"{error_message} of its first two digits.") return False if not luhn_validation(credit_card_number): print(f"{error_message} it fails the Luhn check.") return False print(f"{credit_card_number} is a valid credit card number.") return True if __name__ == "__main__": import doctest doctest.testmod() validate_credit_card_number("4111111111111111") validate_credit_card_number("32323")
""" Functions for testing the validity of credit card numbers. https://en.wikipedia.org/wiki/Luhn_algorithm """ def validate_initial_digits(credit_card_number: str) -> bool: """ Function to validate initial digits of a given credit card number. >>> valid = "4111111111111111 41111111111111 34 35 37 412345 523456 634567" >>> all(validate_initial_digits(cc) for cc in valid.split()) True >>> invalid = "14 25 76 32323 36111111111111" >>> all(validate_initial_digits(cc) is False for cc in invalid.split()) True """ return credit_card_number.startswith(("34", "35", "37", "4", "5", "6")) def luhn_validation(credit_card_number: str) -> bool: """ Function to luhn algorithm validation for a given credit card number. >>> luhn_validation('4111111111111111') True >>> luhn_validation('36111111111111') True >>> luhn_validation('41111111111111') False """ cc_number = credit_card_number total = 0 half_len = len(cc_number) - 2 for i in range(half_len, -1, -2): # double the value of every second digit digit = int(cc_number[i]) digit *= 2 # If doubling of a number results in a two digit number # i.e greater than 9(e.g., 6 × 2 = 12), # then add the digits of the product (e.g., 12: 1 + 2 = 3, 15: 1 + 5 = 6), # to get a single digit number. if digit > 9: digit %= 10 digit += 1 cc_number = cc_number[:i] + str(digit) + cc_number[i + 1 :] total += digit # Sum up the remaining digits for i in range(len(cc_number) - 1, -1, -2): total += int(cc_number[i]) return total % 10 == 0 def validate_credit_card_number(credit_card_number: str) -> bool: """ Function to validate the given credit card number. >>> validate_credit_card_number('4111111111111111') 4111111111111111 is a valid credit card number. True >>> validate_credit_card_number('helloworld$') helloworld$ is an invalid credit card number because it has nonnumerical characters. False >>> validate_credit_card_number('32323') 32323 is an invalid credit card number because of its length. False >>> validate_credit_card_number('32323323233232332323') 32323323233232332323 is an invalid credit card number because of its length. False >>> validate_credit_card_number('36111111111111') 36111111111111 is an invalid credit card number because of its first two digits. False >>> validate_credit_card_number('41111111111111') 41111111111111 is an invalid credit card number because it fails the Luhn check. False """ error_message = f"{credit_card_number} is an invalid credit card number because" if not credit_card_number.isdigit(): print(f"{error_message} it has nonnumerical characters.") return False if not 13 <= len(credit_card_number) <= 16: print(f"{error_message} of its length.") return False if not validate_initial_digits(credit_card_number): print(f"{error_message} of its first two digits.") return False if not luhn_validation(credit_card_number): print(f"{error_message} it fails the Luhn check.") return False print(f"{credit_card_number} is a valid credit card number.") return True if __name__ == "__main__": import doctest doctest.testmod() validate_credit_card_number("4111111111111111") validate_credit_card_number("32323")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" An implementation of Karger's Algorithm for partitioning a graph. """ from __future__ import annotations import random # Adjacency list representation of this graph: # https://en.wikipedia.org/wiki/File:Single_run_of_Karger%E2%80%99s_Mincut_algorithm.svg TEST_GRAPH = { "1": ["2", "3", "4", "5"], "2": ["1", "3", "4", "5"], "3": ["1", "2", "4", "5", "10"], "4": ["1", "2", "3", "5", "6"], "5": ["1", "2", "3", "4", "7"], "6": ["7", "8", "9", "10", "4"], "7": ["6", "8", "9", "10", "5"], "8": ["6", "7", "9", "10"], "9": ["6", "7", "8", "10"], "10": ["6", "7", "8", "9", "3"], } def partition_graph(graph: dict[str, list[str]]) -> set[tuple[str, str]]: """ Partitions a graph using Karger's Algorithm. Implemented from pseudocode found here: https://en.wikipedia.org/wiki/Karger%27s_algorithm. This function involves random choices, meaning it will not give consistent outputs. Args: graph: A dictionary containing adacency lists for the graph. Nodes must be strings. Returns: The cutset of the cut found by Karger's Algorithm. >>> graph = {'0':['1'], '1':['0']} >>> partition_graph(graph) {('0', '1')} """ # Dict that maps contracted nodes to a list of all the nodes it "contains." contracted_nodes = {node: {node} for node in graph} graph_copy = {node: graph[node][:] for node in graph} while len(graph_copy) > 2: # Choose a random edge. u = random.choice(list(graph_copy.keys())) v = random.choice(graph_copy[u]) # Contract edge (u, v) to new node uv uv = u + v uv_neighbors = list(set(graph_copy[u] + graph_copy[v])) uv_neighbors.remove(u) uv_neighbors.remove(v) graph_copy[uv] = uv_neighbors for neighbor in uv_neighbors: graph_copy[neighbor].append(uv) contracted_nodes[uv] = set(contracted_nodes[u].union(contracted_nodes[v])) # Remove nodes u and v. del graph_copy[u] del graph_copy[v] for neighbor in uv_neighbors: if u in graph_copy[neighbor]: graph_copy[neighbor].remove(u) if v in graph_copy[neighbor]: graph_copy[neighbor].remove(v) # Find cutset. groups = [contracted_nodes[node] for node in graph_copy] return { (node, neighbor) for node in groups[0] for neighbor in graph[node] if neighbor in groups[1] } if __name__ == "__main__": print(partition_graph(TEST_GRAPH))
""" An implementation of Karger's Algorithm for partitioning a graph. """ from __future__ import annotations import random # Adjacency list representation of this graph: # https://en.wikipedia.org/wiki/File:Single_run_of_Karger%E2%80%99s_Mincut_algorithm.svg TEST_GRAPH = { "1": ["2", "3", "4", "5"], "2": ["1", "3", "4", "5"], "3": ["1", "2", "4", "5", "10"], "4": ["1", "2", "3", "5", "6"], "5": ["1", "2", "3", "4", "7"], "6": ["7", "8", "9", "10", "4"], "7": ["6", "8", "9", "10", "5"], "8": ["6", "7", "9", "10"], "9": ["6", "7", "8", "10"], "10": ["6", "7", "8", "9", "3"], } def partition_graph(graph: dict[str, list[str]]) -> set[tuple[str, str]]: """ Partitions a graph using Karger's Algorithm. Implemented from pseudocode found here: https://en.wikipedia.org/wiki/Karger%27s_algorithm. This function involves random choices, meaning it will not give consistent outputs. Args: graph: A dictionary containing adacency lists for the graph. Nodes must be strings. Returns: The cutset of the cut found by Karger's Algorithm. >>> graph = {'0':['1'], '1':['0']} >>> partition_graph(graph) {('0', '1')} """ # Dict that maps contracted nodes to a list of all the nodes it "contains." contracted_nodes = {node: {node} for node in graph} graph_copy = {node: graph[node][:] for node in graph} while len(graph_copy) > 2: # Choose a random edge. u = random.choice(list(graph_copy.keys())) v = random.choice(graph_copy[u]) # Contract edge (u, v) to new node uv uv = u + v uv_neighbors = list(set(graph_copy[u] + graph_copy[v])) uv_neighbors.remove(u) uv_neighbors.remove(v) graph_copy[uv] = uv_neighbors for neighbor in uv_neighbors: graph_copy[neighbor].append(uv) contracted_nodes[uv] = set(contracted_nodes[u].union(contracted_nodes[v])) # Remove nodes u and v. del graph_copy[u] del graph_copy[v] for neighbor in uv_neighbors: if u in graph_copy[neighbor]: graph_copy[neighbor].remove(u) if v in graph_copy[neighbor]: graph_copy[neighbor].remove(v) # Find cutset. groups = [contracted_nodes[node] for node in graph_copy] return { (node, neighbor) for node in groups[0] for neighbor in graph[node] if neighbor in groups[1] } if __name__ == "__main__": print(partition_graph(TEST_GRAPH))
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Project Euler Problems are taken from https://projecteuler.net/, the Project Euler. [Problems are licensed under CC BY-NC-SA 4.0](https://projecteuler.net/copyright). Project Euler is a series of challenging mathematical/computer programming problems that require more than just mathematical insights to solve. Project Euler is ideal for mathematicians who are learning to code. The solutions will be checked by our [automated testing on GitHub Actions](https://github.com/TheAlgorithms/Python/actions) with the help of [this script](https://github.com/TheAlgorithms/Python/blob/master/scripts/validate_solutions.py). The efficiency of your code is also checked. You can view the top 10 slowest solutions on GitHub Actions logs (under `slowest 10 durations`) and open a pull request to improve those solutions. ## Solution Guidelines Welcome to [TheAlgorithms/Python](https://github.com/TheAlgorithms/Python)! Before reading the solution guidelines, make sure you read the whole [Contributing Guidelines](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md) as it won't be repeated in here. If you have any doubt on the guidelines, please feel free to [state it clearly in an issue](https://github.com/TheAlgorithms/Python/issues/new) or ask the community in [Gitter](https://gitter.im/TheAlgorithms). You can use the [template](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#solution-template) we have provided below as your starting point but be sure to read the [Coding Style](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#coding-style) part first. ### Coding Style * Please maintain consistency in project directory and solution file names. Keep the following points in mind: * Create a new directory only for the problems which do not exist yet. * If you create a new directory, please create an empty `__init__.py` file inside it as well. * Please name the project **directory** as `problem_<problem_number>` where `problem_number` should be filled with 0s so as to occupy 3 digits. Example: `problem_001`, `problem_002`, `problem_067`, `problem_145`, and so on. * Please provide a link to the problem and other references, if used, in the **module-level docstring**. * All imports should come ***after*** the module-level docstring. * You can have as many helper functions as you want but there should be one main function called `solution` which should satisfy the conditions as stated below: * It should contain positional argument(s) whose default value is the question input. Example: Please take a look at [Problem 1](https://projecteuler.net/problem=1) where the question is to *Find the sum of all the multiples of 3 or 5 below 1000.* In this case the main solution function will be `solution(limit: int = 1000)`. * When the `solution` function is called without any arguments like so: `solution()`, it should return the answer to the problem. * Every function, which includes all the helper functions, if any, and the main solution function, should have `doctest` in the function docstring along with a brief statement mentioning what the function is about. * There should not be a `doctest` for testing the answer as that is done by our GitHub Actions build using this [script](https://github.com/TheAlgorithms/Python/blob/master/scripts/validate_solutions.py). Keeping in mind the above example of [Problem 1](https://projecteuler.net/problem=1): ```python def solution(limit: int = 1000): """ A brief statement mentioning what the function is about. You can have a detailed explanation about the solution method in the module-level docstring. >>> solution(1) ... >>> solution(16) ... >>> solution(100) ... """ ``` ### Solution Template You can use the below template as your starting point but please read the [Coding Style](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#coding-style) first to understand how the template works. Please change the name of the helper functions accordingly, change the parameter names with a descriptive one, replace the content within `[square brackets]` (including the brackets) with the appropriate content. ```python """ Project Euler Problem [problem number]: [link to the original problem] ... [Entire problem statement] ... ... [Solution explanation - Optional] ... References [Optional]: - [Wikipedia link to the topic] - [Stackoverflow link] ... """ import module1 import module2 ... def helper1(arg1: [type hint], arg2: [type hint], ...) -> [Return type hint]: """ A brief statement explaining what the function is about. ... A more elaborate description ... [Optional] ... [Doctest] ... """ ... # calculations ... return # You can have multiple helper functions but the solution function should be # after all the helper functions ... def solution(arg1: [type hint], arg2: [type hint], ...) -> [Return type hint]: """ A brief statement mentioning what the function is about. You can have a detailed explanation about the solution in the module-level docstring. ... [Doctest as mentioned above] ... """ ... # calculations ... return answer if __name__ == "__main__": print(f"{solution() = }") ```
# Project Euler Problems are taken from https://projecteuler.net/, the Project Euler. [Problems are licensed under CC BY-NC-SA 4.0](https://projecteuler.net/copyright). Project Euler is a series of challenging mathematical/computer programming problems that require more than just mathematical insights to solve. Project Euler is ideal for mathematicians who are learning to code. The solutions will be checked by our [automated testing on GitHub Actions](https://github.com/TheAlgorithms/Python/actions) with the help of [this script](https://github.com/TheAlgorithms/Python/blob/master/scripts/validate_solutions.py). The efficiency of your code is also checked. You can view the top 10 slowest solutions on GitHub Actions logs (under `slowest 10 durations`) and open a pull request to improve those solutions. ## Solution Guidelines Welcome to [TheAlgorithms/Python](https://github.com/TheAlgorithms/Python)! Before reading the solution guidelines, make sure you read the whole [Contributing Guidelines](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md) as it won't be repeated in here. If you have any doubt on the guidelines, please feel free to [state it clearly in an issue](https://github.com/TheAlgorithms/Python/issues/new) or ask the community in [Gitter](https://gitter.im/TheAlgorithms). You can use the [template](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#solution-template) we have provided below as your starting point but be sure to read the [Coding Style](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#coding-style) part first. ### Coding Style * Please maintain consistency in project directory and solution file names. Keep the following points in mind: * Create a new directory only for the problems which do not exist yet. * If you create a new directory, please create an empty `__init__.py` file inside it as well. * Please name the project **directory** as `problem_<problem_number>` where `problem_number` should be filled with 0s so as to occupy 3 digits. Example: `problem_001`, `problem_002`, `problem_067`, `problem_145`, and so on. * Please provide a link to the problem and other references, if used, in the **module-level docstring**. * All imports should come ***after*** the module-level docstring. * You can have as many helper functions as you want but there should be one main function called `solution` which should satisfy the conditions as stated below: * It should contain positional argument(s) whose default value is the question input. Example: Please take a look at [Problem 1](https://projecteuler.net/problem=1) where the question is to *Find the sum of all the multiples of 3 or 5 below 1000.* In this case the main solution function will be `solution(limit: int = 1000)`. * When the `solution` function is called without any arguments like so: `solution()`, it should return the answer to the problem. * Every function, which includes all the helper functions, if any, and the main solution function, should have `doctest` in the function docstring along with a brief statement mentioning what the function is about. * There should not be a `doctest` for testing the answer as that is done by our GitHub Actions build using this [script](https://github.com/TheAlgorithms/Python/blob/master/scripts/validate_solutions.py). Keeping in mind the above example of [Problem 1](https://projecteuler.net/problem=1): ```python def solution(limit: int = 1000): """ A brief statement mentioning what the function is about. You can have a detailed explanation about the solution method in the module-level docstring. >>> solution(1) ... >>> solution(16) ... >>> solution(100) ... """ ``` ### Solution Template You can use the below template as your starting point but please read the [Coding Style](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md#coding-style) first to understand how the template works. Please change the name of the helper functions accordingly, change the parameter names with a descriptive one, replace the content within `[square brackets]` (including the brackets) with the appropriate content. ```python """ Project Euler Problem [problem number]: [link to the original problem] ... [Entire problem statement] ... ... [Solution explanation - Optional] ... References [Optional]: - [Wikipedia link to the topic] - [Stackoverflow link] ... """ import module1 import module2 ... def helper1(arg1: [type hint], arg2: [type hint], ...) -> [Return type hint]: """ A brief statement explaining what the function is about. ... A more elaborate description ... [Optional] ... [Doctest] ... """ ... # calculations ... return # You can have multiple helper functions but the solution function should be # after all the helper functions ... def solution(arg1: [type hint], arg2: [type hint], ...) -> [Return type hint]: """ A brief statement mentioning what the function is about. You can have a detailed explanation about the solution in the module-level docstring. ... [Doctest as mentioned above] ... """ ... # calculations ... return answer if __name__ == "__main__": print(f"{solution() = }") ```
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 2: https://projecteuler.net/problem=2 Even Fibonacci Numbers Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci sequence whose values do not exceed four million, find the sum of the even-valued terms. References: - https://en.wikipedia.org/wiki/Fibonacci_number """ def solution(n: int = 4000000) -> int: """ Returns the sum of all even fibonacci sequence elements that are lower or equal to n. >>> solution(10) 10 >>> solution(15) 10 >>> solution(2) 2 >>> solution(1) 0 >>> solution(34) 44 """ i = 1 j = 2 total = 0 while j <= n: if j % 2 == 0: total += j i, j = j, i + j return total if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 2: https://projecteuler.net/problem=2 Even Fibonacci Numbers Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci sequence whose values do not exceed four million, find the sum of the even-valued terms. References: - https://en.wikipedia.org/wiki/Fibonacci_number """ def solution(n: int = 4000000) -> int: """ Returns the sum of all even fibonacci sequence elements that are lower or equal to n. >>> solution(10) 10 >>> solution(15) 10 >>> solution(2) 2 >>> solution(1) 0 >>> solution(34) 44 """ i = 1 j = 2 total = 0 while j <= n: if j % 2 == 0: total += j i, j = j, i + j return total if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# @Author : lightXu # @File : convolve.py # @Time : 2019/7/8 0008 下午 16:13 from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import array, dot, pad, ravel, uint8, zeros def im2col(image, block_size): rows, cols = image.shape dst_height = cols - block_size[1] + 1 dst_width = rows - block_size[0] + 1 image_array = zeros((dst_height * dst_width, block_size[1] * block_size[0])) row = 0 for i in range(0, dst_height): for j in range(0, dst_width): window = ravel(image[i : i + block_size[0], j : j + block_size[1]]) image_array[row, :] = window row += 1 return image_array def img_convolve(image, filter_kernel): height, width = image.shape[0], image.shape[1] k_size = filter_kernel.shape[0] pad_size = k_size // 2 # Pads image with the edge values of array. image_tmp = pad(image, pad_size, mode="edge") # im2col, turn the k_size*k_size pixels into a row and np.vstack all rows image_array = im2col(image_tmp, (k_size, k_size)) # turn the kernel into shape(k*k, 1) kernel_array = ravel(filter_kernel) # reshape and get the dst image dst = dot(image_array, kernel_array).reshape(height, width) return dst if __name__ == "__main__": # read original image img = imread(r"../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # Laplace operator Laplace_kernel = array([[0, 1, 0], [1, -4, 1], [0, 1, 0]]) out = img_convolve(gray, Laplace_kernel).astype(uint8) imshow("Laplacian", out) waitKey(0)
# @Author : lightXu # @File : convolve.py # @Time : 2019/7/8 0008 下午 16:13 from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import array, dot, pad, ravel, uint8, zeros def im2col(image, block_size): rows, cols = image.shape dst_height = cols - block_size[1] + 1 dst_width = rows - block_size[0] + 1 image_array = zeros((dst_height * dst_width, block_size[1] * block_size[0])) row = 0 for i in range(0, dst_height): for j in range(0, dst_width): window = ravel(image[i : i + block_size[0], j : j + block_size[1]]) image_array[row, :] = window row += 1 return image_array def img_convolve(image, filter_kernel): height, width = image.shape[0], image.shape[1] k_size = filter_kernel.shape[0] pad_size = k_size // 2 # Pads image with the edge values of array. image_tmp = pad(image, pad_size, mode="edge") # im2col, turn the k_size*k_size pixels into a row and np.vstack all rows image_array = im2col(image_tmp, (k_size, k_size)) # turn the kernel into shape(k*k, 1) kernel_array = ravel(filter_kernel) # reshape and get the dst image dst = dot(image_array, kernel_array).reshape(height, width) return dst if __name__ == "__main__": # read original image img = imread(r"../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # Laplace operator Laplace_kernel = array([[0, 1, 0], [1, -4, 1], [0, 1, 0]]) out = img_convolve(gray, Laplace_kernel).astype(uint8) imshow("Laplacian", out) waitKey(0)
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import random import sys LETTERS = "ABCDEFGHIJKLMNOPQRSTUVWXYZ" def main() -> None: message = input("Enter message: ") key = "LFWOAYUISVKMNXPBDCRJTQEGHZ" resp = input("Encrypt/Decrypt [e/d]: ") checkValidKey(key) if resp.lower().startswith("e"): mode = "encrypt" translated = encryptMessage(key, message) elif resp.lower().startswith("d"): mode = "decrypt" translated = decryptMessage(key, message) print(f"\n{mode.title()}ion: \n{translated}") def checkValidKey(key: str) -> None: keyList = list(key) lettersList = list(LETTERS) keyList.sort() lettersList.sort() if keyList != lettersList: sys.exit("Error in the key or symbol set.") def encryptMessage(key: str, message: str) -> str: """ >>> encryptMessage('LFWOAYUISVKMNXPBDCRJTQEGHZ', 'Harshil Darji') 'Ilcrism Olcvs' """ return translateMessage(key, message, "encrypt") def decryptMessage(key: str, message: str) -> str: """ >>> decryptMessage('LFWOAYUISVKMNXPBDCRJTQEGHZ', 'Ilcrism Olcvs') 'Harshil Darji' """ return translateMessage(key, message, "decrypt") def translateMessage(key: str, message: str, mode: str) -> str: translated = "" charsA = LETTERS charsB = key if mode == "decrypt": charsA, charsB = charsB, charsA for symbol in message: if symbol.upper() in charsA: symIndex = charsA.find(symbol.upper()) if symbol.isupper(): translated += charsB[symIndex].upper() else: translated += charsB[symIndex].lower() else: translated += symbol return translated def getRandomKey() -> str: key = list(LETTERS) random.shuffle(key) return "".join(key) if __name__ == "__main__": main()
import random import sys LETTERS = "ABCDEFGHIJKLMNOPQRSTUVWXYZ" def main() -> None: message = input("Enter message: ") key = "LFWOAYUISVKMNXPBDCRJTQEGHZ" resp = input("Encrypt/Decrypt [e/d]: ") checkValidKey(key) if resp.lower().startswith("e"): mode = "encrypt" translated = encryptMessage(key, message) elif resp.lower().startswith("d"): mode = "decrypt" translated = decryptMessage(key, message) print(f"\n{mode.title()}ion: \n{translated}") def checkValidKey(key: str) -> None: keyList = list(key) lettersList = list(LETTERS) keyList.sort() lettersList.sort() if keyList != lettersList: sys.exit("Error in the key or symbol set.") def encryptMessage(key: str, message: str) -> str: """ >>> encryptMessage('LFWOAYUISVKMNXPBDCRJTQEGHZ', 'Harshil Darji') 'Ilcrism Olcvs' """ return translateMessage(key, message, "encrypt") def decryptMessage(key: str, message: str) -> str: """ >>> decryptMessage('LFWOAYUISVKMNXPBDCRJTQEGHZ', 'Ilcrism Olcvs') 'Harshil Darji' """ return translateMessage(key, message, "decrypt") def translateMessage(key: str, message: str, mode: str) -> str: translated = "" charsA = LETTERS charsB = key if mode == "decrypt": charsA, charsB = charsB, charsA for symbol in message: if symbol.upper() in charsA: symIndex = charsA.find(symbol.upper()) if symbol.isupper(): translated += charsB[symIndex].upper() else: translated += charsB[symIndex].lower() else: translated += symbol return translated def getRandomKey() -> str: key = list(LETTERS) random.shuffle(key) return "".join(key) if __name__ == "__main__": main()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Implementation of median filter algorithm """ from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import divide, int8, multiply, ravel, sort, zeros_like def median_filter(gray_img, mask=3): """ :param gray_img: gray image :param mask: mask size :return: image with median filter """ # set image borders bd = int(mask / 2) # copy image size median_img = zeros_like(gray_img) for i in range(bd, gray_img.shape[0] - bd): for j in range(bd, gray_img.shape[1] - bd): # get mask according with mask kernel = ravel(gray_img[i - bd : i + bd + 1, j - bd : j + bd + 1]) # calculate mask median median = sort(kernel)[int8(divide((multiply(mask, mask)), 2) + 1)] median_img[i, j] = median return median_img if __name__ == "__main__": # read original image img = imread("../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # get values with two different mask size median3x3 = median_filter(gray, 3) median5x5 = median_filter(gray, 5) # show result images imshow("median filter with 3x3 mask", median3x3) imshow("median filter with 5x5 mask", median5x5) waitKey(0)
""" Implementation of median filter algorithm """ from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import divide, int8, multiply, ravel, sort, zeros_like def median_filter(gray_img, mask=3): """ :param gray_img: gray image :param mask: mask size :return: image with median filter """ # set image borders bd = int(mask / 2) # copy image size median_img = zeros_like(gray_img) for i in range(bd, gray_img.shape[0] - bd): for j in range(bd, gray_img.shape[1] - bd): # get mask according with mask kernel = ravel(gray_img[i - bd : i + bd + 1, j - bd : j + bd + 1]) # calculate mask median median = sort(kernel)[int8(divide((multiply(mask, mask)), 2) + 1)] median_img[i, j] = median return median_img if __name__ == "__main__": # read original image img = imread("../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # get values with two different mask size median3x3 = median_filter(gray, 3) median5x5 = median_filter(gray, 5) # show result images imshow("median filter with 3x3 mask", median3x3) imshow("median filter with 5x5 mask", median5x5) waitKey(0)
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" What is the greatest product of four adjacent numbers (horizontally, vertically, or diagonally) in this 20x20 array? 08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48 """ import os def solution(): """Returns the greatest product of four adjacent numbers (horizontally, vertically, or diagonally). >>> solution() 70600674 """ with open(os.path.dirname(__file__) + "/grid.txt") as f: l = [] # noqa: E741 for i in range(20): l.append([int(x) for x in f.readline().split()]) maximum = 0 # right for i in range(20): for j in range(17): temp = l[i][j] * l[i][j + 1] * l[i][j + 2] * l[i][j + 3] if temp > maximum: maximum = temp # down for i in range(17): for j in range(20): temp = l[i][j] * l[i + 1][j] * l[i + 2][j] * l[i + 3][j] if temp > maximum: maximum = temp # diagonal 1 for i in range(17): for j in range(17): temp = l[i][j] * l[i + 1][j + 1] * l[i + 2][j + 2] * l[i + 3][j + 3] if temp > maximum: maximum = temp # diagonal 2 for i in range(17): for j in range(3, 20): temp = l[i][j] * l[i + 1][j - 1] * l[i + 2][j - 2] * l[i + 3][j - 3] if temp > maximum: maximum = temp return maximum if __name__ == "__main__": print(solution())
""" What is the greatest product of four adjacent numbers (horizontally, vertically, or diagonally) in this 20x20 array? 08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48 """ import os def solution(): """Returns the greatest product of four adjacent numbers (horizontally, vertically, or diagonally). >>> solution() 70600674 """ with open(os.path.dirname(__file__) + "/grid.txt") as f: l = [] # noqa: E741 for i in range(20): l.append([int(x) for x in f.readline().split()]) maximum = 0 # right for i in range(20): for j in range(17): temp = l[i][j] * l[i][j + 1] * l[i][j + 2] * l[i][j + 3] if temp > maximum: maximum = temp # down for i in range(17): for j in range(20): temp = l[i][j] * l[i + 1][j] * l[i + 2][j] * l[i + 3][j] if temp > maximum: maximum = temp # diagonal 1 for i in range(17): for j in range(17): temp = l[i][j] * l[i + 1][j + 1] * l[i + 2][j + 2] * l[i + 3][j + 3] if temp > maximum: maximum = temp # diagonal 2 for i in range(17): for j in range(3, 20): temp = l[i][j] * l[i + 1][j - 1] * l[i + 2][j - 2] * l[i + 3][j - 3] if temp > maximum: maximum = temp return maximum if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def multiplicative_persistence(num: int) -> int: """ Return the persistence of a given number. https://en.wikipedia.org/wiki/Persistence_of_a_number >>> multiplicative_persistence(217) 2 >>> multiplicative_persistence(-1) Traceback (most recent call last): ... ValueError: multiplicative_persistence() does not accept negative values >>> multiplicative_persistence("long number") Traceback (most recent call last): ... ValueError: multiplicative_persistence() only accepts integral values """ if not isinstance(num, int): raise ValueError("multiplicative_persistence() only accepts integral values") if num < 0: raise ValueError("multiplicative_persistence() does not accept negative values") steps = 0 num_string = str(num) while len(num_string) != 1: numbers = [int(i) for i in num_string] total = 1 for i in range(0, len(numbers)): total *= numbers[i] num_string = str(total) steps += 1 return steps def additive_persistence(num: int) -> int: """ Return the persistence of a given number. https://en.wikipedia.org/wiki/Persistence_of_a_number >>> additive_persistence(199) 3 >>> additive_persistence(-1) Traceback (most recent call last): ... ValueError: additive_persistence() does not accept negative values >>> additive_persistence("long number") Traceback (most recent call last): ... ValueError: additive_persistence() only accepts integral values """ if not isinstance(num, int): raise ValueError("additive_persistence() only accepts integral values") if num < 0: raise ValueError("additive_persistence() does not accept negative values") steps = 0 num_string = str(num) while len(num_string) != 1: numbers = [int(i) for i in num_string] total = 0 for i in range(0, len(numbers)): total += numbers[i] num_string = str(total) steps += 1 return steps if __name__ == "__main__": import doctest doctest.testmod()
def multiplicative_persistence(num: int) -> int: """ Return the persistence of a given number. https://en.wikipedia.org/wiki/Persistence_of_a_number >>> multiplicative_persistence(217) 2 >>> multiplicative_persistence(-1) Traceback (most recent call last): ... ValueError: multiplicative_persistence() does not accept negative values >>> multiplicative_persistence("long number") Traceback (most recent call last): ... ValueError: multiplicative_persistence() only accepts integral values """ if not isinstance(num, int): raise ValueError("multiplicative_persistence() only accepts integral values") if num < 0: raise ValueError("multiplicative_persistence() does not accept negative values") steps = 0 num_string = str(num) while len(num_string) != 1: numbers = [int(i) for i in num_string] total = 1 for i in range(0, len(numbers)): total *= numbers[i] num_string = str(total) steps += 1 return steps def additive_persistence(num: int) -> int: """ Return the persistence of a given number. https://en.wikipedia.org/wiki/Persistence_of_a_number >>> additive_persistence(199) 3 >>> additive_persistence(-1) Traceback (most recent call last): ... ValueError: additive_persistence() does not accept negative values >>> additive_persistence("long number") Traceback (most recent call last): ... ValueError: additive_persistence() only accepts integral values """ if not isinstance(num, int): raise ValueError("additive_persistence() only accepts integral values") if num < 0: raise ValueError("additive_persistence() does not accept negative values") steps = 0 num_string = str(num) while len(num_string) != 1: numbers = [int(i) for i in num_string] total = 0 for i in range(0, len(numbers)): total += numbers[i] num_string = str(total) steps += 1 return steps if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem 45: https://projecteuler.net/problem=45 Triangle, pentagonal, and hexagonal numbers are generated by the following formulae: Triangle T(n) = (n * (n + 1)) / 2 1, 3, 6, 10, 15, ... Pentagonal P(n) = (n * (3 * n − 1)) / 2 1, 5, 12, 22, 35, ... Hexagonal H(n) = n * (2 * n − 1) 1, 6, 15, 28, 45, ... It can be verified that T(285) = P(165) = H(143) = 40755. Find the next triangle number that is also pentagonal and hexagonal. All trinagle numbers are hexagonal numbers. T(2n-1) = n * (2 * n - 1) = H(n) So we shall check only for hexagonal numbers which are also pentagonal. """ def hexagonal_num(n: int) -> int: """ Returns nth hexagonal number >>> hexagonal_num(143) 40755 >>> hexagonal_num(21) 861 >>> hexagonal_num(10) 190 """ return n * (2 * n - 1) def is_pentagonal(n: int) -> bool: """ Returns True if n is pentagonal, False otherwise. >>> is_pentagonal(330) True >>> is_pentagonal(7683) False >>> is_pentagonal(2380) True """ root = (1 + 24 * n) ** 0.5 return ((1 + root) / 6) % 1 == 0 def solution(start: int = 144) -> int: """ Returns the next number which is triangular, pentagonal and hexagonal. >>> solution(144) 1533776805 """ n = start num = hexagonal_num(n) while not is_pentagonal(num): n += 1 num = hexagonal_num(n) return num if __name__ == "__main__": print(f"{solution()} = ")
""" Problem 45: https://projecteuler.net/problem=45 Triangle, pentagonal, and hexagonal numbers are generated by the following formulae: Triangle T(n) = (n * (n + 1)) / 2 1, 3, 6, 10, 15, ... Pentagonal P(n) = (n * (3 * n − 1)) / 2 1, 5, 12, 22, 35, ... Hexagonal H(n) = n * (2 * n − 1) 1, 6, 15, 28, 45, ... It can be verified that T(285) = P(165) = H(143) = 40755. Find the next triangle number that is also pentagonal and hexagonal. All trinagle numbers are hexagonal numbers. T(2n-1) = n * (2 * n - 1) = H(n) So we shall check only for hexagonal numbers which are also pentagonal. """ def hexagonal_num(n: int) -> int: """ Returns nth hexagonal number >>> hexagonal_num(143) 40755 >>> hexagonal_num(21) 861 >>> hexagonal_num(10) 190 """ return n * (2 * n - 1) def is_pentagonal(n: int) -> bool: """ Returns True if n is pentagonal, False otherwise. >>> is_pentagonal(330) True >>> is_pentagonal(7683) False >>> is_pentagonal(2380) True """ root = (1 + 24 * n) ** 0.5 return ((1 + root) / 6) % 1 == 0 def solution(start: int = 144) -> int: """ Returns the next number which is triangular, pentagonal and hexagonal. >>> solution(144) 1533776805 """ n = start num = hexagonal_num(n) while not is_pentagonal(num): n += 1 num = hexagonal_num(n) return num if __name__ == "__main__": print(f"{solution()} = ")
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#
#
-1
TheAlgorithms/Python
6,040
fixed mypy annotations for arithmetic_analysis
### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
Leoriem-code
"2022-03-09T16:34:31Z"
"2022-05-12T03:35:56Z"
e23c18fb5cb34d51b69e2840c304ade597163085
533eea5afa916fbe1d0db6db8da76c68b2928ca0
fixed mypy annotations for arithmetic_analysis. ### Describe your change: Updated mypy annotations * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [x] All filenames are in all lowercase characters with no spaces or dashes. * [x] All functions and variable names follow Python naming conventions. * [x] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [x] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [x] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [x] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from typing import Callable, Generic, TypeVar T = TypeVar("T") U = TypeVar("U") class DoubleLinkedListNode(Generic[T, U]): """ Double Linked List Node built specifically for LFU Cache >>> node = DoubleLinkedListNode(1,1) >>> node Node: key: 1, val: 1, freq: 0, has next: False, has prev: False """ def __init__(self, key: T | None, val: U | None): self.key = key self.val = val self.freq: int = 0 self.next: DoubleLinkedListNode[T, U] | None = None self.prev: DoubleLinkedListNode[T, U] | None = None def __repr__(self) -> str: return "Node: key: {}, val: {}, freq: {}, has next: {}, has prev: {}".format( self.key, self.val, self.freq, self.next is not None, self.prev is not None ) class DoubleLinkedList(Generic[T, U]): """ Double Linked List built specifically for LFU Cache >>> dll: DoubleLinkedList = DoubleLinkedList() >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> first_node = DoubleLinkedListNode(1,10) >>> first_node Node: key: 1, val: 10, freq: 0, has next: False, has prev: False >>> dll.add(first_node) >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 1, val: 10, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> # node is mutated >>> first_node Node: key: 1, val: 10, freq: 1, has next: True, has prev: True >>> second_node = DoubleLinkedListNode(2,20) >>> second_node Node: key: 2, val: 20, freq: 0, has next: False, has prev: False >>> dll.add(second_node) >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 1, val: 10, freq: 1, has next: True, has prev: True, Node: key: 2, val: 20, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> removed_node = dll.remove(first_node) >>> assert removed_node == first_node >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 2, val: 20, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> # Attempt to remove node not on list >>> removed_node = dll.remove(first_node) >>> removed_node is None True >>> # Attempt to remove head or rear >>> dll.head Node: key: None, val: None, freq: 0, has next: True, has prev: False >>> dll.remove(dll.head) is None True >>> # Attempt to remove head or rear >>> dll.rear Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> dll.remove(dll.rear) is None True """ def __init__(self) -> None: self.head: DoubleLinkedListNode[T, U] = DoubleLinkedListNode(None, None) self.rear: DoubleLinkedListNode[T, U] = DoubleLinkedListNode(None, None) self.head.next, self.rear.prev = self.rear, self.head def __repr__(self) -> str: rep = ["DoubleLinkedList"] node = self.head while node.next is not None: rep.append(str(node)) node = node.next rep.append(str(self.rear)) return ",\n ".join(rep) def add(self, node: DoubleLinkedListNode[T, U]) -> None: """ Adds the given node at the tail of the list and shifting it to proper position """ previous = self.rear.prev # All nodes other than self.head are guaranteed to have non-None previous assert previous is not None previous.next = node node.prev = previous self.rear.prev = node node.next = self.rear node.freq += 1 self._position_node(node) def _position_node(self, node: DoubleLinkedListNode[T, U]) -> None: """ Moves node forward to maintain invariant of sort by freq value """ while node.prev is not None and node.prev.freq > node.freq: # swap node with previous node previous_node = node.prev node.prev = previous_node.prev previous_node.next = node.prev node.next = previous_node previous_node.prev = node def remove( self, node: DoubleLinkedListNode[T, U] ) -> DoubleLinkedListNode[T, U] | None: """ Removes and returns the given node from the list Returns None if node.prev or node.next is None """ if node.prev is None or node.next is None: return None node.prev.next = node.next node.next.prev = node.prev node.prev = None node.next = None return node class LFUCache(Generic[T, U]): """ LFU Cache to store a given capacity of data. Can be used as a stand-alone object or as a function decorator. >>> cache = LFUCache(2) >>> cache.set(1, 1) >>> cache.set(2, 2) >>> cache.get(1) 1 >>> cache.set(3, 3) >>> cache.get(2) is None True >>> cache.set(4, 4) >>> cache.get(1) is None True >>> cache.get(3) 3 >>> cache.get(4) 4 >>> cache CacheInfo(hits=3, misses=2, capacity=2, current_size=2) >>> @LFUCache.decorator(100) ... def fib(num): ... if num in (1, 2): ... return 1 ... return fib(num - 1) + fib(num - 2) >>> for i in range(1, 101): ... res = fib(i) >>> fib.cache_info() CacheInfo(hits=196, misses=100, capacity=100, current_size=100) """ # class variable to map the decorator functions to their respective instance decorator_function_to_instance_map: dict[Callable[[T], U], LFUCache[T, U]] = {} def __init__(self, capacity: int): self.list: DoubleLinkedList[T, U] = DoubleLinkedList() self.capacity = capacity self.num_keys = 0 self.hits = 0 self.miss = 0 self.cache: dict[T, DoubleLinkedListNode[T, U]] = {} def __repr__(self) -> str: """ Return the details for the cache instance [hits, misses, capacity, current_size] """ return ( f"CacheInfo(hits={self.hits}, misses={self.miss}, " f"capacity={self.capacity}, current_size={self.num_keys})" ) def __contains__(self, key: T) -> bool: """ >>> cache = LFUCache(1) >>> 1 in cache False >>> cache.set(1, 1) >>> 1 in cache True """ return key in self.cache def get(self, key: T) -> U | None: """ Returns the value for the input key and updates the Double Linked List. Returns Returns None if key is not present in cache """ if key in self.cache: self.hits += 1 value_node: DoubleLinkedListNode[T, U] = self.cache[key] node = self.list.remove(self.cache[key]) assert node == value_node # node is guaranteed not None because it is in self.cache assert node is not None self.list.add(node) return node.val self.miss += 1 return None def set(self, key: T, value: U) -> None: """ Sets the value for the input key and updates the Double Linked List """ if key not in self.cache: if self.num_keys >= self.capacity: # delete first node when over capacity first_node = self.list.head.next # guaranteed to have a non-None first node when num_keys > 0 # explain to type checker via assertions assert first_node is not None assert first_node.key is not None assert self.list.remove(first_node) is not None # first_node guaranteed to be in list del self.cache[first_node.key] self.num_keys -= 1 self.cache[key] = DoubleLinkedListNode(key, value) self.list.add(self.cache[key]) self.num_keys += 1 else: node = self.list.remove(self.cache[key]) assert node is not None # node guaranteed to be in list node.val = value self.list.add(node) @classmethod def decorator( cls: type[LFUCache[T, U]], size: int = 128 ) -> Callable[[Callable[[T], U]], Callable[..., U]]: """ Decorator version of LFU Cache Decorated function must be function of T -> U """ def cache_decorator_inner(func: Callable[[T], U]) -> Callable[..., U]: def cache_decorator_wrapper(*args: T) -> U: if func not in cls.decorator_function_to_instance_map: cls.decorator_function_to_instance_map[func] = LFUCache(size) result = cls.decorator_function_to_instance_map[func].get(args[0]) if result is None: result = func(*args) cls.decorator_function_to_instance_map[func].set(args[0], result) return result def cache_info() -> LFUCache[T, U]: return cls.decorator_function_to_instance_map[func] setattr(cache_decorator_wrapper, "cache_info", cache_info) return cache_decorator_wrapper return cache_decorator_inner if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations from typing import Callable, Generic, TypeVar T = TypeVar("T") U = TypeVar("U") class DoubleLinkedListNode(Generic[T, U]): """ Double Linked List Node built specifically for LFU Cache >>> node = DoubleLinkedListNode(1,1) >>> node Node: key: 1, val: 1, freq: 0, has next: False, has prev: False """ def __init__(self, key: T | None, val: U | None): self.key = key self.val = val self.freq: int = 0 self.next: DoubleLinkedListNode[T, U] | None = None self.prev: DoubleLinkedListNode[T, U] | None = None def __repr__(self) -> str: return "Node: key: {}, val: {}, freq: {}, has next: {}, has prev: {}".format( self.key, self.val, self.freq, self.next is not None, self.prev is not None ) class DoubleLinkedList(Generic[T, U]): """ Double Linked List built specifically for LFU Cache >>> dll: DoubleLinkedList = DoubleLinkedList() >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> first_node = DoubleLinkedListNode(1,10) >>> first_node Node: key: 1, val: 10, freq: 0, has next: False, has prev: False >>> dll.add(first_node) >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 1, val: 10, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> # node is mutated >>> first_node Node: key: 1, val: 10, freq: 1, has next: True, has prev: True >>> second_node = DoubleLinkedListNode(2,20) >>> second_node Node: key: 2, val: 20, freq: 0, has next: False, has prev: False >>> dll.add(second_node) >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 1, val: 10, freq: 1, has next: True, has prev: True, Node: key: 2, val: 20, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> removed_node = dll.remove(first_node) >>> assert removed_node == first_node >>> dll DoubleLinkedList, Node: key: None, val: None, freq: 0, has next: True, has prev: False, Node: key: 2, val: 20, freq: 1, has next: True, has prev: True, Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> # Attempt to remove node not on list >>> removed_node = dll.remove(first_node) >>> removed_node is None True >>> # Attempt to remove head or rear >>> dll.head Node: key: None, val: None, freq: 0, has next: True, has prev: False >>> dll.remove(dll.head) is None True >>> # Attempt to remove head or rear >>> dll.rear Node: key: None, val: None, freq: 0, has next: False, has prev: True >>> dll.remove(dll.rear) is None True """ def __init__(self) -> None: self.head: DoubleLinkedListNode[T, U] = DoubleLinkedListNode(None, None) self.rear: DoubleLinkedListNode[T, U] = DoubleLinkedListNode(None, None) self.head.next, self.rear.prev = self.rear, self.head def __repr__(self) -> str: rep = ["DoubleLinkedList"] node = self.head while node.next is not None: rep.append(str(node)) node = node.next rep.append(str(self.rear)) return ",\n ".join(rep) def add(self, node: DoubleLinkedListNode[T, U]) -> None: """ Adds the given node at the tail of the list and shifting it to proper position """ previous = self.rear.prev # All nodes other than self.head are guaranteed to have non-None previous assert previous is not None previous.next = node node.prev = previous self.rear.prev = node node.next = self.rear node.freq += 1 self._position_node(node) def _position_node(self, node: DoubleLinkedListNode[T, U]) -> None: """ Moves node forward to maintain invariant of sort by freq value """ while node.prev is not None and node.prev.freq > node.freq: # swap node with previous node previous_node = node.prev node.prev = previous_node.prev previous_node.next = node.prev node.next = previous_node previous_node.prev = node def remove( self, node: DoubleLinkedListNode[T, U] ) -> DoubleLinkedListNode[T, U] | None: """ Removes and returns the given node from the list Returns None if node.prev or node.next is None """ if node.prev is None or node.next is None: return None node.prev.next = node.next node.next.prev = node.prev node.prev = None node.next = None return node class LFUCache(Generic[T, U]): """ LFU Cache to store a given capacity of data. Can be used as a stand-alone object or as a function decorator. >>> cache = LFUCache(2) >>> cache.set(1, 1) >>> cache.set(2, 2) >>> cache.get(1) 1 >>> cache.set(3, 3) >>> cache.get(2) is None True >>> cache.set(4, 4) >>> cache.get(1) is None True >>> cache.get(3) 3 >>> cache.get(4) 4 >>> cache CacheInfo(hits=3, misses=2, capacity=2, current_size=2) >>> @LFUCache.decorator(100) ... def fib(num): ... if num in (1, 2): ... return 1 ... return fib(num - 1) + fib(num - 2) >>> for i in range(1, 101): ... res = fib(i) >>> fib.cache_info() CacheInfo(hits=196, misses=100, capacity=100, current_size=100) """ # class variable to map the decorator functions to their respective instance decorator_function_to_instance_map: dict[Callable[[T], U], LFUCache[T, U]] = {} def __init__(self, capacity: int): self.list: DoubleLinkedList[T, U] = DoubleLinkedList() self.capacity = capacity self.num_keys = 0 self.hits = 0 self.miss = 0 self.cache: dict[T, DoubleLinkedListNode[T, U]] = {} def __repr__(self) -> str: """ Return the details for the cache instance [hits, misses, capacity, current_size] """ return ( f"CacheInfo(hits={self.hits}, misses={self.miss}, " f"capacity={self.capacity}, current_size={self.num_keys})" ) def __contains__(self, key: T) -> bool: """ >>> cache = LFUCache(1) >>> 1 in cache False >>> cache.set(1, 1) >>> 1 in cache True """ return key in self.cache def get(self, key: T) -> U | None: """ Returns the value for the input key and updates the Double Linked List. Returns Returns None if key is not present in cache """ if key in self.cache: self.hits += 1 value_node: DoubleLinkedListNode[T, U] = self.cache[key] node = self.list.remove(self.cache[key]) assert node == value_node # node is guaranteed not None because it is in self.cache assert node is not None self.list.add(node) return node.val self.miss += 1 return None def set(self, key: T, value: U) -> None: """ Sets the value for the input key and updates the Double Linked List """ if key not in self.cache: if self.num_keys >= self.capacity: # delete first node when over capacity first_node = self.list.head.next # guaranteed to have a non-None first node when num_keys > 0 # explain to type checker via assertions assert first_node is not None assert first_node.key is not None assert self.list.remove(first_node) is not None # first_node guaranteed to be in list del self.cache[first_node.key] self.num_keys -= 1 self.cache[key] = DoubleLinkedListNode(key, value) self.list.add(self.cache[key]) self.num_keys += 1 else: node = self.list.remove(self.cache[key]) assert node is not None # node guaranteed to be in list node.val = value self.list.add(node) @classmethod def decorator( cls: type[LFUCache[T, U]], size: int = 128 ) -> Callable[[Callable[[T], U]], Callable[..., U]]: """ Decorator version of LFU Cache Decorated function must be function of T -> U """ def cache_decorator_inner(func: Callable[[T], U]) -> Callable[..., U]: def cache_decorator_wrapper(*args: T) -> U: if func not in cls.decorator_function_to_instance_map: cls.decorator_function_to_instance_map[func] = LFUCache(size) result = cls.decorator_function_to_instance_map[func].get(args[0]) if result is None: result = func(*args) cls.decorator_function_to_instance_map[func].set(args[0], result) return result def cache_info() -> LFUCache[T, U]: return cls.decorator_function_to_instance_map[func] setattr(cache_decorator_wrapper, "cache_info", cache_info) return cache_decorator_wrapper return cache_decorator_inner if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 with: python-version: "3.10" - uses: actions/cache@v2 with: path: ~/.cache/pip key: ${{ runner.os }}-pip-${{ hashFiles('requirements.txt') }} - name: Install dependencies run: | python -m pip install --upgrade pip setuptools six wheel python -m pip install mypy pytest-cov -r requirements.txt - run: | mkdir -p .mypy_cache mypy --ignore-missing-imports --install-types --non-interactive . || true - name: Run tests run: pytest --doctest-modules --ignore=project_euler/ --ignore=scripts/validate_solutions.py --cov-report=term-missing:skip-covered --cov=. . - if: ${{ success() }} run: scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 with: python-version: "3.10" - uses: actions/cache@v2 with: path: ~/.cache/pip key: ${{ runner.os }}-pip-${{ hashFiles('requirements.txt') }} - name: Install dependencies run: | python -m pip install --upgrade pip setuptools six wheel python -m pip install pytest-cov -r requirements.txt - name: Run tests run: pytest --doctest-modules --ignore=project_euler/ --ignore=scripts/validate_solutions.py --cov-report=term-missing:skip-covered --cov=. . - if: ${{ success() }} run: scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md
1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
repos: - repo: https://github.com/pre-commit/pre-commit-hooks rev: v4.1.0 hooks: - id: check-executables-have-shebangs - id: check-yaml - id: end-of-file-fixer types: [python] - id: trailing-whitespace exclude: | (?x)^( data_structures/heap/binomial_heap.py )$ - id: requirements-txt-fixer - repo: https://github.com/psf/black rev: 22.1.0 hooks: - id: black - repo: https://github.com/PyCQA/isort rev: 5.10.1 hooks: - id: isort args: - --profile=black - repo: https://github.com/asottile/pyupgrade rev: v2.31.0 hooks: - id: pyupgrade args: - --py39-plus - repo: https://gitlab.com/pycqa/flake8 rev: 3.9.2 hooks: - id: flake8 args: - --ignore=E203,W503 - --max-complexity=25 - --max-line-length=88 - repo: https://github.com/pre-commit/mirrors-mypy rev: v0.931 hooks: - id: mypy args: - --ignore-missing-imports - --install-types # See mirrors-mypy README.md - --non-interactive - repo: https://github.com/codespell-project/codespell rev: v2.1.0 hooks: - id: codespell args: - --ignore-words-list=ans,crate,fo,followings,hist,iff,mater,secant,som,sur,tim - --skip="./.*,./strings/dictionary.txt,./strings/words.txt,./project_euler/problem_022/p022_names.txt" exclude: | (?x)^( strings/dictionary.txt | strings/words.txt | project_euler/problem_022/p022_names.txt )$ - repo: local hooks: - id: validate-filenames name: Validate filenames entry: ./scripts/validate_filenames.py language: script pass_filenames: false
repos: - repo: https://github.com/pre-commit/pre-commit-hooks rev: v4.1.0 hooks: - id: check-executables-have-shebangs - id: check-yaml - id: end-of-file-fixer types: [python] - id: trailing-whitespace exclude: | (?x)^( data_structures/heap/binomial_heap.py )$ - id: requirements-txt-fixer - repo: https://github.com/psf/black rev: 22.1.0 hooks: - id: black - repo: https://github.com/PyCQA/isort rev: 5.10.1 hooks: - id: isort args: - --profile=black - repo: https://github.com/asottile/pyupgrade rev: v2.31.0 hooks: - id: pyupgrade args: - --py310-plus - repo: https://gitlab.com/pycqa/flake8 rev: 3.9.2 hooks: - id: flake8 args: - --ignore=E203,W503 - --max-complexity=25 - --max-line-length=88 - repo: https://github.com/pre-commit/mirrors-mypy rev: v0.931 hooks: - id: mypy args: - --ignore-missing-imports - --install-types # See mirrors-mypy README.md - --non-interactive - repo: https://github.com/codespell-project/codespell rev: v2.1.0 hooks: - id: codespell args: - --ignore-words-list=ans,crate,fo,followings,hist,iff,mater,secant,som,sur,tim - --skip="./.*,./strings/dictionary.txt,./strings/words.txt,./project_euler/problem_022/p022_names.txt" exclude: | (?x)^( strings/dictionary.txt | strings/words.txt | project_euler/problem_022/p022_names.txt )$ - repo: local hooks: - id: validate-filenames name: Validate filenames entry: ./scripts/validate_filenames.py language: script pass_filenames: false
1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Checks if a system of forces is in static equilibrium. """ from __future__ import annotations from numpy import array, cos, cross, ndarray, radians, sin def polar_force( magnitude: float, angle: float, radian_mode: bool = False ) -> list[float]: """ Resolves force along rectangular components. (force, angle) => (force_x, force_y) >>> polar_force(10, 45) [7.0710678118654755, 7.071067811865475] >>> polar_force(10, 3.14, radian_mode=True) [-9.999987317275394, 0.01592652916486828] """ if radian_mode: return [magnitude * cos(angle), magnitude * sin(angle)] return [magnitude * cos(radians(angle)), magnitude * sin(radians(angle))] def in_static_equilibrium( forces: ndarray, location: ndarray, eps: float = 10**-1 ) -> bool: """ Check if a system is in equilibrium. It takes two numpy.array objects. forces ==> [ [force1_x, force1_y], [force2_x, force2_y], ....] location ==> [ [x1, y1], [x2, y2], ....] >>> force = array([[1, 1], [-1, 2]]) >>> location = array([[1, 0], [10, 0]]) >>> in_static_equilibrium(force, location) False """ # summation of moments is zero moments: ndarray = cross(location, forces) sum_moments: float = sum(moments) return abs(sum_moments) < eps if __name__ == "__main__": # Test to check if it works forces = array( [polar_force(718.4, 180 - 30), polar_force(879.54, 45), polar_force(100, -90)] ) location = array([[0, 0], [0, 0], [0, 0]]) assert in_static_equilibrium(forces, location) # Problem 1 in image_data/2D_problems.jpg forces = array( [ polar_force(30 * 9.81, 15), polar_force(215, 180 - 45), polar_force(264, 90 - 30), ] ) location = array([[0, 0], [0, 0], [0, 0]]) assert in_static_equilibrium(forces, location) # Problem in image_data/2D_problems_1.jpg forces = array([[0, -2000], [0, -1200], [0, 15600], [0, -12400]]) location = array([[0, 0], [6, 0], [10, 0], [12, 0]]) assert in_static_equilibrium(forces, location) import doctest doctest.testmod()
""" Checks if a system of forces is in static equilibrium. """ from __future__ import annotations from numpy import array, cos, cross, ndarray, radians, sin def polar_force( magnitude: float, angle: float, radian_mode: bool = False ) -> list[float]: """ Resolves force along rectangular components. (force, angle) => (force_x, force_y) >>> polar_force(10, 45) [7.071067811865477, 7.0710678118654755] >>> polar_force(10, 3.14, radian_mode=True) [-9.999987317275396, 0.01592652916486828] """ if radian_mode: return [magnitude * cos(angle), magnitude * sin(angle)] return [magnitude * cos(radians(angle)), magnitude * sin(radians(angle))] def in_static_equilibrium( forces: ndarray, location: ndarray, eps: float = 10**-1 ) -> bool: """ Check if a system is in equilibrium. It takes two numpy.array objects. forces ==> [ [force1_x, force1_y], [force2_x, force2_y], ....] location ==> [ [x1, y1], [x2, y2], ....] >>> force = array([[1, 1], [-1, 2]]) >>> location = array([[1, 0], [10, 0]]) >>> in_static_equilibrium(force, location) False """ # summation of moments is zero moments: ndarray = cross(location, forces) sum_moments: float = sum(moments) return abs(sum_moments) < eps if __name__ == "__main__": # Test to check if it works forces = array( [polar_force(718.4, 180 - 30), polar_force(879.54, 45), polar_force(100, -90)] ) location = array([[0, 0], [0, 0], [0, 0]]) assert in_static_equilibrium(forces, location) # Problem 1 in image_data/2D_problems.jpg forces = array( [ polar_force(30 * 9.81, 15), polar_force(215, 180 - 45), polar_force(264, 90 - 30), ] ) location = array([[0, 0], [0, 0], [0, 0]]) assert in_static_equilibrium(forces, location) # Problem in image_data/2D_problems_1.jpg forces = array([[0, -2000], [0, -1200], [0, 15600], [0, -12400]]) location = array([[0, 0], [6, 0], [10, 0], [12, 0]]) assert in_static_equilibrium(forces, location) import doctest doctest.testmod()
1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Scrape the price and pharmacy name for a prescription drug from rx site after providing the drug name and zipcode. """ from typing import Union from urllib.error import HTTPError from bs4 import BeautifulSoup from requests import exceptions, get BASE_URL = "https://www.wellrx.com/prescriptions/{0}/{1}/?freshSearch=true" def fetch_pharmacy_and_price_list(drug_name: str, zip_code: str) -> Union[list, None]: """[summary] This function will take input of drug name and zipcode, then request to the BASE_URL site. Get the page data and scrape it to the generate the list of lowest prices for the prescription drug. Args: drug_name (str): [Drug name] zip_code(str): [Zip code] Returns: list: [List of pharmacy name and price] >>> fetch_pharmacy_and_price_list(None, None) >>> fetch_pharmacy_and_price_list(None, 30303) >>> fetch_pharmacy_and_price_list("eliquis", None) """ try: # Has user provided both inputs? if not drug_name or not zip_code: return None request_url = BASE_URL.format(drug_name, zip_code) response = get(request_url) # Is the response ok? response.raise_for_status() # Scrape the data using bs4 soup = BeautifulSoup(response.text, "html.parser") # This list will store the name and price. pharmacy_price_list = [] # Fetch all the grids that contains the items. grid_list = soup.find_all("div", {"class": "grid-x pharmCard"}) if grid_list and len(grid_list) > 0: for grid in grid_list: # Get the pharmacy price. pharmacy_name = grid.find("p", {"class": "list-title"}).text # Get price of the drug. price = grid.find("span", {"p", "price price-large"}).text pharmacy_price_list.append( { "pharmacy_name": pharmacy_name, "price": price, } ) return pharmacy_price_list except (HTTPError, exceptions.RequestException, ValueError): return None if __name__ == "__main__": # Enter a drug name and a zip code drug_name = input("Enter drug name: ").strip() zip_code = input("Enter zip code: ").strip() pharmacy_price_list: Union[list, None] = fetch_pharmacy_and_price_list( drug_name, zip_code ) if pharmacy_price_list: print(f"\nSearch results for {drug_name} at location {zip_code}:") for pharmacy_price in pharmacy_price_list: name = pharmacy_price["pharmacy_name"] price = pharmacy_price["price"] print(f"Pharmacy: {name} Price: {price}") else: print(f"No results found for {drug_name}")
""" Scrape the price and pharmacy name for a prescription drug from rx site after providing the drug name and zipcode. """ from urllib.error import HTTPError from bs4 import BeautifulSoup from requests import exceptions, get BASE_URL = "https://www.wellrx.com/prescriptions/{0}/{1}/?freshSearch=true" def fetch_pharmacy_and_price_list(drug_name: str, zip_code: str) -> list | None: """[summary] This function will take input of drug name and zipcode, then request to the BASE_URL site. Get the page data and scrape it to the generate the list of lowest prices for the prescription drug. Args: drug_name (str): [Drug name] zip_code(str): [Zip code] Returns: list: [List of pharmacy name and price] >>> fetch_pharmacy_and_price_list(None, None) >>> fetch_pharmacy_and_price_list(None, 30303) >>> fetch_pharmacy_and_price_list("eliquis", None) """ try: # Has user provided both inputs? if not drug_name or not zip_code: return None request_url = BASE_URL.format(drug_name, zip_code) response = get(request_url) # Is the response ok? response.raise_for_status() # Scrape the data using bs4 soup = BeautifulSoup(response.text, "html.parser") # This list will store the name and price. pharmacy_price_list = [] # Fetch all the grids that contains the items. grid_list = soup.find_all("div", {"class": "grid-x pharmCard"}) if grid_list and len(grid_list) > 0: for grid in grid_list: # Get the pharmacy price. pharmacy_name = grid.find("p", {"class": "list-title"}).text # Get price of the drug. price = grid.find("span", {"p", "price price-large"}).text pharmacy_price_list.append( { "pharmacy_name": pharmacy_name, "price": price, } ) return pharmacy_price_list except (HTTPError, exceptions.RequestException, ValueError): return None if __name__ == "__main__": # Enter a drug name and a zip code drug_name = input("Enter drug name: ").strip() zip_code = input("Enter zip code: ").strip() pharmacy_price_list: list | None = fetch_pharmacy_and_price_list( drug_name, zip_code ) if pharmacy_price_list: print(f"\nSearch results for {drug_name} at location {zip_code}:") for pharmacy_price in pharmacy_price_list: name = pharmacy_price["pharmacy_name"] price = pharmacy_price["price"] print(f"Pharmacy: {name} Price: {price}") else: print(f"No results found for {drug_name}")
1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations import random class Dice: NUM_SIDES = 6 def __init__(self): """Initialize a six sided dice""" self.sides = list(range(1, Dice.NUM_SIDES + 1)) def roll(self): return random.choice(self.sides) def _str_(self): return "Fair Dice" def throw_dice(num_throws: int, num_dice: int = 2) -> list[float]: """ Return probability list of all possible sums when throwing dice. >>> random.seed(0) >>> throw_dice(10, 1) [10.0, 0.0, 30.0, 50.0, 10.0, 0.0] >>> throw_dice(100, 1) [19.0, 17.0, 17.0, 11.0, 23.0, 13.0] >>> throw_dice(1000, 1) [18.8, 15.5, 16.3, 17.6, 14.2, 17.6] >>> throw_dice(10000, 1) [16.35, 16.89, 16.93, 16.6, 16.52, 16.71] >>> throw_dice(10000, 2) [2.74, 5.6, 7.99, 11.26, 13.92, 16.7, 14.44, 10.63, 8.05, 5.92, 2.75] """ dices = [Dice() for i in range(num_dice)] count_of_sum = [0] * (len(dices) * Dice.NUM_SIDES + 1) for i in range(num_throws): count_of_sum[sum(dice.roll() for dice in dices)] += 1 probability = [round((count * 100) / num_throws, 2) for count in count_of_sum] return probability[num_dice:] # remove probability of sums that never appear if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations import random class Dice: NUM_SIDES = 6 def __init__(self): """Initialize a six sided dice""" self.sides = list(range(1, Dice.NUM_SIDES + 1)) def roll(self): return random.choice(self.sides) def _str_(self): return "Fair Dice" def throw_dice(num_throws: int, num_dice: int = 2) -> list[float]: """ Return probability list of all possible sums when throwing dice. >>> random.seed(0) >>> throw_dice(10, 1) [10.0, 0.0, 30.0, 50.0, 10.0, 0.0] >>> throw_dice(100, 1) [19.0, 17.0, 17.0, 11.0, 23.0, 13.0] >>> throw_dice(1000, 1) [18.8, 15.5, 16.3, 17.6, 14.2, 17.6] >>> throw_dice(10000, 1) [16.35, 16.89, 16.93, 16.6, 16.52, 16.71] >>> throw_dice(10000, 2) [2.74, 5.6, 7.99, 11.26, 13.92, 16.7, 14.44, 10.63, 8.05, 5.92, 2.75] """ dices = [Dice() for i in range(num_dice)] count_of_sum = [0] * (len(dices) * Dice.NUM_SIDES + 1) for i in range(num_throws): count_of_sum[sum(dice.roll() for dice in dices)] += 1 probability = [round((count * 100) / num_throws, 2) for count in count_of_sum] return probability[num_dice:] # remove probability of sums that never appear if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 77: https://projecteuler.net/problem=77 It is possible to write ten as the sum of primes in exactly five different ways: 7 + 3 5 + 5 5 + 3 + 2 3 + 3 + 2 + 2 2 + 2 + 2 + 2 + 2 What is the first value which can be written as the sum of primes in over five thousand different ways? """ from __future__ import annotations from functools import lru_cache from math import ceil NUM_PRIMES = 100 primes = set(range(3, NUM_PRIMES, 2)) primes.add(2) prime: int for prime in range(3, ceil(NUM_PRIMES**0.5), 2): if prime not in primes: continue primes.difference_update(set(range(prime * prime, NUM_PRIMES, prime))) @lru_cache(maxsize=100) def partition(number_to_partition: int) -> set[int]: """ Return a set of integers corresponding to unique prime partitions of n. The unique prime partitions can be represented as unique prime decompositions, e.g. (7+3) <-> 7*3 = 12, (3+3+2+2) = 3*3*2*2 = 36 >>> partition(10) {32, 36, 21, 25, 30} >>> partition(15) {192, 160, 105, 44, 112, 243, 180, 150, 216, 26, 125, 126} >>> len(partition(20)) 26 """ if number_to_partition < 0: return set() elif number_to_partition == 0: return {1} ret: set[int] = set() prime: int sub: int for prime in primes: if prime > number_to_partition: continue for sub in partition(number_to_partition - prime): ret.add(sub * prime) return ret def solution(number_unique_partitions: int = 5000) -> int | None: """ Return the smallest integer that can be written as the sum of primes in over m unique ways. >>> solution(4) 10 >>> solution(500) 45 >>> solution(1000) 53 """ for number_to_partition in range(1, NUM_PRIMES): if len(partition(number_to_partition)) > number_unique_partitions: return number_to_partition return None if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 77: https://projecteuler.net/problem=77 It is possible to write ten as the sum of primes in exactly five different ways: 7 + 3 5 + 5 5 + 3 + 2 3 + 3 + 2 + 2 2 + 2 + 2 + 2 + 2 What is the first value which can be written as the sum of primes in over five thousand different ways? """ from __future__ import annotations from functools import lru_cache from math import ceil NUM_PRIMES = 100 primes = set(range(3, NUM_PRIMES, 2)) primes.add(2) prime: int for prime in range(3, ceil(NUM_PRIMES**0.5), 2): if prime not in primes: continue primes.difference_update(set(range(prime * prime, NUM_PRIMES, prime))) @lru_cache(maxsize=100) def partition(number_to_partition: int) -> set[int]: """ Return a set of integers corresponding to unique prime partitions of n. The unique prime partitions can be represented as unique prime decompositions, e.g. (7+3) <-> 7*3 = 12, (3+3+2+2) = 3*3*2*2 = 36 >>> partition(10) {32, 36, 21, 25, 30} >>> partition(15) {192, 160, 105, 44, 112, 243, 180, 150, 216, 26, 125, 126} >>> len(partition(20)) 26 """ if number_to_partition < 0: return set() elif number_to_partition == 0: return {1} ret: set[int] = set() prime: int sub: int for prime in primes: if prime > number_to_partition: continue for sub in partition(number_to_partition - prime): ret.add(sub * prime) return ret def solution(number_unique_partitions: int = 5000) -> int | None: """ Return the smallest integer that can be written as the sum of primes in over m unique ways. >>> solution(4) 10 >>> solution(500) 45 >>> solution(1000) 53 """ for number_to_partition in range(1, NUM_PRIMES): if len(partition(number_to_partition)) > number_unique_partitions: return number_to_partition return None if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" render 3d points for 2d surfaces. """ from __future__ import annotations import math __version__ = "2020.9.26" __author__ = "xcodz-dot, cclaus, dhruvmanila" def convert_to_2d( x: float, y: float, z: float, scale: float, distance: float ) -> tuple[float, float]: """ Converts 3d point to a 2d drawable point >>> convert_to_2d(1.0, 2.0, 3.0, 10.0, 10.0) (7.6923076923076925, 15.384615384615385) >>> convert_to_2d(1, 2, 3, 10, 10) (7.6923076923076925, 15.384615384615385) >>> convert_to_2d("1", 2, 3, 10, 10) # '1' is str Traceback (most recent call last): ... TypeError: Input values must either be float or int: ['1', 2, 3, 10, 10] """ if not all(isinstance(val, (float, int)) for val in locals().values()): raise TypeError( "Input values must either be float or int: " f"{list(locals().values())}" ) projected_x = ((x * distance) / (z + distance)) * scale projected_y = ((y * distance) / (z + distance)) * scale return projected_x, projected_y def rotate( x: float, y: float, z: float, axis: str, angle: float ) -> tuple[float, float, float]: """ rotate a point around a certain axis with a certain angle angle can be any integer between 1, 360 and axis can be any one of 'x', 'y', 'z' >>> rotate(1.0, 2.0, 3.0, 'y', 90.0) (3.130524675073759, 2.0, 0.4470070007889556) >>> rotate(1, 2, 3, "z", 180) (0.999736015495891, -2.0001319704760485, 3) >>> rotate('1', 2, 3, "z", 90.0) # '1' is str Traceback (most recent call last): ... TypeError: Input values except axis must either be float or int: ['1', 2, 3, 90.0] >>> rotate(1, 2, 3, "n", 90) # 'n' is not a valid axis Traceback (most recent call last): ... ValueError: not a valid axis, choose one of 'x', 'y', 'z' >>> rotate(1, 2, 3, "x", -90) (1, -2.5049096187183877, -2.5933429780983657) >>> rotate(1, 2, 3, "x", 450) # 450 wrap around to 90 (1, 3.5776792428178217, -0.44744970165427644) """ if not isinstance(axis, str): raise TypeError("Axis must be a str") input_variables = locals() del input_variables["axis"] if not all(isinstance(val, (float, int)) for val in input_variables.values()): raise TypeError( "Input values except axis must either be float or int: " f"{list(input_variables.values())}" ) angle = (angle % 360) / 450 * 180 / math.pi if axis == "z": new_x = x * math.cos(angle) - y * math.sin(angle) new_y = y * math.cos(angle) + x * math.sin(angle) new_z = z elif axis == "x": new_y = y * math.cos(angle) - z * math.sin(angle) new_z = z * math.cos(angle) + y * math.sin(angle) new_x = x elif axis == "y": new_x = x * math.cos(angle) - z * math.sin(angle) new_z = z * math.cos(angle) + x * math.sin(angle) new_y = y else: raise ValueError("not a valid axis, choose one of 'x', 'y', 'z'") return new_x, new_y, new_z if __name__ == "__main__": import doctest doctest.testmod() print(f"{convert_to_2d(1.0, 2.0, 3.0, 10.0, 10.0) = }") print(f"{rotate(1.0, 2.0, 3.0, 'y', 90.0) = }")
""" render 3d points for 2d surfaces. """ from __future__ import annotations import math __version__ = "2020.9.26" __author__ = "xcodz-dot, cclaus, dhruvmanila" def convert_to_2d( x: float, y: float, z: float, scale: float, distance: float ) -> tuple[float, float]: """ Converts 3d point to a 2d drawable point >>> convert_to_2d(1.0, 2.0, 3.0, 10.0, 10.0) (7.6923076923076925, 15.384615384615385) >>> convert_to_2d(1, 2, 3, 10, 10) (7.6923076923076925, 15.384615384615385) >>> convert_to_2d("1", 2, 3, 10, 10) # '1' is str Traceback (most recent call last): ... TypeError: Input values must either be float or int: ['1', 2, 3, 10, 10] """ if not all(isinstance(val, (float, int)) for val in locals().values()): raise TypeError( "Input values must either be float or int: " f"{list(locals().values())}" ) projected_x = ((x * distance) / (z + distance)) * scale projected_y = ((y * distance) / (z + distance)) * scale return projected_x, projected_y def rotate( x: float, y: float, z: float, axis: str, angle: float ) -> tuple[float, float, float]: """ rotate a point around a certain axis with a certain angle angle can be any integer between 1, 360 and axis can be any one of 'x', 'y', 'z' >>> rotate(1.0, 2.0, 3.0, 'y', 90.0) (3.130524675073759, 2.0, 0.4470070007889556) >>> rotate(1, 2, 3, "z", 180) (0.999736015495891, -2.0001319704760485, 3) >>> rotate('1', 2, 3, "z", 90.0) # '1' is str Traceback (most recent call last): ... TypeError: Input values except axis must either be float or int: ['1', 2, 3, 90.0] >>> rotate(1, 2, 3, "n", 90) # 'n' is not a valid axis Traceback (most recent call last): ... ValueError: not a valid axis, choose one of 'x', 'y', 'z' >>> rotate(1, 2, 3, "x", -90) (1, -2.5049096187183877, -2.5933429780983657) >>> rotate(1, 2, 3, "x", 450) # 450 wrap around to 90 (1, 3.5776792428178217, -0.44744970165427644) """ if not isinstance(axis, str): raise TypeError("Axis must be a str") input_variables = locals() del input_variables["axis"] if not all(isinstance(val, (float, int)) for val in input_variables.values()): raise TypeError( "Input values except axis must either be float or int: " f"{list(input_variables.values())}" ) angle = (angle % 360) / 450 * 180 / math.pi if axis == "z": new_x = x * math.cos(angle) - y * math.sin(angle) new_y = y * math.cos(angle) + x * math.sin(angle) new_z = z elif axis == "x": new_y = y * math.cos(angle) - z * math.sin(angle) new_z = z * math.cos(angle) + y * math.sin(angle) new_x = x elif axis == "y": new_x = x * math.cos(angle) - z * math.sin(angle) new_z = z * math.cos(angle) + x * math.sin(angle) new_y = y else: raise ValueError("not a valid axis, choose one of 'x', 'y', 'z'") return new_x, new_y, new_z if __name__ == "__main__": import doctest doctest.testmod() print(f"{convert_to_2d(1.0, 2.0, 3.0, 10.0, 10.0) = }") print(f"{rotate(1.0, 2.0, 3.0, 'y', 90.0) = }")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Numerical integration or quadrature for a smooth function f with known values at x_i This method is the classical approach of suming 'Equally Spaced Abscissas' method 1: "extended trapezoidal rule" """ def method_1(boundary, steps): # "extended trapezoidal rule" # int(f) = dx/2 * (f1 + 2f2 + ... + fn) h = (boundary[1] - boundary[0]) / steps a = boundary[0] b = boundary[1] x_i = make_points(a, b, h) y = 0.0 y += (h / 2.0) * f(a) for i in x_i: # print(i) y += h * f(i) y += (h / 2.0) * f(b) return y def make_points(a, b, h): x = a + h while x < (b - h): yield x x = x + h def f(x): # enter your function here y = (x - 0) * (x - 0) return y def main(): a = 0.0 # Lower bound of integration b = 1.0 # Upper bound of integration steps = 10.0 # define number of steps or resolution boundary = [a, b] # define boundary of integration y = method_1(boundary, steps) print(f"y = {y}") if __name__ == "__main__": main()
""" Numerical integration or quadrature for a smooth function f with known values at x_i This method is the classical approach of suming 'Equally Spaced Abscissas' method 1: "extended trapezoidal rule" """ def method_1(boundary, steps): # "extended trapezoidal rule" # int(f) = dx/2 * (f1 + 2f2 + ... + fn) h = (boundary[1] - boundary[0]) / steps a = boundary[0] b = boundary[1] x_i = make_points(a, b, h) y = 0.0 y += (h / 2.0) * f(a) for i in x_i: # print(i) y += h * f(i) y += (h / 2.0) * f(b) return y def make_points(a, b, h): x = a + h while x < (b - h): yield x x = x + h def f(x): # enter your function here y = (x - 0) * (x - 0) return y def main(): a = 0.0 # Lower bound of integration b = 1.0 # Upper bound of integration steps = 10.0 # define number of steps or resolution boundary = [a, b] # define boundary of integration y = method_1(boundary, steps) print(f"y = {y}") if __name__ == "__main__": main()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from typing import Callable import numpy as np def explicit_euler( ode_func: Callable, y0: float, x0: float, step_size: float, x_end: float ) -> np.ndarray: """Calculate numeric solution at each step to an ODE using Euler's Method For reference to Euler's method refer to https://en.wikipedia.org/wiki/Euler_method. Args: ode_func (Callable): The ordinary differential equation as a function of x and y. y0 (float): The initial value for y. x0 (float): The initial value for x. step_size (float): The increment value for x. x_end (float): The final value of x to be calculated. Returns: np.ndarray: Solution of y for every step in x. >>> # the exact solution is math.exp(x) >>> def f(x, y): ... return y >>> y0 = 1 >>> y = explicit_euler(f, y0, 0.0, 0.01, 5) >>> y[-1] 144.77277243257308 """ N = int(np.ceil((x_end - x0) / step_size)) y = np.zeros((N + 1,)) y[0] = y0 x = x0 for k in range(N): y[k + 1] = y[k] + step_size * ode_func(x, y[k]) x += step_size return y if __name__ == "__main__": import doctest doctest.testmod()
from typing import Callable import numpy as np def explicit_euler( ode_func: Callable, y0: float, x0: float, step_size: float, x_end: float ) -> np.ndarray: """Calculate numeric solution at each step to an ODE using Euler's Method For reference to Euler's method refer to https://en.wikipedia.org/wiki/Euler_method. Args: ode_func (Callable): The ordinary differential equation as a function of x and y. y0 (float): The initial value for y. x0 (float): The initial value for x. step_size (float): The increment value for x. x_end (float): The final value of x to be calculated. Returns: np.ndarray: Solution of y for every step in x. >>> # the exact solution is math.exp(x) >>> def f(x, y): ... return y >>> y0 = 1 >>> y = explicit_euler(f, y0, 0.0, 0.01, 5) >>> y[-1] 144.77277243257308 """ N = int(np.ceil((x_end - x0) / step_size)) y = np.zeros((N + 1,)) y[0] = y0 x = x0 for k in range(N): y[k + 1] = y[k] + step_size * ode_func(x, y[k]) x += step_size return y if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# @Author : lightXu # @File : convolve.py # @Time : 2019/7/8 0008 下午 16:13 from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import array, dot, pad, ravel, uint8, zeros def im2col(image, block_size): rows, cols = image.shape dst_height = cols - block_size[1] + 1 dst_width = rows - block_size[0] + 1 image_array = zeros((dst_height * dst_width, block_size[1] * block_size[0])) row = 0 for i in range(0, dst_height): for j in range(0, dst_width): window = ravel(image[i : i + block_size[0], j : j + block_size[1]]) image_array[row, :] = window row += 1 return image_array def img_convolve(image, filter_kernel): height, width = image.shape[0], image.shape[1] k_size = filter_kernel.shape[0] pad_size = k_size // 2 # Pads image with the edge values of array. image_tmp = pad(image, pad_size, mode="edge") # im2col, turn the k_size*k_size pixels into a row and np.vstack all rows image_array = im2col(image_tmp, (k_size, k_size)) # turn the kernel into shape(k*k, 1) kernel_array = ravel(filter_kernel) # reshape and get the dst image dst = dot(image_array, kernel_array).reshape(height, width) return dst if __name__ == "__main__": # read original image img = imread(r"../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # Laplace operator Laplace_kernel = array([[0, 1, 0], [1, -4, 1], [0, 1, 0]]) out = img_convolve(gray, Laplace_kernel).astype(uint8) imshow("Laplacian", out) waitKey(0)
# @Author : lightXu # @File : convolve.py # @Time : 2019/7/8 0008 下午 16:13 from cv2 import COLOR_BGR2GRAY, cvtColor, imread, imshow, waitKey from numpy import array, dot, pad, ravel, uint8, zeros def im2col(image, block_size): rows, cols = image.shape dst_height = cols - block_size[1] + 1 dst_width = rows - block_size[0] + 1 image_array = zeros((dst_height * dst_width, block_size[1] * block_size[0])) row = 0 for i in range(0, dst_height): for j in range(0, dst_width): window = ravel(image[i : i + block_size[0], j : j + block_size[1]]) image_array[row, :] = window row += 1 return image_array def img_convolve(image, filter_kernel): height, width = image.shape[0], image.shape[1] k_size = filter_kernel.shape[0] pad_size = k_size // 2 # Pads image with the edge values of array. image_tmp = pad(image, pad_size, mode="edge") # im2col, turn the k_size*k_size pixels into a row and np.vstack all rows image_array = im2col(image_tmp, (k_size, k_size)) # turn the kernel into shape(k*k, 1) kernel_array = ravel(filter_kernel) # reshape and get the dst image dst = dot(image_array, kernel_array).reshape(height, width) return dst if __name__ == "__main__": # read original image img = imread(r"../image_data/lena.jpg") # turn image in gray scale value gray = cvtColor(img, COLOR_BGR2GRAY) # Laplace operator Laplace_kernel = array([[0, 1, 0], [1, -4, 1], [0, 1, 0]]) out = img_convolve(gray, Laplace_kernel).astype(uint8) imshow("Laplacian", out) waitKey(0)
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/env python3 import os from typing import Iterator URL_BASE = "https://github.com/TheAlgorithms/Python/blob/master" def good_file_paths(top_dir: str = ".") -> Iterator[str]: for dir_path, dir_names, filenames in os.walk(top_dir): dir_names[:] = [d for d in dir_names if d != "scripts" and d[0] not in "._"] for filename in filenames: if filename == "__init__.py": continue if os.path.splitext(filename)[1] in (".py", ".ipynb"): yield os.path.join(dir_path, filename).lstrip("./") def md_prefix(i): return f"{i * ' '}*" if i else "\n##" def print_path(old_path: str, new_path: str) -> str: old_parts = old_path.split(os.sep) for i, new_part in enumerate(new_path.split(os.sep)): if i + 1 > len(old_parts) or old_parts[i] != new_part: if new_part: print(f"{md_prefix(i)} {new_part.replace('_', ' ').title()}") return new_path def print_directory_md(top_dir: str = ".") -> None: old_path = "" for filepath in sorted(good_file_paths(top_dir)): filepath, filename = os.path.split(filepath) if filepath != old_path: old_path = print_path(old_path, filepath) indent = (filepath.count(os.sep) + 1) if filepath else 0 url = "/".join((URL_BASE, filepath, filename)).replace(" ", "%20") filename = os.path.splitext(filename.replace("_", " ").title())[0] print(f"{md_prefix(indent)} [{filename}]({url})") if __name__ == "__main__": print_directory_md(".")
#!/usr/bin/env python3 import os from typing import Iterator URL_BASE = "https://github.com/TheAlgorithms/Python/blob/master" def good_file_paths(top_dir: str = ".") -> Iterator[str]: for dir_path, dir_names, filenames in os.walk(top_dir): dir_names[:] = [d for d in dir_names if d != "scripts" and d[0] not in "._"] for filename in filenames: if filename == "__init__.py": continue if os.path.splitext(filename)[1] in (".py", ".ipynb"): yield os.path.join(dir_path, filename).lstrip("./") def md_prefix(i): return f"{i * ' '}*" if i else "\n##" def print_path(old_path: str, new_path: str) -> str: old_parts = old_path.split(os.sep) for i, new_part in enumerate(new_path.split(os.sep)): if i + 1 > len(old_parts) or old_parts[i] != new_part: if new_part: print(f"{md_prefix(i)} {new_part.replace('_', ' ').title()}") return new_path def print_directory_md(top_dir: str = ".") -> None: old_path = "" for filepath in sorted(good_file_paths(top_dir)): filepath, filename = os.path.split(filepath) if filepath != old_path: old_path = print_path(old_path, filepath) indent = (filepath.count(os.sep) + 1) if filepath else 0 url = "/".join((URL_BASE, filepath, filename)).replace(" ", "%20") filename = os.path.splitext(filename.replace("_", " ").title())[0] print(f"{md_prefix(indent)} [{filename}]({url})") if __name__ == "__main__": print_directory_md(".")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Description The Koch snowflake is a fractal curve and one of the earliest fractals to have been described. The Koch snowflake can be built up iteratively, in a sequence of stages. The first stage is an equilateral triangle, and each successive stage is formed by adding outward bends to each side of the previous stage, making smaller equilateral triangles. This can be achieved through the following steps for each line: 1. divide the line segment into three segments of equal length. 2. draw an equilateral triangle that has the middle segment from step 1 as its base and points outward. 3. remove the line segment that is the base of the triangle from step 2. (description adapted from https://en.wikipedia.org/wiki/Koch_snowflake ) (for a more detailed explanation and an implementation in the Processing language, see https://natureofcode.com/book/chapter-8-fractals/ #84-the-koch-curve-and-the-arraylist-technique ) Requirements (pip): - matplotlib - numpy """ from __future__ import annotations import matplotlib.pyplot as plt # type: ignore import numpy # initial triangle of Koch snowflake VECTOR_1 = numpy.array([0, 0]) VECTOR_2 = numpy.array([0.5, 0.8660254]) VECTOR_3 = numpy.array([1, 0]) INITIAL_VECTORS = [VECTOR_1, VECTOR_2, VECTOR_3, VECTOR_1] # uncomment for simple Koch curve instead of Koch snowflake # INITIAL_VECTORS = [VECTOR_1, VECTOR_3] def iterate(initial_vectors: list[numpy.ndarray], steps: int) -> list[numpy.ndarray]: """ Go through the number of iterations determined by the argument "steps". Be careful with high values (above 5) since the time to calculate increases exponentially. >>> iterate([numpy.array([0, 0]), numpy.array([1, 0])], 1) [array([0, 0]), array([0.33333333, 0. ]), array([0.5 , \ 0.28867513]), array([0.66666667, 0. ]), array([1, 0])] """ vectors = initial_vectors for i in range(steps): vectors = iteration_step(vectors) return vectors def iteration_step(vectors: list[numpy.ndarray]) -> list[numpy.ndarray]: """ Loops through each pair of adjacent vectors. Each line between two adjacent vectors is divided into 4 segments by adding 3 additional vectors in-between the original two vectors. The vector in the middle is constructed through a 60 degree rotation so it is bent outwards. >>> iteration_step([numpy.array([0, 0]), numpy.array([1, 0])]) [array([0, 0]), array([0.33333333, 0. ]), array([0.5 , \ 0.28867513]), array([0.66666667, 0. ]), array([1, 0])] """ new_vectors = [] for i, start_vector in enumerate(vectors[:-1]): end_vector = vectors[i + 1] new_vectors.append(start_vector) difference_vector = end_vector - start_vector new_vectors.append(start_vector + difference_vector / 3) new_vectors.append( start_vector + difference_vector / 3 + rotate(difference_vector / 3, 60) ) new_vectors.append(start_vector + difference_vector * 2 / 3) new_vectors.append(vectors[-1]) return new_vectors def rotate(vector: numpy.ndarray, angle_in_degrees: float) -> numpy.ndarray: """ Standard rotation of a 2D vector with a rotation matrix (see https://en.wikipedia.org/wiki/Rotation_matrix ) >>> rotate(numpy.array([1, 0]), 60) array([0.5 , 0.8660254]) >>> rotate(numpy.array([1, 0]), 90) array([6.123234e-17, 1.000000e+00]) """ theta = numpy.radians(angle_in_degrees) c, s = numpy.cos(theta), numpy.sin(theta) rotation_matrix = numpy.array(((c, -s), (s, c))) return numpy.dot(rotation_matrix, vector) def plot(vectors: list[numpy.ndarray]) -> None: """ Utility function to plot the vectors using matplotlib.pyplot No doctest was implemented since this function does not have a return value """ # avoid stretched display of graph axes = plt.gca() axes.set_aspect("equal") # matplotlib.pyplot.plot takes a list of all x-coordinates and a list of all # y-coordinates as inputs, which are constructed from the vector-list using # zip() x_coordinates, y_coordinates = zip(*vectors) plt.plot(x_coordinates, y_coordinates) plt.show() if __name__ == "__main__": import doctest doctest.testmod() processed_vectors = iterate(INITIAL_VECTORS, 5) plot(processed_vectors)
""" Description The Koch snowflake is a fractal curve and one of the earliest fractals to have been described. The Koch snowflake can be built up iteratively, in a sequence of stages. The first stage is an equilateral triangle, and each successive stage is formed by adding outward bends to each side of the previous stage, making smaller equilateral triangles. This can be achieved through the following steps for each line: 1. divide the line segment into three segments of equal length. 2. draw an equilateral triangle that has the middle segment from step 1 as its base and points outward. 3. remove the line segment that is the base of the triangle from step 2. (description adapted from https://en.wikipedia.org/wiki/Koch_snowflake ) (for a more detailed explanation and an implementation in the Processing language, see https://natureofcode.com/book/chapter-8-fractals/ #84-the-koch-curve-and-the-arraylist-technique ) Requirements (pip): - matplotlib - numpy """ from __future__ import annotations import matplotlib.pyplot as plt # type: ignore import numpy # initial triangle of Koch snowflake VECTOR_1 = numpy.array([0, 0]) VECTOR_2 = numpy.array([0.5, 0.8660254]) VECTOR_3 = numpy.array([1, 0]) INITIAL_VECTORS = [VECTOR_1, VECTOR_2, VECTOR_3, VECTOR_1] # uncomment for simple Koch curve instead of Koch snowflake # INITIAL_VECTORS = [VECTOR_1, VECTOR_3] def iterate(initial_vectors: list[numpy.ndarray], steps: int) -> list[numpy.ndarray]: """ Go through the number of iterations determined by the argument "steps". Be careful with high values (above 5) since the time to calculate increases exponentially. >>> iterate([numpy.array([0, 0]), numpy.array([1, 0])], 1) [array([0, 0]), array([0.33333333, 0. ]), array([0.5 , \ 0.28867513]), array([0.66666667, 0. ]), array([1, 0])] """ vectors = initial_vectors for i in range(steps): vectors = iteration_step(vectors) return vectors def iteration_step(vectors: list[numpy.ndarray]) -> list[numpy.ndarray]: """ Loops through each pair of adjacent vectors. Each line between two adjacent vectors is divided into 4 segments by adding 3 additional vectors in-between the original two vectors. The vector in the middle is constructed through a 60 degree rotation so it is bent outwards. >>> iteration_step([numpy.array([0, 0]), numpy.array([1, 0])]) [array([0, 0]), array([0.33333333, 0. ]), array([0.5 , \ 0.28867513]), array([0.66666667, 0. ]), array([1, 0])] """ new_vectors = [] for i, start_vector in enumerate(vectors[:-1]): end_vector = vectors[i + 1] new_vectors.append(start_vector) difference_vector = end_vector - start_vector new_vectors.append(start_vector + difference_vector / 3) new_vectors.append( start_vector + difference_vector / 3 + rotate(difference_vector / 3, 60) ) new_vectors.append(start_vector + difference_vector * 2 / 3) new_vectors.append(vectors[-1]) return new_vectors def rotate(vector: numpy.ndarray, angle_in_degrees: float) -> numpy.ndarray: """ Standard rotation of a 2D vector with a rotation matrix (see https://en.wikipedia.org/wiki/Rotation_matrix ) >>> rotate(numpy.array([1, 0]), 60) array([0.5 , 0.8660254]) >>> rotate(numpy.array([1, 0]), 90) array([6.123234e-17, 1.000000e+00]) """ theta = numpy.radians(angle_in_degrees) c, s = numpy.cos(theta), numpy.sin(theta) rotation_matrix = numpy.array(((c, -s), (s, c))) return numpy.dot(rotation_matrix, vector) def plot(vectors: list[numpy.ndarray]) -> None: """ Utility function to plot the vectors using matplotlib.pyplot No doctest was implemented since this function does not have a return value """ # avoid stretched display of graph axes = plt.gca() axes.set_aspect("equal") # matplotlib.pyplot.plot takes a list of all x-coordinates and a list of all # y-coordinates as inputs, which are constructed from the vector-list using # zip() x_coordinates, y_coordinates = zip(*vectors) plt.plot(x_coordinates, y_coordinates) plt.show() if __name__ == "__main__": import doctest doctest.testmod() processed_vectors = iterate(INITIAL_VECTORS, 5) plot(processed_vectors)
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import unittest from knapsack import greedy_knapsack as kp class TestClass(unittest.TestCase): """ Test cases for knapsack """ def test_sorted(self): """ kp.calc_profit takes the required argument (profit, weight, max_weight) and returns whether the answer matches to the expected ones """ profit = [10, 20, 30, 40, 50, 60] weight = [2, 4, 6, 8, 10, 12] max_weight = 100 self.assertEqual(kp.calc_profit(profit, weight, max_weight), 210) def test_negative_max_weight(self): """ Returns ValueError for any negative max_weight value :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = -15 self.assertRaisesRegex(ValueError, "max_weight must greater than zero.") def test_negative_profit_value(self): """ Returns ValueError for any negative profit value in the list :return: ValueError """ # profit = [10, -20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = 15 self.assertRaisesRegex(ValueError, "Weight can not be negative.") def test_negative_weight_value(self): """ Returns ValueError for any negative weight value in the list :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, -4, 6, -8, 10, 12] # max_weight = 15 self.assertRaisesRegex(ValueError, "Profit can not be negative.") def test_null_max_weight(self): """ Returns ValueError for any zero max_weight value :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = null self.assertRaisesRegex(ValueError, "max_weight must greater than zero.") def test_unequal_list_length(self): """ Returns IndexError if length of lists (profit and weight) are unequal. :return: IndexError """ # profit = [10, 20, 30, 40, 50] # weight = [2, 4, 6, 8, 10, 12] # max_weight = 100 self.assertRaisesRegex( IndexError, "The length of profit and weight must be same." ) if __name__ == "__main__": unittest.main()
import unittest from knapsack import greedy_knapsack as kp class TestClass(unittest.TestCase): """ Test cases for knapsack """ def test_sorted(self): """ kp.calc_profit takes the required argument (profit, weight, max_weight) and returns whether the answer matches to the expected ones """ profit = [10, 20, 30, 40, 50, 60] weight = [2, 4, 6, 8, 10, 12] max_weight = 100 self.assertEqual(kp.calc_profit(profit, weight, max_weight), 210) def test_negative_max_weight(self): """ Returns ValueError for any negative max_weight value :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = -15 self.assertRaisesRegex(ValueError, "max_weight must greater than zero.") def test_negative_profit_value(self): """ Returns ValueError for any negative profit value in the list :return: ValueError """ # profit = [10, -20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = 15 self.assertRaisesRegex(ValueError, "Weight can not be negative.") def test_negative_weight_value(self): """ Returns ValueError for any negative weight value in the list :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, -4, 6, -8, 10, 12] # max_weight = 15 self.assertRaisesRegex(ValueError, "Profit can not be negative.") def test_null_max_weight(self): """ Returns ValueError for any zero max_weight value :return: ValueError """ # profit = [10, 20, 30, 40, 50, 60] # weight = [2, 4, 6, 8, 10, 12] # max_weight = null self.assertRaisesRegex(ValueError, "max_weight must greater than zero.") def test_unequal_list_length(self): """ Returns IndexError if length of lists (profit and weight) are unequal. :return: IndexError """ # profit = [10, 20, 30, 40, 50] # weight = [2, 4, 6, 8, 10, 12] # max_weight = 100 self.assertRaisesRegex( IndexError, "The length of profit and weight must be same." ) if __name__ == "__main__": unittest.main()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def kruskal( num_nodes: int, edges: list[tuple[int, int, int]] ) -> list[tuple[int, int, int]]: """ >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1)]) [(2, 3, 1), (0, 1, 3), (1, 2, 5)] >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1), (0, 2, 1), (0, 3, 2)]) [(2, 3, 1), (0, 2, 1), (0, 1, 3)] >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1), (0, 2, 1), (0, 3, 2), ... (2, 1, 1)]) [(2, 3, 1), (0, 2, 1), (2, 1, 1)] """ edges = sorted(edges, key=lambda edge: edge[2]) parent = list(range(num_nodes)) def find_parent(i): if i != parent[i]: parent[i] = find_parent(parent[i]) return parent[i] minimum_spanning_tree_cost = 0 minimum_spanning_tree = [] for edge in edges: parent_a = find_parent(edge[0]) parent_b = find_parent(edge[1]) if parent_a != parent_b: minimum_spanning_tree_cost += edge[2] minimum_spanning_tree.append(edge) parent[parent_a] = parent_b return minimum_spanning_tree if __name__ == "__main__": # pragma: no cover num_nodes, num_edges = list(map(int, input().strip().split())) edges = [] for _ in range(num_edges): node1, node2, cost = (int(x) for x in input().strip().split()) edges.append((node1, node2, cost)) kruskal(num_nodes, edges)
def kruskal( num_nodes: int, edges: list[tuple[int, int, int]] ) -> list[tuple[int, int, int]]: """ >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1)]) [(2, 3, 1), (0, 1, 3), (1, 2, 5)] >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1), (0, 2, 1), (0, 3, 2)]) [(2, 3, 1), (0, 2, 1), (0, 1, 3)] >>> kruskal(4, [(0, 1, 3), (1, 2, 5), (2, 3, 1), (0, 2, 1), (0, 3, 2), ... (2, 1, 1)]) [(2, 3, 1), (0, 2, 1), (2, 1, 1)] """ edges = sorted(edges, key=lambda edge: edge[2]) parent = list(range(num_nodes)) def find_parent(i): if i != parent[i]: parent[i] = find_parent(parent[i]) return parent[i] minimum_spanning_tree_cost = 0 minimum_spanning_tree = [] for edge in edges: parent_a = find_parent(edge[0]) parent_b = find_parent(edge[1]) if parent_a != parent_b: minimum_spanning_tree_cost += edge[2] minimum_spanning_tree.append(edge) parent[parent_a] = parent_b return minimum_spanning_tree if __name__ == "__main__": # pragma: no cover num_nodes, num_edges = list(map(int, input().strip().split())) edges = [] for _ in range(num_edges): node1, node2, cost = (int(x) for x in input().strip().split()) edges.append((node1, node2, cost)) kruskal(num_nodes, edges)
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" A non-recursive Segment Tree implementation with range query and single element update, works virtually with any list of the same type of elements with a "commutative" combiner. Explanation: https://www.geeksforgeeks.org/iterative-segment-tree-range-minimum-query/ https://www.geeksforgeeks.org/segment-tree-efficient-implementation/ >>> SegmentTree([1, 2, 3], lambda a, b: a + b).query(0, 2) 6 >>> SegmentTree([3, 1, 2], min).query(0, 2) 1 >>> SegmentTree([2, 3, 1], max).query(0, 2) 3 >>> st = SegmentTree([1, 5, 7, -1, 6], lambda a, b: a + b) >>> st.update(1, -1) >>> st.update(2, 3) >>> st.query(1, 2) 2 >>> st.query(1, 1) -1 >>> st.update(4, 1) >>> st.query(3, 4) 0 >>> st = SegmentTree([[1, 2, 3], [3, 2, 1], [1, 1, 1]], lambda a, b: [a[i] + b[i] for i ... in range(len(a))]) >>> st.query(0, 1) [4, 4, 4] >>> st.query(1, 2) [4, 3, 2] >>> st.update(1, [-1, -1, -1]) >>> st.query(1, 2) [0, 0, 0] >>> st.query(0, 2) [1, 2, 3] """ from __future__ import annotations from typing import Any, Callable, Generic, TypeVar T = TypeVar("T") class SegmentTree(Generic[T]): def __init__(self, arr: list[T], fnc: Callable[[T, T], T]) -> None: """ Segment Tree constructor, it works just with commutative combiner. :param arr: list of elements for the segment tree :param fnc: commutative function for combine two elements >>> SegmentTree(['a', 'b', 'c'], lambda a, b: f'{a}{b}').query(0, 2) 'abc' >>> SegmentTree([(1, 2), (2, 3), (3, 4)], ... lambda a, b: (a[0] + b[0], a[1] + b[1])).query(0, 2) (6, 9) """ any_type: Any | T = None self.N: int = len(arr) self.st: list[T] = [any_type for _ in range(self.N)] + arr self.fn = fnc self.build() def build(self) -> None: for p in range(self.N - 1, 0, -1): self.st[p] = self.fn(self.st[p * 2], self.st[p * 2 + 1]) def update(self, p: int, v: T) -> None: """ Update an element in log(N) time :param p: position to be update :param v: new value >>> st = SegmentTree([3, 1, 2, 4], min) >>> st.query(0, 3) 1 >>> st.update(2, -1) >>> st.query(0, 3) -1 """ p += self.N self.st[p] = v while p > 1: p = p // 2 self.st[p] = self.fn(self.st[p * 2], self.st[p * 2 + 1]) def query(self, l: int, r: int) -> T | None: # noqa: E741 """ Get range query value in log(N) time :param l: left element index :param r: right element index :return: element combined in the range [l, r] >>> st = SegmentTree([1, 2, 3, 4], lambda a, b: a + b) >>> st.query(0, 2) 6 >>> st.query(1, 2) 5 >>> st.query(0, 3) 10 >>> st.query(2, 3) 7 """ l, r = l + self.N, r + self.N # noqa: E741 res: T | None = None while l <= r: # noqa: E741 if l % 2 == 1: res = self.st[l] if res is None else self.fn(res, self.st[l]) if r % 2 == 0: res = self.st[r] if res is None else self.fn(res, self.st[r]) l, r = (l + 1) // 2, (r - 1) // 2 return res if __name__ == "__main__": from functools import reduce test_array = [1, 10, -2, 9, -3, 8, 4, -7, 5, 6, 11, -12] test_updates = { 0: 7, 1: 2, 2: 6, 3: -14, 4: 5, 5: 4, 6: 7, 7: -10, 8: 9, 9: 10, 10: 12, 11: 1, } min_segment_tree = SegmentTree(test_array, min) max_segment_tree = SegmentTree(test_array, max) sum_segment_tree = SegmentTree(test_array, lambda a, b: a + b) def test_all_segments() -> None: """ Test all possible segments """ for i in range(len(test_array)): for j in range(i, len(test_array)): min_range = reduce(min, test_array[i : j + 1]) max_range = reduce(max, test_array[i : j + 1]) sum_range = reduce(lambda a, b: a + b, test_array[i : j + 1]) assert min_range == min_segment_tree.query(i, j) assert max_range == max_segment_tree.query(i, j) assert sum_range == sum_segment_tree.query(i, j) test_all_segments() for index, value in test_updates.items(): test_array[index] = value min_segment_tree.update(index, value) max_segment_tree.update(index, value) sum_segment_tree.update(index, value) test_all_segments()
""" A non-recursive Segment Tree implementation with range query and single element update, works virtually with any list of the same type of elements with a "commutative" combiner. Explanation: https://www.geeksforgeeks.org/iterative-segment-tree-range-minimum-query/ https://www.geeksforgeeks.org/segment-tree-efficient-implementation/ >>> SegmentTree([1, 2, 3], lambda a, b: a + b).query(0, 2) 6 >>> SegmentTree([3, 1, 2], min).query(0, 2) 1 >>> SegmentTree([2, 3, 1], max).query(0, 2) 3 >>> st = SegmentTree([1, 5, 7, -1, 6], lambda a, b: a + b) >>> st.update(1, -1) >>> st.update(2, 3) >>> st.query(1, 2) 2 >>> st.query(1, 1) -1 >>> st.update(4, 1) >>> st.query(3, 4) 0 >>> st = SegmentTree([[1, 2, 3], [3, 2, 1], [1, 1, 1]], lambda a, b: [a[i] + b[i] for i ... in range(len(a))]) >>> st.query(0, 1) [4, 4, 4] >>> st.query(1, 2) [4, 3, 2] >>> st.update(1, [-1, -1, -1]) >>> st.query(1, 2) [0, 0, 0] >>> st.query(0, 2) [1, 2, 3] """ from __future__ import annotations from typing import Any, Callable, Generic, TypeVar T = TypeVar("T") class SegmentTree(Generic[T]): def __init__(self, arr: list[T], fnc: Callable[[T, T], T]) -> None: """ Segment Tree constructor, it works just with commutative combiner. :param arr: list of elements for the segment tree :param fnc: commutative function for combine two elements >>> SegmentTree(['a', 'b', 'c'], lambda a, b: f'{a}{b}').query(0, 2) 'abc' >>> SegmentTree([(1, 2), (2, 3), (3, 4)], ... lambda a, b: (a[0] + b[0], a[1] + b[1])).query(0, 2) (6, 9) """ any_type: Any | T = None self.N: int = len(arr) self.st: list[T] = [any_type for _ in range(self.N)] + arr self.fn = fnc self.build() def build(self) -> None: for p in range(self.N - 1, 0, -1): self.st[p] = self.fn(self.st[p * 2], self.st[p * 2 + 1]) def update(self, p: int, v: T) -> None: """ Update an element in log(N) time :param p: position to be update :param v: new value >>> st = SegmentTree([3, 1, 2, 4], min) >>> st.query(0, 3) 1 >>> st.update(2, -1) >>> st.query(0, 3) -1 """ p += self.N self.st[p] = v while p > 1: p = p // 2 self.st[p] = self.fn(self.st[p * 2], self.st[p * 2 + 1]) def query(self, l: int, r: int) -> T | None: # noqa: E741 """ Get range query value in log(N) time :param l: left element index :param r: right element index :return: element combined in the range [l, r] >>> st = SegmentTree([1, 2, 3, 4], lambda a, b: a + b) >>> st.query(0, 2) 6 >>> st.query(1, 2) 5 >>> st.query(0, 3) 10 >>> st.query(2, 3) 7 """ l, r = l + self.N, r + self.N # noqa: E741 res: T | None = None while l <= r: # noqa: E741 if l % 2 == 1: res = self.st[l] if res is None else self.fn(res, self.st[l]) if r % 2 == 0: res = self.st[r] if res is None else self.fn(res, self.st[r]) l, r = (l + 1) // 2, (r - 1) // 2 return res if __name__ == "__main__": from functools import reduce test_array = [1, 10, -2, 9, -3, 8, 4, -7, 5, 6, 11, -12] test_updates = { 0: 7, 1: 2, 2: 6, 3: -14, 4: 5, 5: 4, 6: 7, 7: -10, 8: 9, 9: 10, 10: 12, 11: 1, } min_segment_tree = SegmentTree(test_array, min) max_segment_tree = SegmentTree(test_array, max) sum_segment_tree = SegmentTree(test_array, lambda a, b: a + b) def test_all_segments() -> None: """ Test all possible segments """ for i in range(len(test_array)): for j in range(i, len(test_array)): min_range = reduce(min, test_array[i : j + 1]) max_range = reduce(max, test_array[i : j + 1]) sum_range = reduce(lambda a, b: a + b, test_array[i : j + 1]) assert min_range == min_segment_tree.query(i, j) assert max_range == max_segment_tree.query(i, j) assert sum_range == sum_segment_tree.query(i, j) test_all_segments() for index, value in test_updates.items(): test_array[index] = value min_segment_tree.update(index, value) max_segment_tree.update(index, value) sum_segment_tree.update(index, value) test_all_segments()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" author: Christian Bender date: 21.12.2017 class: XORCipher This class implements the XOR-cipher algorithm and provides some useful methods for encrypting and decrypting strings and files. Overview about methods - encrypt : list of char - decrypt : list of char - encrypt_string : str - decrypt_string : str - encrypt_file : boolean - decrypt_file : boolean """ from __future__ import annotations class XORCipher: def __init__(self, key: int = 0): """ simple constructor that receives a key or uses default key = 0 """ # private field self.__key = key def encrypt(self, content: str, key: int) -> list[str]: """ input: 'content' of type string and 'key' of type int output: encrypted string 'content' as a list of chars if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key is an appropriate size key %= 255 return [chr(ord(ch) ^ key) for ch in content] def decrypt(self, content: str, key: int) -> list[str]: """ input: 'content' of type list and 'key' of type int output: decrypted string 'content' as a list of chars if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, list) key = key or self.__key or 1 # make sure key is an appropriate size key %= 255 return [chr(ord(ch) ^ key) for ch in content] def encrypt_string(self, content: str, key: int = 0) -> str: """ input: 'content' of type string and 'key' of type int output: encrypted string 'content' if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key can be any size while key > 255: key -= 255 # This will be returned ans = "" for ch in content: ans += chr(ord(ch) ^ key) return ans def decrypt_string(self, content: str, key: int = 0) -> str: """ input: 'content' of type string and 'key' of type int output: decrypted string 'content' if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key can be any size while key > 255: key -= 255 # This will be returned ans = "" for ch in content: ans += chr(ord(ch) ^ key) return ans def encrypt_file(self, file: str, key: int = 0) -> bool: """ input: filename (str) and a key (int) output: returns true if encrypt process was successful otherwise false if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(file, str) and isinstance(key, int) try: with open(file) as fin: with open("encrypt.out", "w+") as fout: # actual encrypt-process for line in fin: fout.write(self.encrypt_string(line, key)) except OSError: return False return True def decrypt_file(self, file: str, key: int) -> bool: """ input: filename (str) and a key (int) output: returns true if decrypt process was successful otherwise false if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(file, str) and isinstance(key, int) try: with open(file) as fin: with open("decrypt.out", "w+") as fout: # actual encrypt-process for line in fin: fout.write(self.decrypt_string(line, key)) except OSError: return False return True # Tests # crypt = XORCipher() # key = 67 # # test encrypt # print(crypt.encrypt("hallo welt",key)) # # test decrypt # print(crypt.decrypt(crypt.encrypt("hallo welt",key), key)) # # test encrypt_string # print(crypt.encrypt_string("hallo welt",key)) # # test decrypt_string # print(crypt.decrypt_string(crypt.encrypt_string("hallo welt",key),key)) # if (crypt.encrypt_file("test.txt",key)): # print("encrypt successful") # else: # print("encrypt unsuccessful") # if (crypt.decrypt_file("encrypt.out",key)): # print("decrypt successful") # else: # print("decrypt unsuccessful")
""" author: Christian Bender date: 21.12.2017 class: XORCipher This class implements the XOR-cipher algorithm and provides some useful methods for encrypting and decrypting strings and files. Overview about methods - encrypt : list of char - decrypt : list of char - encrypt_string : str - decrypt_string : str - encrypt_file : boolean - decrypt_file : boolean """ from __future__ import annotations class XORCipher: def __init__(self, key: int = 0): """ simple constructor that receives a key or uses default key = 0 """ # private field self.__key = key def encrypt(self, content: str, key: int) -> list[str]: """ input: 'content' of type string and 'key' of type int output: encrypted string 'content' as a list of chars if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key is an appropriate size key %= 255 return [chr(ord(ch) ^ key) for ch in content] def decrypt(self, content: str, key: int) -> list[str]: """ input: 'content' of type list and 'key' of type int output: decrypted string 'content' as a list of chars if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, list) key = key or self.__key or 1 # make sure key is an appropriate size key %= 255 return [chr(ord(ch) ^ key) for ch in content] def encrypt_string(self, content: str, key: int = 0) -> str: """ input: 'content' of type string and 'key' of type int output: encrypted string 'content' if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key can be any size while key > 255: key -= 255 # This will be returned ans = "" for ch in content: ans += chr(ord(ch) ^ key) return ans def decrypt_string(self, content: str, key: int = 0) -> str: """ input: 'content' of type string and 'key' of type int output: decrypted string 'content' if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(key, int) and isinstance(content, str) key = key or self.__key or 1 # make sure key can be any size while key > 255: key -= 255 # This will be returned ans = "" for ch in content: ans += chr(ord(ch) ^ key) return ans def encrypt_file(self, file: str, key: int = 0) -> bool: """ input: filename (str) and a key (int) output: returns true if encrypt process was successful otherwise false if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(file, str) and isinstance(key, int) try: with open(file) as fin: with open("encrypt.out", "w+") as fout: # actual encrypt-process for line in fin: fout.write(self.encrypt_string(line, key)) except OSError: return False return True def decrypt_file(self, file: str, key: int) -> bool: """ input: filename (str) and a key (int) output: returns true if decrypt process was successful otherwise false if key not passed the method uses the key by the constructor. otherwise key = 1 """ # precondition assert isinstance(file, str) and isinstance(key, int) try: with open(file) as fin: with open("decrypt.out", "w+") as fout: # actual encrypt-process for line in fin: fout.write(self.decrypt_string(line, key)) except OSError: return False return True # Tests # crypt = XORCipher() # key = 67 # # test encrypt # print(crypt.encrypt("hallo welt",key)) # # test decrypt # print(crypt.decrypt(crypt.encrypt("hallo welt",key), key)) # # test encrypt_string # print(crypt.encrypt_string("hallo welt",key)) # # test decrypt_string # print(crypt.decrypt_string(crypt.encrypt_string("hallo welt",key),key)) # if (crypt.encrypt_file("test.txt",key)): # print("encrypt successful") # else: # print("encrypt unsuccessful") # if (crypt.decrypt_file("encrypt.out",key)): # print("decrypt successful") # else: # print("decrypt unsuccessful")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 38: https://projecteuler.net/problem=38 Take the number 192 and multiply it by each of 1, 2, and 3: 192 × 1 = 192 192 × 2 = 384 192 × 3 = 576 By concatenating each product we get the 1 to 9 pandigital, 192384576. We will call 192384576 the concatenated product of 192 and (1,2,3) The same can be achieved by starting with 9 and multiplying by 1, 2, 3, 4, and 5, giving the pandigital, 918273645, which is the concatenated product of 9 and (1,2,3,4,5). What is the largest 1 to 9 pandigital 9-digit number that can be formed as the concatenated product of an integer with (1,2, ... , n) where n > 1? Solution: Since n>1, the largest candidate for the solution will be a concactenation of a 4-digit number and its double, a 5-digit number. Let a be the 4-digit number. a has 4 digits => 1000 <= a < 10000 2a has 5 digits => 10000 <= 2a < 100000 => 5000 <= a < 10000 The concatenation of a with 2a = a * 10^5 + 2a so our candidate for a given a is 100002 * a. We iterate through the search space 5000 <= a < 10000 in reverse order, calculating the candidates for each a and checking if they are 1-9 pandigital. In case there are no 4-digit numbers that satisfy this property, we check the 3-digit numbers with a similar formula (the example a=192 gives a lower bound on the length of a): a has 3 digits, etc... => 100 <= a < 334, candidate = a * 10^6 + 2a * 10^3 + 3a = 1002003 * a """ from __future__ import annotations def is_9_pandigital(n: int) -> bool: """ Checks whether n is a 9-digit 1 to 9 pandigital number. >>> is_9_pandigital(12345) False >>> is_9_pandigital(156284973) True >>> is_9_pandigital(1562849733) False """ s = str(n) return len(s) == 9 and set(s) == set("123456789") def solution() -> int | None: """ Return the largest 1 to 9 pandigital 9-digital number that can be formed as the concatenated product of an integer with (1,2,...,n) where n > 1. """ for base_num in range(9999, 4999, -1): candidate = 100002 * base_num if is_9_pandigital(candidate): return candidate for base_num in range(333, 99, -1): candidate = 1002003 * base_num if is_9_pandigital(candidate): return candidate return None if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 38: https://projecteuler.net/problem=38 Take the number 192 and multiply it by each of 1, 2, and 3: 192 × 1 = 192 192 × 2 = 384 192 × 3 = 576 By concatenating each product we get the 1 to 9 pandigital, 192384576. We will call 192384576 the concatenated product of 192 and (1,2,3) The same can be achieved by starting with 9 and multiplying by 1, 2, 3, 4, and 5, giving the pandigital, 918273645, which is the concatenated product of 9 and (1,2,3,4,5). What is the largest 1 to 9 pandigital 9-digit number that can be formed as the concatenated product of an integer with (1,2, ... , n) where n > 1? Solution: Since n>1, the largest candidate for the solution will be a concactenation of a 4-digit number and its double, a 5-digit number. Let a be the 4-digit number. a has 4 digits => 1000 <= a < 10000 2a has 5 digits => 10000 <= 2a < 100000 => 5000 <= a < 10000 The concatenation of a with 2a = a * 10^5 + 2a so our candidate for a given a is 100002 * a. We iterate through the search space 5000 <= a < 10000 in reverse order, calculating the candidates for each a and checking if they are 1-9 pandigital. In case there are no 4-digit numbers that satisfy this property, we check the 3-digit numbers with a similar formula (the example a=192 gives a lower bound on the length of a): a has 3 digits, etc... => 100 <= a < 334, candidate = a * 10^6 + 2a * 10^3 + 3a = 1002003 * a """ from __future__ import annotations def is_9_pandigital(n: int) -> bool: """ Checks whether n is a 9-digit 1 to 9 pandigital number. >>> is_9_pandigital(12345) False >>> is_9_pandigital(156284973) True >>> is_9_pandigital(1562849733) False """ s = str(n) return len(s) == 9 and set(s) == set("123456789") def solution() -> int | None: """ Return the largest 1 to 9 pandigital 9-digital number that can be formed as the concatenated product of an integer with (1,2,...,n) where n > 1. """ for base_num in range(9999, 4999, -1): candidate = 100002 * base_num if is_9_pandigital(candidate): return candidate for base_num in range(333, 99, -1): candidate = 1002003 * base_num if is_9_pandigital(candidate): return candidate return None if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Video Explanation: https://www.youtube.com/watch?v=6w60Zi1NtL8&feature=emb_logo from __future__ import annotations def maximum_non_adjacent_sum(nums: list[int]) -> int: """ Find the maximum non-adjacent sum of the integers in the nums input list >>> print(maximum_non_adjacent_sum([1, 2, 3])) 4 >>> maximum_non_adjacent_sum([1, 5, 3, 7, 2, 2, 6]) 18 >>> maximum_non_adjacent_sum([-1, -5, -3, -7, -2, -2, -6]) 0 >>> maximum_non_adjacent_sum([499, 500, -3, -7, -2, -2, -6]) 500 """ if not nums: return 0 max_including = nums[0] max_excluding = 0 for num in nums[1:]: max_including, max_excluding = ( max_excluding + num, max(max_including, max_excluding), ) return max(max_excluding, max_including) if __name__ == "__main__": import doctest doctest.testmod()
# Video Explanation: https://www.youtube.com/watch?v=6w60Zi1NtL8&feature=emb_logo from __future__ import annotations def maximum_non_adjacent_sum(nums: list[int]) -> int: """ Find the maximum non-adjacent sum of the integers in the nums input list >>> print(maximum_non_adjacent_sum([1, 2, 3])) 4 >>> maximum_non_adjacent_sum([1, 5, 3, 7, 2, 2, 6]) 18 >>> maximum_non_adjacent_sum([-1, -5, -3, -7, -2, -2, -6]) 0 >>> maximum_non_adjacent_sum([499, 500, -3, -7, -2, -2, -6]) 500 """ if not nums: return 0 max_including = nums[0] max_excluding = 0 for num in nums[1:]: max_including, max_excluding = ( max_excluding + num, max(max_including, max_excluding), ) return max(max_excluding, max_including) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" An Armstrong number is equal to the sum of its own digits each raised to the power of the number of digits. For example, 370 is an Armstrong number because 3*3*3 + 7*7*7 + 0*0*0 = 370. Armstrong numbers are also called Narcissistic numbers and Pluperfect numbers. On-Line Encyclopedia of Integer Sequences entry: https://oeis.org/A005188 """ PASSING = (1, 153, 370, 371, 1634, 24678051, 115132219018763992565095597973971522401) FAILING: tuple = (-153, -1, 0, 1.2, 200, "A", [], {}, None) def armstrong_number(n: int) -> bool: """ Return True if n is an Armstrong number or False if it is not. >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False # Initialization of sum and number of digits. sum = 0 number_of_digits = 0 temp = n # Calculation of digits of the number while temp > 0: number_of_digits += 1 temp //= 10 # Dividing number into separate digits and find Armstrong number temp = n while temp > 0: rem = temp % 10 sum += rem**number_of_digits temp //= 10 return n == sum def pluperfect_number(n: int) -> bool: """Return True if n is a pluperfect number or False if it is not >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False # Init a "histogram" of the digits digit_histogram = [0, 0, 0, 0, 0, 0, 0, 0, 0, 0] digit_total = 0 sum = 0 temp = n while temp > 0: temp, rem = divmod(temp, 10) digit_histogram[rem] += 1 digit_total += 1 for (cnt, i) in zip(digit_histogram, range(len(digit_histogram))): sum += cnt * i**digit_total return n == sum def narcissistic_number(n: int) -> bool: """Return True if n is a narcissistic number or False if it is not. >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False expo = len(str(n)) # the power that all digits will be raised to # check if sum of each digit multiplied expo times is equal to number return n == sum(int(i) ** expo for i in str(n)) def main(): """ Request that user input an integer and tell them if it is Armstrong number. """ num = int(input("Enter an integer to see if it is an Armstrong number: ").strip()) print(f"{num} is {'' if armstrong_number(num) else 'not '}an Armstrong number.") print(f"{num} is {'' if narcissistic_number(num) else 'not '}an Armstrong number.") print(f"{num} is {'' if pluperfect_number(num) else 'not '}an Armstrong number.") if __name__ == "__main__": import doctest doctest.testmod() main()
""" An Armstrong number is equal to the sum of its own digits each raised to the power of the number of digits. For example, 370 is an Armstrong number because 3*3*3 + 7*7*7 + 0*0*0 = 370. Armstrong numbers are also called Narcissistic numbers and Pluperfect numbers. On-Line Encyclopedia of Integer Sequences entry: https://oeis.org/A005188 """ PASSING = (1, 153, 370, 371, 1634, 24678051, 115132219018763992565095597973971522401) FAILING: tuple = (-153, -1, 0, 1.2, 200, "A", [], {}, None) def armstrong_number(n: int) -> bool: """ Return True if n is an Armstrong number or False if it is not. >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False # Initialization of sum and number of digits. sum = 0 number_of_digits = 0 temp = n # Calculation of digits of the number while temp > 0: number_of_digits += 1 temp //= 10 # Dividing number into separate digits and find Armstrong number temp = n while temp > 0: rem = temp % 10 sum += rem**number_of_digits temp //= 10 return n == sum def pluperfect_number(n: int) -> bool: """Return True if n is a pluperfect number or False if it is not >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False # Init a "histogram" of the digits digit_histogram = [0, 0, 0, 0, 0, 0, 0, 0, 0, 0] digit_total = 0 sum = 0 temp = n while temp > 0: temp, rem = divmod(temp, 10) digit_histogram[rem] += 1 digit_total += 1 for (cnt, i) in zip(digit_histogram, range(len(digit_histogram))): sum += cnt * i**digit_total return n == sum def narcissistic_number(n: int) -> bool: """Return True if n is a narcissistic number or False if it is not. >>> all(armstrong_number(n) for n in PASSING) True >>> any(armstrong_number(n) for n in FAILING) False """ if not isinstance(n, int) or n < 1: return False expo = len(str(n)) # the power that all digits will be raised to # check if sum of each digit multiplied expo times is equal to number return n == sum(int(i) ** expo for i in str(n)) def main(): """ Request that user input an integer and tell them if it is Armstrong number. """ num = int(input("Enter an integer to see if it is an Armstrong number: ").strip()) print(f"{num} is {'' if armstrong_number(num) else 'not '}an Armstrong number.") print(f"{num} is {'' if narcissistic_number(num) else 'not '}an Armstrong number.") print(f"{num} is {'' if pluperfect_number(num) else 'not '}an Armstrong number.") if __name__ == "__main__": import doctest doctest.testmod() main()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem Statement: By starting at the top of the triangle below and moving to adjacent numbers on the row below, the maximum total from top to bottom is 23. 3 7 4 2 4 6 8 5 9 3 That is, 3 + 7 + 4 + 9 = 23. Find the maximum total from top to bottom in triangle.txt (right click and 'Save Link/Target As...'), a 15K text file containing a triangle with one-hundred rows. """ import os def solution() -> int: """ Finds the maximum total in a triangle as described by the problem statement above. >>> solution() 7273 """ script_dir = os.path.dirname(os.path.realpath(__file__)) triangle_path = os.path.join(script_dir, "triangle.txt") with open(triangle_path) as in_file: triangle = [[int(i) for i in line.split()] for line in in_file] while len(triangle) != 1: last_row = triangle.pop() curr_row = triangle[-1] for j in range(len(last_row) - 1): curr_row[j] += max(last_row[j], last_row[j + 1]) return triangle[0][0] if __name__ == "__main__": print(solution())
""" Problem Statement: By starting at the top of the triangle below and moving to adjacent numbers on the row below, the maximum total from top to bottom is 23. 3 7 4 2 4 6 8 5 9 3 That is, 3 + 7 + 4 + 9 = 23. Find the maximum total from top to bottom in triangle.txt (right click and 'Save Link/Target As...'), a 15K text file containing a triangle with one-hundred rows. """ import os def solution() -> int: """ Finds the maximum total in a triangle as described by the problem statement above. >>> solution() 7273 """ script_dir = os.path.dirname(os.path.realpath(__file__)) triangle_path = os.path.join(script_dir, "triangle.txt") with open(triangle_path) as in_file: triangle = [[int(i) for i in line.split()] for line in in_file] while len(triangle) != 1: last_row = triangle.pop() curr_row = triangle[-1] for j in range(len(last_row) - 1): curr_row[j] += max(last_row[j], last_row[j + 1]) return triangle[0][0] if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Linear regression is the most basic type of regression commonly used for predictive analysis. The idea is pretty simple: we have a dataset and we have features associated with it. Features should be chosen very cautiously as they determine how much our model will be able to make future predictions. We try to set the weight of these features, over many iterations, so that they best fit our dataset. In this particular code, I had used a CSGO dataset (ADR vs Rating). We try to best fit a line through dataset and estimate the parameters. """ import numpy as np import requests def collect_dataset(): """Collect dataset of CSGO The dataset contains ADR vs Rating of a Player :return : dataset obtained from the link, as matrix """ response = requests.get( "https://raw.githubusercontent.com/yashLadha/" + "The_Math_of_Intelligence/master/Week1/ADRvs" + "Rating.csv" ) lines = response.text.splitlines() data = [] for item in lines: item = item.split(",") data.append(item) data.pop(0) # This is for removing the labels from the list dataset = np.matrix(data) return dataset def run_steep_gradient_descent(data_x, data_y, len_data, alpha, theta): """Run steep gradient descent and updates the Feature vector accordingly_ :param data_x : contains the dataset :param data_y : contains the output associated with each data-entry :param len_data : length of the data_ :param alpha : Learning rate of the model :param theta : Feature vector (weight's for our model) ;param return : Updated Feature's, using curr_features - alpha_ * gradient(w.r.t. feature) """ n = len_data prod = np.dot(theta, data_x.transpose()) prod -= data_y.transpose() sum_grad = np.dot(prod, data_x) theta = theta - (alpha / n) * sum_grad return theta def sum_of_square_error(data_x, data_y, len_data, theta): """Return sum of square error for error calculation :param data_x : contains our dataset :param data_y : contains the output (result vector) :param len_data : len of the dataset :param theta : contains the feature vector :return : sum of square error computed from given feature's """ prod = np.dot(theta, data_x.transpose()) prod -= data_y.transpose() sum_elem = np.sum(np.square(prod)) error = sum_elem / (2 * len_data) return error def run_linear_regression(data_x, data_y): """Implement Linear regression over the dataset :param data_x : contains our dataset :param data_y : contains the output (result vector) :return : feature for line of best fit (Feature vector) """ iterations = 100000 alpha = 0.0001550 no_features = data_x.shape[1] len_data = data_x.shape[0] - 1 theta = np.zeros((1, no_features)) for i in range(0, iterations): theta = run_steep_gradient_descent(data_x, data_y, len_data, alpha, theta) error = sum_of_square_error(data_x, data_y, len_data, theta) print("At Iteration %d - Error is %.5f " % (i + 1, error)) return theta def main(): """Driver function""" data = collect_dataset() len_data = data.shape[0] data_x = np.c_[np.ones(len_data), data[:, :-1]].astype(float) data_y = data[:, -1].astype(float) theta = run_linear_regression(data_x, data_y) len_result = theta.shape[1] print("Resultant Feature vector : ") for i in range(0, len_result): print("%.5f" % (theta[0, i])) if __name__ == "__main__": main()
""" Linear regression is the most basic type of regression commonly used for predictive analysis. The idea is pretty simple: we have a dataset and we have features associated with it. Features should be chosen very cautiously as they determine how much our model will be able to make future predictions. We try to set the weight of these features, over many iterations, so that they best fit our dataset. In this particular code, I had used a CSGO dataset (ADR vs Rating). We try to best fit a line through dataset and estimate the parameters. """ import numpy as np import requests def collect_dataset(): """Collect dataset of CSGO The dataset contains ADR vs Rating of a Player :return : dataset obtained from the link, as matrix """ response = requests.get( "https://raw.githubusercontent.com/yashLadha/" + "The_Math_of_Intelligence/master/Week1/ADRvs" + "Rating.csv" ) lines = response.text.splitlines() data = [] for item in lines: item = item.split(",") data.append(item) data.pop(0) # This is for removing the labels from the list dataset = np.matrix(data) return dataset def run_steep_gradient_descent(data_x, data_y, len_data, alpha, theta): """Run steep gradient descent and updates the Feature vector accordingly_ :param data_x : contains the dataset :param data_y : contains the output associated with each data-entry :param len_data : length of the data_ :param alpha : Learning rate of the model :param theta : Feature vector (weight's for our model) ;param return : Updated Feature's, using curr_features - alpha_ * gradient(w.r.t. feature) """ n = len_data prod = np.dot(theta, data_x.transpose()) prod -= data_y.transpose() sum_grad = np.dot(prod, data_x) theta = theta - (alpha / n) * sum_grad return theta def sum_of_square_error(data_x, data_y, len_data, theta): """Return sum of square error for error calculation :param data_x : contains our dataset :param data_y : contains the output (result vector) :param len_data : len of the dataset :param theta : contains the feature vector :return : sum of square error computed from given feature's """ prod = np.dot(theta, data_x.transpose()) prod -= data_y.transpose() sum_elem = np.sum(np.square(prod)) error = sum_elem / (2 * len_data) return error def run_linear_regression(data_x, data_y): """Implement Linear regression over the dataset :param data_x : contains our dataset :param data_y : contains the output (result vector) :return : feature for line of best fit (Feature vector) """ iterations = 100000 alpha = 0.0001550 no_features = data_x.shape[1] len_data = data_x.shape[0] - 1 theta = np.zeros((1, no_features)) for i in range(0, iterations): theta = run_steep_gradient_descent(data_x, data_y, len_data, alpha, theta) error = sum_of_square_error(data_x, data_y, len_data, theta) print("At Iteration %d - Error is %.5f " % (i + 1, error)) return theta def main(): """Driver function""" data = collect_dataset() len_data = data.shape[0] data_x = np.c_[np.ones(len_data), data[:, :-1]].astype(float) data_y = data[:, -1].astype(float) theta = run_linear_regression(data_x, data_y) len_result = theta.shape[1] print("Resultant Feature vector : ") for i in range(0, len_result): print("%.5f" % (theta[0, i])) if __name__ == "__main__": main()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from .stack import Stack def balanced_parentheses(parentheses: str) -> bool: """Use a stack to check if a string of parentheses is balanced. >>> balanced_parentheses("([]{})") True >>> balanced_parentheses("[()]{}{[()()]()}") True >>> balanced_parentheses("[(])") False >>> balanced_parentheses("1+2*3-4") True >>> balanced_parentheses("") True """ stack: Stack[str] = Stack() bracket_pairs = {"(": ")", "[": "]", "{": "}"} for bracket in parentheses: if bracket in bracket_pairs: stack.push(bracket) elif bracket in (")", "]", "}"): if stack.is_empty() or bracket_pairs[stack.pop()] != bracket: return False return stack.is_empty() if __name__ == "__main__": from doctest import testmod testmod() examples = ["((()))", "((())", "(()))"] print("Balanced parentheses demonstration:\n") for example in examples: not_str = "" if balanced_parentheses(example) else "not " print(f"{example} is {not_str}balanced")
from .stack import Stack def balanced_parentheses(parentheses: str) -> bool: """Use a stack to check if a string of parentheses is balanced. >>> balanced_parentheses("([]{})") True >>> balanced_parentheses("[()]{}{[()()]()}") True >>> balanced_parentheses("[(])") False >>> balanced_parentheses("1+2*3-4") True >>> balanced_parentheses("") True """ stack: Stack[str] = Stack() bracket_pairs = {"(": ")", "[": "]", "{": "}"} for bracket in parentheses: if bracket in bracket_pairs: stack.push(bracket) elif bracket in (")", "]", "}"): if stack.is_empty() or bracket_pairs[stack.pop()] != bracket: return False return stack.is_empty() if __name__ == "__main__": from doctest import testmod testmod() examples = ["((()))", "((())", "(()))"] print("Balanced parentheses demonstration:\n") for example in examples: not_str = "" if balanced_parentheses(example) else "not " print(f"{example} is {not_str}balanced")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 8: https://projecteuler.net/problem=8 Largest product in a series The four adjacent digits in the 1000-digit number that have the greatest product are 9 × 9 × 8 × 9 = 5832. 73167176531330624919225119674426574742355349194934 96983520312774506326239578318016984801869478851843 85861560789112949495459501737958331952853208805511 12540698747158523863050715693290963295227443043557 66896648950445244523161731856403098711121722383113 62229893423380308135336276614282806444486645238749 30358907296290491560440772390713810515859307960866 70172427121883998797908792274921901699720888093776 65727333001053367881220235421809751254540594752243 52584907711670556013604839586446706324415722155397 53697817977846174064955149290862569321978468622482 83972241375657056057490261407972968652414535100474 82166370484403199890008895243450658541227588666881 16427171479924442928230863465674813919123162824586 17866458359124566529476545682848912883142607690042 24219022671055626321111109370544217506941658960408 07198403850962455444362981230987879927244284909188 84580156166097919133875499200524063689912560717606 05886116467109405077541002256983155200055935729725 71636269561882670428252483600823257530420752963450 Find the thirteen adjacent digits in the 1000-digit number that have the greatest product. What is the value of this product? """ import sys N = """73167176531330624919225119674426574742355349194934\ 96983520312774506326239578318016984801869478851843\ 85861560789112949495459501737958331952853208805511\ 12540698747158523863050715693290963295227443043557\ 66896648950445244523161731856403098711121722383113\ 62229893423380308135336276614282806444486645238749\ 30358907296290491560440772390713810515859307960866\ 70172427121883998797908792274921901699720888093776\ 65727333001053367881220235421809751254540594752243\ 52584907711670556013604839586446706324415722155397\ 53697817977846174064955149290862569321978468622482\ 83972241375657056057490261407972968652414535100474\ 82166370484403199890008895243450658541227588666881\ 16427171479924442928230863465674813919123162824586\ 17866458359124566529476545682848912883142607690042\ 24219022671055626321111109370544217506941658960408\ 07198403850962455444362981230987879927244284909188\ 84580156166097919133875499200524063689912560717606\ 05886116467109405077541002256983155200055935729725\ 71636269561882670428252483600823257530420752963450""" def solution(n: str = N) -> int: """ Find the thirteen adjacent digits in the 1000-digit number n that have the greatest product and returns it. >>> solution("13978431290823798458352374") 609638400 >>> solution("13978431295823798458352374") 2612736000 >>> solution("1397843129582379841238352374") 209018880 """ largest_product = -sys.maxsize - 1 for i in range(len(n) - 12): product = 1 for j in range(13): product *= int(n[i + j]) if product > largest_product: largest_product = product return largest_product if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 8: https://projecteuler.net/problem=8 Largest product in a series The four adjacent digits in the 1000-digit number that have the greatest product are 9 × 9 × 8 × 9 = 5832. 73167176531330624919225119674426574742355349194934 96983520312774506326239578318016984801869478851843 85861560789112949495459501737958331952853208805511 12540698747158523863050715693290963295227443043557 66896648950445244523161731856403098711121722383113 62229893423380308135336276614282806444486645238749 30358907296290491560440772390713810515859307960866 70172427121883998797908792274921901699720888093776 65727333001053367881220235421809751254540594752243 52584907711670556013604839586446706324415722155397 53697817977846174064955149290862569321978468622482 83972241375657056057490261407972968652414535100474 82166370484403199890008895243450658541227588666881 16427171479924442928230863465674813919123162824586 17866458359124566529476545682848912883142607690042 24219022671055626321111109370544217506941658960408 07198403850962455444362981230987879927244284909188 84580156166097919133875499200524063689912560717606 05886116467109405077541002256983155200055935729725 71636269561882670428252483600823257530420752963450 Find the thirteen adjacent digits in the 1000-digit number that have the greatest product. What is the value of this product? """ import sys N = """73167176531330624919225119674426574742355349194934\ 96983520312774506326239578318016984801869478851843\ 85861560789112949495459501737958331952853208805511\ 12540698747158523863050715693290963295227443043557\ 66896648950445244523161731856403098711121722383113\ 62229893423380308135336276614282806444486645238749\ 30358907296290491560440772390713810515859307960866\ 70172427121883998797908792274921901699720888093776\ 65727333001053367881220235421809751254540594752243\ 52584907711670556013604839586446706324415722155397\ 53697817977846174064955149290862569321978468622482\ 83972241375657056057490261407972968652414535100474\ 82166370484403199890008895243450658541227588666881\ 16427171479924442928230863465674813919123162824586\ 17866458359124566529476545682848912883142607690042\ 24219022671055626321111109370544217506941658960408\ 07198403850962455444362981230987879927244284909188\ 84580156166097919133875499200524063689912560717606\ 05886116467109405077541002256983155200055935729725\ 71636269561882670428252483600823257530420752963450""" def solution(n: str = N) -> int: """ Find the thirteen adjacent digits in the 1000-digit number n that have the greatest product and returns it. >>> solution("13978431290823798458352374") 609638400 >>> solution("13978431295823798458352374") 2612736000 >>> solution("1397843129582379841238352374") 209018880 """ largest_product = -sys.maxsize - 1 for i in range(len(n) - 12): product = 1 for j in range(13): product *= int(n[i + j]) if product > largest_product: largest_product = product return largest_product if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations def merge(left_half: list, right_half: list) -> list: """Helper function for mergesort. >>> left_half = [-2] >>> right_half = [-1] >>> merge(left_half, right_half) [-2, -1] >>> left_half = [1,2,3] >>> right_half = [4,5,6] >>> merge(left_half, right_half) [1, 2, 3, 4, 5, 6] >>> left_half = [-2] >>> right_half = [-1] >>> merge(left_half, right_half) [-2, -1] >>> left_half = [12, 15] >>> right_half = [13, 14] >>> merge(left_half, right_half) [12, 13, 14, 15] >>> left_half = [] >>> right_half = [] >>> merge(left_half, right_half) [] """ sorted_array = [None] * (len(right_half) + len(left_half)) pointer1 = 0 # pointer to current index for left Half pointer2 = 0 # pointer to current index for the right Half index = 0 # pointer to current index for the sorted array Half while pointer1 < len(left_half) and pointer2 < len(right_half): if left_half[pointer1] < right_half[pointer2]: sorted_array[index] = left_half[pointer1] pointer1 += 1 index += 1 else: sorted_array[index] = right_half[pointer2] pointer2 += 1 index += 1 while pointer1 < len(left_half): sorted_array[index] = left_half[pointer1] pointer1 += 1 index += 1 while pointer2 < len(right_half): sorted_array[index] = right_half[pointer2] pointer2 += 1 index += 1 return sorted_array def merge_sort(array: list) -> list: """Returns a list of sorted array elements using merge sort. >>> from random import shuffle >>> array = [-2, 3, -10, 11, 99, 100000, 100, -200] >>> shuffle(array) >>> merge_sort(array) [-200, -10, -2, 3, 11, 99, 100, 100000] >>> shuffle(array) >>> merge_sort(array) [-200, -10, -2, 3, 11, 99, 100, 100000] >>> array = [-200] >>> merge_sort(array) [-200] >>> array = [-2, 3, -10, 11, 99, 100000, 100, -200] >>> shuffle(array) >>> sorted(array) == merge_sort(array) True >>> array = [-2] >>> merge_sort(array) [-2] >>> array = [] >>> merge_sort(array) [] >>> array = [10000000, 1, -1111111111, 101111111112, 9000002] >>> sorted(array) == merge_sort(array) True """ if len(array) <= 1: return array # the actual formula to calculate the middle element = left + (right - left) // 2 # this avoids integer overflow in case of large N middle = 0 + (len(array) - 0) // 2 # Split the array into halves till the array length becomes equal to One # merge the arrays of single length returned by mergeSort function and # pass them into the merge arrays function which merges the array left_half = array[:middle] right_half = array[middle:] return merge(merge_sort(left_half), merge_sort(right_half)) if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations def merge(left_half: list, right_half: list) -> list: """Helper function for mergesort. >>> left_half = [-2] >>> right_half = [-1] >>> merge(left_half, right_half) [-2, -1] >>> left_half = [1,2,3] >>> right_half = [4,5,6] >>> merge(left_half, right_half) [1, 2, 3, 4, 5, 6] >>> left_half = [-2] >>> right_half = [-1] >>> merge(left_half, right_half) [-2, -1] >>> left_half = [12, 15] >>> right_half = [13, 14] >>> merge(left_half, right_half) [12, 13, 14, 15] >>> left_half = [] >>> right_half = [] >>> merge(left_half, right_half) [] """ sorted_array = [None] * (len(right_half) + len(left_half)) pointer1 = 0 # pointer to current index for left Half pointer2 = 0 # pointer to current index for the right Half index = 0 # pointer to current index for the sorted array Half while pointer1 < len(left_half) and pointer2 < len(right_half): if left_half[pointer1] < right_half[pointer2]: sorted_array[index] = left_half[pointer1] pointer1 += 1 index += 1 else: sorted_array[index] = right_half[pointer2] pointer2 += 1 index += 1 while pointer1 < len(left_half): sorted_array[index] = left_half[pointer1] pointer1 += 1 index += 1 while pointer2 < len(right_half): sorted_array[index] = right_half[pointer2] pointer2 += 1 index += 1 return sorted_array def merge_sort(array: list) -> list: """Returns a list of sorted array elements using merge sort. >>> from random import shuffle >>> array = [-2, 3, -10, 11, 99, 100000, 100, -200] >>> shuffle(array) >>> merge_sort(array) [-200, -10, -2, 3, 11, 99, 100, 100000] >>> shuffle(array) >>> merge_sort(array) [-200, -10, -2, 3, 11, 99, 100, 100000] >>> array = [-200] >>> merge_sort(array) [-200] >>> array = [-2, 3, -10, 11, 99, 100000, 100, -200] >>> shuffle(array) >>> sorted(array) == merge_sort(array) True >>> array = [-2] >>> merge_sort(array) [-2] >>> array = [] >>> merge_sort(array) [] >>> array = [10000000, 1, -1111111111, 101111111112, 9000002] >>> sorted(array) == merge_sort(array) True """ if len(array) <= 1: return array # the actual formula to calculate the middle element = left + (right - left) // 2 # this avoids integer overflow in case of large N middle = 0 + (len(array) - 0) // 2 # Split the array into halves till the array length becomes equal to One # merge the arrays of single length returned by mergeSort function and # pass them into the merge arrays function which merges the array left_half = array[:middle] right_half = array[middle:] return merge(merge_sort(left_half), merge_sort(right_half)) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Pure Python implementation of the jump search algorithm. This algorithm iterates through a sorted collection with a step of n^(1/2), until the element compared is bigger than the one searched. It will then perform a linear search until it matches the wanted number. If not found, it returns -1. """ import math def jump_search(arr: list, x: int) -> int: """ Pure Python implementation of the jump search algorithm. Examples: >>> jump_search([0, 1, 2, 3, 4, 5], 3) 3 >>> jump_search([-5, -2, -1], -1) 2 >>> jump_search([0, 5, 10, 20], 8) -1 >>> jump_search([0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 610], 55) 10 """ n = len(arr) step = int(math.floor(math.sqrt(n))) prev = 0 while arr[min(step, n) - 1] < x: prev = step step += int(math.floor(math.sqrt(n))) if prev >= n: return -1 while arr[prev] < x: prev = prev + 1 if prev == min(step, n): return -1 if arr[prev] == x: return prev return -1 if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] x = int(input("Enter the number to be searched:\n")) res = jump_search(arr, x) if res == -1: print("Number not found!") else: print(f"Number {x} is at index {res}")
""" Pure Python implementation of the jump search algorithm. This algorithm iterates through a sorted collection with a step of n^(1/2), until the element compared is bigger than the one searched. It will then perform a linear search until it matches the wanted number. If not found, it returns -1. """ import math def jump_search(arr: list, x: int) -> int: """ Pure Python implementation of the jump search algorithm. Examples: >>> jump_search([0, 1, 2, 3, 4, 5], 3) 3 >>> jump_search([-5, -2, -1], -1) 2 >>> jump_search([0, 5, 10, 20], 8) -1 >>> jump_search([0, 1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, 144, 233, 377, 610], 55) 10 """ n = len(arr) step = int(math.floor(math.sqrt(n))) prev = 0 while arr[min(step, n) - 1] < x: prev = step step += int(math.floor(math.sqrt(n))) if prev >= n: return -1 while arr[prev] < x: prev = prev + 1 if prev == min(step, n): return -1 if arr[prev] == x: return prev return -1 if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] x = int(input("Enter the number to be searched:\n")) res = jump_search(arr, x) if res == -1: print("Number not found!") else: print(f"Number {x} is at index {res}")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"""Implementation of GradientBoostingRegressor in sklearn using the boston dataset which is very popular for regression problem to predict house price. """ import matplotlib.pyplot as plt import pandas as pd from sklearn.datasets import load_boston from sklearn.ensemble import GradientBoostingRegressor from sklearn.metrics import mean_squared_error, r2_score from sklearn.model_selection import train_test_split def main(): # loading the dataset from the sklearn df = load_boston() print(df.keys()) # now let construct a data frame df_boston = pd.DataFrame(df.data, columns=df.feature_names) # let add the target to the dataframe df_boston["Price"] = df.target # print the first five rows using the head function print(df_boston.head()) # Summary statistics print(df_boston.describe().T) # Feature selection X = df_boston.iloc[:, :-1] y = df_boston.iloc[:, -1] # target variable # split the data with 75% train and 25% test sets. X_train, X_test, y_train, y_test = train_test_split( X, y, random_state=0, test_size=0.25 ) model = GradientBoostingRegressor( n_estimators=500, max_depth=5, min_samples_split=4, learning_rate=0.01 ) # training the model model.fit(X_train, y_train) # to see how good the model fit the data training_score = model.score(X_train, y_train).round(3) test_score = model.score(X_test, y_test).round(3) print("Training score of GradientBoosting is :", training_score) print("The test score of GradientBoosting is :", test_score) # Let us evaluation the model by finding the errors y_pred = model.predict(X_test) # The mean squared error print("Mean squared error: %.2f" % mean_squared_error(y_test, y_pred)) # Explained variance score: 1 is perfect prediction print("Test Variance score: %.2f" % r2_score(y_test, y_pred)) # So let's run the model against the test data fig, ax = plt.subplots() ax.scatter(y_test, y_pred, edgecolors=(0, 0, 0)) ax.plot([y_test.min(), y_test.max()], [y_test.min(), y_test.max()], "k--", lw=4) ax.set_xlabel("Actual") ax.set_ylabel("Predicted") ax.set_title("Truth vs Predicted") # this show function will display the plotting plt.show() if __name__ == "__main__": main()
"""Implementation of GradientBoostingRegressor in sklearn using the boston dataset which is very popular for regression problem to predict house price. """ import matplotlib.pyplot as plt import pandas as pd from sklearn.datasets import load_boston from sklearn.ensemble import GradientBoostingRegressor from sklearn.metrics import mean_squared_error, r2_score from sklearn.model_selection import train_test_split def main(): # loading the dataset from the sklearn df = load_boston() print(df.keys()) # now let construct a data frame df_boston = pd.DataFrame(df.data, columns=df.feature_names) # let add the target to the dataframe df_boston["Price"] = df.target # print the first five rows using the head function print(df_boston.head()) # Summary statistics print(df_boston.describe().T) # Feature selection X = df_boston.iloc[:, :-1] y = df_boston.iloc[:, -1] # target variable # split the data with 75% train and 25% test sets. X_train, X_test, y_train, y_test = train_test_split( X, y, random_state=0, test_size=0.25 ) model = GradientBoostingRegressor( n_estimators=500, max_depth=5, min_samples_split=4, learning_rate=0.01 ) # training the model model.fit(X_train, y_train) # to see how good the model fit the data training_score = model.score(X_train, y_train).round(3) test_score = model.score(X_test, y_test).round(3) print("Training score of GradientBoosting is :", training_score) print("The test score of GradientBoosting is :", test_score) # Let us evaluation the model by finding the errors y_pred = model.predict(X_test) # The mean squared error print("Mean squared error: %.2f" % mean_squared_error(y_test, y_pred)) # Explained variance score: 1 is perfect prediction print("Test Variance score: %.2f" % r2_score(y_test, y_pred)) # So let's run the model against the test data fig, ax = plt.subplots() ax.scatter(y_test, y_pred, edgecolors=(0, 0, 0)) ax.plot([y_test.min(), y_test.max()], [y_test.min(), y_test.max()], "k--", lw=4) ax.set_xlabel("Actual") ax.set_ylabel("Predicted") ax.set_title("Truth vs Predicted") # this show function will display the plotting plt.show() if __name__ == "__main__": main()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Author: Phyllipe Bezerra (https://github.com/pmba) clothes = { 0: "underwear", 1: "pants", 2: "belt", 3: "suit", 4: "shoe", 5: "socks", 6: "shirt", 7: "tie", 8: "watch", } graph = [[1, 4], [2, 4], [3], [], [], [4], [2, 7], [3], []] visited = [0 for x in range(len(graph))] stack = [] def print_stack(stack, clothes): order = 1 while stack: current_clothing = stack.pop() print(order, clothes[current_clothing]) order += 1 def depth_first_search(u, visited, graph): visited[u] = 1 for v in graph[u]: if not visited[v]: depth_first_search(v, visited, graph) stack.append(u) def topological_sort(graph, visited): for v in range(len(graph)): if not visited[v]: depth_first_search(v, visited, graph) if __name__ == "__main__": topological_sort(graph, visited) print(stack) print_stack(stack, clothes)
# Author: Phyllipe Bezerra (https://github.com/pmba) clothes = { 0: "underwear", 1: "pants", 2: "belt", 3: "suit", 4: "shoe", 5: "socks", 6: "shirt", 7: "tie", 8: "watch", } graph = [[1, 4], [2, 4], [3], [], [], [4], [2, 7], [3], []] visited = [0 for x in range(len(graph))] stack = [] def print_stack(stack, clothes): order = 1 while stack: current_clothing = stack.pop() print(order, clothes[current_clothing]) order += 1 def depth_first_search(u, visited, graph): visited[u] = 1 for v in graph[u]: if not visited[v]: depth_first_search(v, visited, graph) stack.append(u) def topological_sort(graph, visited): for v in range(len(graph)): if not visited[v]: depth_first_search(v, visited, graph) if __name__ == "__main__": topological_sort(graph, visited) print(stack) print_stack(stack, clothes)
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
__author__ = "Tobias Carryer" from time import time class LinearCongruentialGenerator: """ A pseudorandom number generator. """ # The default value for **seed** is the result of a function call which is not # normally recommended and causes flake8-bugbear to raise a B008 error. However, # in this case, it is accptable because `LinearCongruentialGenerator.__init__()` # will only be called once per instance and it ensures that each instance will # generate a unique sequence of numbers. def __init__(self, multiplier, increment, modulo, seed=int(time())): # noqa: B008 """ These parameters are saved and used when nextNumber() is called. modulo is the largest number that can be generated (exclusive). The most efficient values are powers of 2. 2^32 is a common value. """ self.multiplier = multiplier self.increment = increment self.modulo = modulo self.seed = seed def next_number(self): """ The smallest number that can be generated is zero. The largest number that can be generated is modulo-1. modulo is set in the constructor. """ self.seed = (self.multiplier * self.seed + self.increment) % self.modulo return self.seed if __name__ == "__main__": # Show the LCG in action. lcg = LinearCongruentialGenerator(1664525, 1013904223, 2 << 31) while True: print(lcg.next_number())
__author__ = "Tobias Carryer" from time import time class LinearCongruentialGenerator: """ A pseudorandom number generator. """ # The default value for **seed** is the result of a function call which is not # normally recommended and causes flake8-bugbear to raise a B008 error. However, # in this case, it is accptable because `LinearCongruentialGenerator.__init__()` # will only be called once per instance and it ensures that each instance will # generate a unique sequence of numbers. def __init__(self, multiplier, increment, modulo, seed=int(time())): # noqa: B008 """ These parameters are saved and used when nextNumber() is called. modulo is the largest number that can be generated (exclusive). The most efficient values are powers of 2. 2^32 is a common value. """ self.multiplier = multiplier self.increment = increment self.modulo = modulo self.seed = seed def next_number(self): """ The smallest number that can be generated is zero. The largest number that can be generated is modulo-1. modulo is set in the constructor. """ self.seed = (self.multiplier * self.seed + self.increment) % self.modulo return self.seed if __name__ == "__main__": # Show the LCG in action. lcg = LinearCongruentialGenerator(1664525, 1013904223, 2 << 31) while True: print(lcg.next_number())
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/python """ The Fisher–Yates shuffle is an algorithm for generating a random permutation of a finite sequence. For more details visit wikipedia/Fischer-Yates-Shuffle. """ import random from typing import Any def fisher_yates_shuffle(data: list) -> list[Any]: for _ in range(len(data)): a = random.randint(0, len(data) - 1) b = random.randint(0, len(data) - 1) data[a], data[b] = data[b], data[a] return data if __name__ == "__main__": integers = [0, 1, 2, 3, 4, 5, 6, 7] strings = ["python", "says", "hello", "!"] print("Fisher-Yates Shuffle:") print("List", integers, strings) print("FY Shuffle", fisher_yates_shuffle(integers), fisher_yates_shuffle(strings))
#!/usr/bin/python """ The Fisher–Yates shuffle is an algorithm for generating a random permutation of a finite sequence. For more details visit wikipedia/Fischer-Yates-Shuffle. """ import random from typing import Any def fisher_yates_shuffle(data: list) -> list[Any]: for _ in range(len(data)): a = random.randint(0, len(data) - 1) b = random.randint(0, len(data) - 1) data[a], data[b] = data[b], data[a] return data if __name__ == "__main__": integers = [0, 1, 2, 3, 4, 5, 6, 7] strings = ["python", "says", "hello", "!"] print("Fisher-Yates Shuffle:") print("List", integers, strings) print("FY Shuffle", fisher_yates_shuffle(integers), fisher_yates_shuffle(strings))
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from graphs.minimum_spanning_tree_kruskal import kruskal def test_kruskal_successful_result(): num_nodes = 9 edges = [ [0, 1, 4], [0, 7, 8], [1, 2, 8], [7, 8, 7], [7, 6, 1], [2, 8, 2], [8, 6, 6], [2, 3, 7], [2, 5, 4], [6, 5, 2], [3, 5, 14], [3, 4, 9], [5, 4, 10], [1, 7, 11], ] result = kruskal(num_nodes, edges) expected = [ [7, 6, 1], [2, 8, 2], [6, 5, 2], [0, 1, 4], [2, 5, 4], [2, 3, 7], [0, 7, 8], [3, 4, 9], ] assert sorted(expected) == sorted(result)
from graphs.minimum_spanning_tree_kruskal import kruskal def test_kruskal_successful_result(): num_nodes = 9 edges = [ [0, 1, 4], [0, 7, 8], [1, 2, 8], [7, 8, 7], [7, 6, 1], [2, 8, 2], [8, 6, 6], [2, 3, 7], [2, 5, 4], [6, 5, 2], [3, 5, 14], [3, 4, 9], [5, 4, 10], [1, 7, 11], ] result = kruskal(num_nodes, edges) expected = [ [7, 6, 1], [2, 8, 2], [6, 5, 2], [0, 1, 4], [2, 5, 4], [2, 3, 7], [0, 7, 8], [3, 4, 9], ] assert sorted(expected) == sorted(result)
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" https://en.wikipedia.org/wiki/Doubly_linked_list """ class Node: def __init__(self, data): self.data = data self.previous = None self.next = None def __str__(self): return f"{self.data}" class DoublyLinkedList: def __init__(self): self.head = None self.tail = None def __iter__(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_head('b') >>> linked_list.insert_at_head('a') >>> linked_list.insert_at_tail('c') >>> tuple(linked_list) ('a', 'b', 'c') """ node = self.head while node: yield node.data node = node.next def __str__(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_tail('a') >>> linked_list.insert_at_tail('b') >>> linked_list.insert_at_tail('c') >>> str(linked_list) 'a->b->c' """ return "->".join([str(item) for item in self]) def __len__(self): """ >>> linked_list = DoublyLinkedList() >>> for i in range(0, 5): ... linked_list.insert_at_nth(i, i + 1) >>> len(linked_list) == 5 True """ return len(tuple(iter(self))) def insert_at_head(self, data): self.insert_at_nth(0, data) def insert_at_tail(self, data): self.insert_at_nth(len(self), data) def insert_at_nth(self, index: int, data): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_nth(-1, 666) Traceback (most recent call last): .... IndexError: list index out of range >>> linked_list.insert_at_nth(1, 666) Traceback (most recent call last): .... IndexError: list index out of range >>> linked_list.insert_at_nth(0, 2) >>> linked_list.insert_at_nth(0, 1) >>> linked_list.insert_at_nth(2, 4) >>> linked_list.insert_at_nth(2, 3) >>> str(linked_list) '1->2->3->4' >>> linked_list.insert_at_nth(5, 5) Traceback (most recent call last): .... IndexError: list index out of range """ if not 0 <= index <= len(self): raise IndexError("list index out of range") new_node = Node(data) if self.head is None: self.head = self.tail = new_node elif index == 0: self.head.previous = new_node new_node.next = self.head self.head = new_node elif index == len(self): self.tail.next = new_node new_node.previous = self.tail self.tail = new_node else: temp = self.head for i in range(0, index): temp = temp.next temp.previous.next = new_node new_node.previous = temp.previous new_node.next = temp temp.previous = new_node def delete_head(self): return self.delete_at_nth(0) def delete_tail(self): return self.delete_at_nth(len(self) - 1) def delete_at_nth(self, index: int): """ >>> linked_list = DoublyLinkedList() >>> linked_list.delete_at_nth(0) Traceback (most recent call last): .... IndexError: list index out of range >>> for i in range(0, 5): ... linked_list.insert_at_nth(i, i + 1) >>> linked_list.delete_at_nth(0) == 1 True >>> linked_list.delete_at_nth(3) == 5 True >>> linked_list.delete_at_nth(1) == 3 True >>> str(linked_list) '2->4' >>> linked_list.delete_at_nth(2) Traceback (most recent call last): .... IndexError: list index out of range """ if not 0 <= index <= len(self) - 1: raise IndexError("list index out of range") delete_node = self.head # default first node if len(self) == 1: self.head = self.tail = None elif index == 0: self.head = self.head.next self.head.previous = None elif index == len(self) - 1: delete_node = self.tail self.tail = self.tail.previous self.tail.next = None else: temp = self.head for i in range(0, index): temp = temp.next delete_node = temp temp.next.previous = temp.previous temp.previous.next = temp.next return delete_node.data def delete(self, data) -> str: current = self.head while current.data != data: # Find the position to delete if current.next: current = current.next else: # We have reached the end an no value matches return "No data matching given value" if current == self.head: self.delete_head() elif current == self.tail: self.delete_tail() else: # Before: 1 <--> 2(current) <--> 3 current.previous.next = current.next # 1 --> 3 current.next.previous = current.previous # 1 <--> 3 return data def is_empty(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.is_empty() True >>> linked_list.insert_at_tail(1) >>> linked_list.is_empty() False """ return len(self) == 0 def test_doubly_linked_list() -> None: """ >>> test_doubly_linked_list() """ linked_list = DoublyLinkedList() assert linked_list.is_empty() is True assert str(linked_list) == "" try: linked_list.delete_head() assert False # This should not happen. except IndexError: assert True # This should happen. try: linked_list.delete_tail() assert False # This should not happen. except IndexError: assert True # This should happen. for i in range(10): assert len(linked_list) == i linked_list.insert_at_nth(i, i + 1) assert str(linked_list) == "->".join(str(i) for i in range(1, 11)) linked_list.insert_at_head(0) linked_list.insert_at_tail(11) assert str(linked_list) == "->".join(str(i) for i in range(0, 12)) assert linked_list.delete_head() == 0 assert linked_list.delete_at_nth(9) == 10 assert linked_list.delete_tail() == 11 assert len(linked_list) == 9 assert str(linked_list) == "->".join(str(i) for i in range(1, 10)) if __name__ == "__main__": from doctest import testmod testmod()
""" https://en.wikipedia.org/wiki/Doubly_linked_list """ class Node: def __init__(self, data): self.data = data self.previous = None self.next = None def __str__(self): return f"{self.data}" class DoublyLinkedList: def __init__(self): self.head = None self.tail = None def __iter__(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_head('b') >>> linked_list.insert_at_head('a') >>> linked_list.insert_at_tail('c') >>> tuple(linked_list) ('a', 'b', 'c') """ node = self.head while node: yield node.data node = node.next def __str__(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_tail('a') >>> linked_list.insert_at_tail('b') >>> linked_list.insert_at_tail('c') >>> str(linked_list) 'a->b->c' """ return "->".join([str(item) for item in self]) def __len__(self): """ >>> linked_list = DoublyLinkedList() >>> for i in range(0, 5): ... linked_list.insert_at_nth(i, i + 1) >>> len(linked_list) == 5 True """ return len(tuple(iter(self))) def insert_at_head(self, data): self.insert_at_nth(0, data) def insert_at_tail(self, data): self.insert_at_nth(len(self), data) def insert_at_nth(self, index: int, data): """ >>> linked_list = DoublyLinkedList() >>> linked_list.insert_at_nth(-1, 666) Traceback (most recent call last): .... IndexError: list index out of range >>> linked_list.insert_at_nth(1, 666) Traceback (most recent call last): .... IndexError: list index out of range >>> linked_list.insert_at_nth(0, 2) >>> linked_list.insert_at_nth(0, 1) >>> linked_list.insert_at_nth(2, 4) >>> linked_list.insert_at_nth(2, 3) >>> str(linked_list) '1->2->3->4' >>> linked_list.insert_at_nth(5, 5) Traceback (most recent call last): .... IndexError: list index out of range """ if not 0 <= index <= len(self): raise IndexError("list index out of range") new_node = Node(data) if self.head is None: self.head = self.tail = new_node elif index == 0: self.head.previous = new_node new_node.next = self.head self.head = new_node elif index == len(self): self.tail.next = new_node new_node.previous = self.tail self.tail = new_node else: temp = self.head for i in range(0, index): temp = temp.next temp.previous.next = new_node new_node.previous = temp.previous new_node.next = temp temp.previous = new_node def delete_head(self): return self.delete_at_nth(0) def delete_tail(self): return self.delete_at_nth(len(self) - 1) def delete_at_nth(self, index: int): """ >>> linked_list = DoublyLinkedList() >>> linked_list.delete_at_nth(0) Traceback (most recent call last): .... IndexError: list index out of range >>> for i in range(0, 5): ... linked_list.insert_at_nth(i, i + 1) >>> linked_list.delete_at_nth(0) == 1 True >>> linked_list.delete_at_nth(3) == 5 True >>> linked_list.delete_at_nth(1) == 3 True >>> str(linked_list) '2->4' >>> linked_list.delete_at_nth(2) Traceback (most recent call last): .... IndexError: list index out of range """ if not 0 <= index <= len(self) - 1: raise IndexError("list index out of range") delete_node = self.head # default first node if len(self) == 1: self.head = self.tail = None elif index == 0: self.head = self.head.next self.head.previous = None elif index == len(self) - 1: delete_node = self.tail self.tail = self.tail.previous self.tail.next = None else: temp = self.head for i in range(0, index): temp = temp.next delete_node = temp temp.next.previous = temp.previous temp.previous.next = temp.next return delete_node.data def delete(self, data) -> str: current = self.head while current.data != data: # Find the position to delete if current.next: current = current.next else: # We have reached the end an no value matches return "No data matching given value" if current == self.head: self.delete_head() elif current == self.tail: self.delete_tail() else: # Before: 1 <--> 2(current) <--> 3 current.previous.next = current.next # 1 --> 3 current.next.previous = current.previous # 1 <--> 3 return data def is_empty(self): """ >>> linked_list = DoublyLinkedList() >>> linked_list.is_empty() True >>> linked_list.insert_at_tail(1) >>> linked_list.is_empty() False """ return len(self) == 0 def test_doubly_linked_list() -> None: """ >>> test_doubly_linked_list() """ linked_list = DoublyLinkedList() assert linked_list.is_empty() is True assert str(linked_list) == "" try: linked_list.delete_head() assert False # This should not happen. except IndexError: assert True # This should happen. try: linked_list.delete_tail() assert False # This should not happen. except IndexError: assert True # This should happen. for i in range(10): assert len(linked_list) == i linked_list.insert_at_nth(i, i + 1) assert str(linked_list) == "->".join(str(i) for i in range(1, 11)) linked_list.insert_at_head(0) linked_list.insert_at_tail(11) assert str(linked_list) == "->".join(str(i) for i in range(0, 12)) assert linked_list.delete_head() == 0 assert linked_list.delete_at_nth(9) == 10 assert linked_list.delete_tail() == 11 assert len(linked_list) == 9 assert str(linked_list) == "->".join(str(i) for i in range(1, 10)) if __name__ == "__main__": from doctest import testmod testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# https://en.wikipedia.org/wiki/Simulated_annealing import math import random from typing import Any from .hill_climbing import SearchProblem def simulated_annealing( search_prob, find_max: bool = True, max_x: float = math.inf, min_x: float = -math.inf, max_y: float = math.inf, min_y: float = -math.inf, visualization: bool = False, start_temperate: float = 100, rate_of_decrease: float = 0.01, threshold_temp: float = 1, ) -> Any: """ Implementation of the simulated annealing algorithm. We start with a given state, find all its neighbors. Pick a random neighbor, if that neighbor improves the solution, we move in that direction, if that neighbor does not improve the solution, we generate a random real number between 0 and 1, if the number is within a certain range (calculated using temperature) we move in that direction, else we pick another neighbor randomly and repeat the process. Args: search_prob: The search state at the start. find_max: If True, the algorithm should find the minimum else the minimum. max_x, min_x, max_y, min_y: the maximum and minimum bounds of x and y. visualization: If True, a matplotlib graph is displayed. start_temperate: the initial temperate of the system when the program starts. rate_of_decrease: the rate at which the temperate decreases in each iteration. threshold_temp: the threshold temperature below which we end the search Returns a search state having the maximum (or minimum) score. """ search_end = False current_state = search_prob current_temp = start_temperate scores = [] iterations = 0 best_state = None while not search_end: current_score = current_state.score() if best_state is None or current_score > best_state.score(): best_state = current_state scores.append(current_score) iterations += 1 next_state = None neighbors = current_state.get_neighbors() while ( next_state is None and neighbors ): # till we do not find a neighbor that we can move to index = random.randint(0, len(neighbors) - 1) # picking a random neighbor picked_neighbor = neighbors.pop(index) change = picked_neighbor.score() - current_score if ( picked_neighbor.x > max_x or picked_neighbor.x < min_x or picked_neighbor.y > max_y or picked_neighbor.y < min_y ): continue # neighbor outside our bounds if not find_max: change = change * -1 # in case we are finding minimum if change > 0: # improves the solution next_state = picked_neighbor else: probability = (math.e) ** ( change / current_temp ) # probability generation function if random.random() < probability: # random number within probability next_state = picked_neighbor current_temp = current_temp - (current_temp * rate_of_decrease) if current_temp < threshold_temp or next_state is None: # temperature below threshold, or could not find a suitable neighbor search_end = True else: current_state = next_state if visualization: from matplotlib import pyplot as plt plt.plot(range(iterations), scores) plt.xlabel("Iterations") plt.ylabel("Function values") plt.show() return best_state if __name__ == "__main__": def test_f1(x, y): return (x**2) + (y**2) # starting the problem with initial coordinates (12, 47) prob = SearchProblem(x=12, y=47, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing( prob, find_max=False, max_x=100, min_x=5, max_y=50, min_y=-5, visualization=True ) print( "The minimum score for f(x, y) = x^2 + y^2 with the domain 100 > x > 5 " f"and 50 > y > - 5 found via hill climbing: {local_min.score()}" ) # starting the problem with initial coordinates (12, 47) prob = SearchProblem(x=12, y=47, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing( prob, find_max=True, max_x=100, min_x=5, max_y=50, min_y=-5, visualization=True ) print( "The maximum score for f(x, y) = x^2 + y^2 with the domain 100 > x > 5 " f"and 50 > y > - 5 found via hill climbing: {local_min.score()}" ) def test_f2(x, y): return (3 * x**2) - (6 * y) prob = SearchProblem(x=3, y=4, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing(prob, find_max=False, visualization=True) print( "The minimum score for f(x, y) = 3*x^2 - 6*y found via hill climbing: " f"{local_min.score()}" ) prob = SearchProblem(x=3, y=4, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing(prob, find_max=True, visualization=True) print( "The maximum score for f(x, y) = 3*x^2 - 6*y found via hill climbing: " f"{local_min.score()}" )
# https://en.wikipedia.org/wiki/Simulated_annealing import math import random from typing import Any from .hill_climbing import SearchProblem def simulated_annealing( search_prob, find_max: bool = True, max_x: float = math.inf, min_x: float = -math.inf, max_y: float = math.inf, min_y: float = -math.inf, visualization: bool = False, start_temperate: float = 100, rate_of_decrease: float = 0.01, threshold_temp: float = 1, ) -> Any: """ Implementation of the simulated annealing algorithm. We start with a given state, find all its neighbors. Pick a random neighbor, if that neighbor improves the solution, we move in that direction, if that neighbor does not improve the solution, we generate a random real number between 0 and 1, if the number is within a certain range (calculated using temperature) we move in that direction, else we pick another neighbor randomly and repeat the process. Args: search_prob: The search state at the start. find_max: If True, the algorithm should find the minimum else the minimum. max_x, min_x, max_y, min_y: the maximum and minimum bounds of x and y. visualization: If True, a matplotlib graph is displayed. start_temperate: the initial temperate of the system when the program starts. rate_of_decrease: the rate at which the temperate decreases in each iteration. threshold_temp: the threshold temperature below which we end the search Returns a search state having the maximum (or minimum) score. """ search_end = False current_state = search_prob current_temp = start_temperate scores = [] iterations = 0 best_state = None while not search_end: current_score = current_state.score() if best_state is None or current_score > best_state.score(): best_state = current_state scores.append(current_score) iterations += 1 next_state = None neighbors = current_state.get_neighbors() while ( next_state is None and neighbors ): # till we do not find a neighbor that we can move to index = random.randint(0, len(neighbors) - 1) # picking a random neighbor picked_neighbor = neighbors.pop(index) change = picked_neighbor.score() - current_score if ( picked_neighbor.x > max_x or picked_neighbor.x < min_x or picked_neighbor.y > max_y or picked_neighbor.y < min_y ): continue # neighbor outside our bounds if not find_max: change = change * -1 # in case we are finding minimum if change > 0: # improves the solution next_state = picked_neighbor else: probability = (math.e) ** ( change / current_temp ) # probability generation function if random.random() < probability: # random number within probability next_state = picked_neighbor current_temp = current_temp - (current_temp * rate_of_decrease) if current_temp < threshold_temp or next_state is None: # temperature below threshold, or could not find a suitable neighbor search_end = True else: current_state = next_state if visualization: from matplotlib import pyplot as plt plt.plot(range(iterations), scores) plt.xlabel("Iterations") plt.ylabel("Function values") plt.show() return best_state if __name__ == "__main__": def test_f1(x, y): return (x**2) + (y**2) # starting the problem with initial coordinates (12, 47) prob = SearchProblem(x=12, y=47, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing( prob, find_max=False, max_x=100, min_x=5, max_y=50, min_y=-5, visualization=True ) print( "The minimum score for f(x, y) = x^2 + y^2 with the domain 100 > x > 5 " f"and 50 > y > - 5 found via hill climbing: {local_min.score()}" ) # starting the problem with initial coordinates (12, 47) prob = SearchProblem(x=12, y=47, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing( prob, find_max=True, max_x=100, min_x=5, max_y=50, min_y=-5, visualization=True ) print( "The maximum score for f(x, y) = x^2 + y^2 with the domain 100 > x > 5 " f"and 50 > y > - 5 found via hill climbing: {local_min.score()}" ) def test_f2(x, y): return (3 * x**2) - (6 * y) prob = SearchProblem(x=3, y=4, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing(prob, find_max=False, visualization=True) print( "The minimum score for f(x, y) = 3*x^2 - 6*y found via hill climbing: " f"{local_min.score()}" ) prob = SearchProblem(x=3, y=4, step_size=1, function_to_optimize=test_f1) local_min = simulated_annealing(prob, find_max=True, visualization=True) print( "The maximum score for f(x, y) = 3*x^2 - 6*y found via hill climbing: " f"{local_min.score()}" )
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Author : Mehdi ALAOUI This is a pure Python implementation of Dynamic Programming solution to the longest increasing subsequence of a given sequence. The problem is : Given an array, to find the longest and increasing sub-array in that given array and return it. Example: [10, 22, 9, 33, 21, 50, 41, 60, 80] as input will return [10, 22, 33, 41, 60, 80] as output """ from __future__ import annotations def longest_subsequence(array: list[int]) -> list[int]: # This function is recursive """ Some examples >>> longest_subsequence([10, 22, 9, 33, 21, 50, 41, 60, 80]) [10, 22, 33, 41, 60, 80] >>> longest_subsequence([4, 8, 7, 5, 1, 12, 2, 3, 9]) [1, 2, 3, 9] >>> longest_subsequence([9, 8, 7, 6, 5, 7]) [8] >>> longest_subsequence([1, 1, 1]) [1, 1, 1] >>> longest_subsequence([]) [] """ array_length = len(array) # If the array contains only one element, we return it (it's the stop condition of # recursion) if array_length <= 1: return array # Else pivot = array[0] isFound = False i = 1 longest_subseq: list[int] = [] while not isFound and i < array_length: if array[i] < pivot: isFound = True temp_array = [element for element in array[i:] if element >= array[i]] temp_array = longest_subsequence(temp_array) if len(temp_array) > len(longest_subseq): longest_subseq = temp_array else: i += 1 temp_array = [element for element in array[1:] if element >= pivot] temp_array = [pivot] + longest_subsequence(temp_array) if len(temp_array) > len(longest_subseq): return temp_array else: return longest_subseq if __name__ == "__main__": import doctest doctest.testmod()
""" Author : Mehdi ALAOUI This is a pure Python implementation of Dynamic Programming solution to the longest increasing subsequence of a given sequence. The problem is : Given an array, to find the longest and increasing sub-array in that given array and return it. Example: [10, 22, 9, 33, 21, 50, 41, 60, 80] as input will return [10, 22, 33, 41, 60, 80] as output """ from __future__ import annotations def longest_subsequence(array: list[int]) -> list[int]: # This function is recursive """ Some examples >>> longest_subsequence([10, 22, 9, 33, 21, 50, 41, 60, 80]) [10, 22, 33, 41, 60, 80] >>> longest_subsequence([4, 8, 7, 5, 1, 12, 2, 3, 9]) [1, 2, 3, 9] >>> longest_subsequence([9, 8, 7, 6, 5, 7]) [8] >>> longest_subsequence([1, 1, 1]) [1, 1, 1] >>> longest_subsequence([]) [] """ array_length = len(array) # If the array contains only one element, we return it (it's the stop condition of # recursion) if array_length <= 1: return array # Else pivot = array[0] isFound = False i = 1 longest_subseq: list[int] = [] while not isFound and i < array_length: if array[i] < pivot: isFound = True temp_array = [element for element in array[i:] if element >= array[i]] temp_array = longest_subsequence(temp_array) if len(temp_array) > len(longest_subseq): longest_subseq = temp_array else: i += 1 temp_array = [element for element in array[1:] if element >= pivot] temp_array = [pivot] + longest_subsequence(temp_array) if len(temp_array) > len(longest_subseq): return temp_array else: return longest_subseq if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import itertools import string from typing import Generator, Iterable def chunker(seq: Iterable[str], size: int) -> Generator[tuple[str, ...], None, None]: it = iter(seq) while True: chunk = tuple(itertools.islice(it, size)) if not chunk: return yield chunk def prepare_input(dirty: str) -> str: """ Prepare the plaintext by up-casing it and separating repeated letters with X's """ dirty = "".join([c.upper() for c in dirty if c in string.ascii_letters]) clean = "" if len(dirty) < 2: return dirty for i in range(len(dirty) - 1): clean += dirty[i] if dirty[i] == dirty[i + 1]: clean += "X" clean += dirty[-1] if len(clean) & 1: clean += "X" return clean def generate_table(key: str) -> list[str]: # I and J are used interchangeably to allow # us to use a 5x5 table (25 letters) alphabet = "ABCDEFGHIKLMNOPQRSTUVWXYZ" # we're using a list instead of a '2d' array because it makes the math # for setting up the table and doing the actual encoding/decoding simpler table = [] # copy key chars into the table if they are in `alphabet` ignoring duplicates for char in key.upper(): if char not in table and char in alphabet: table.append(char) # fill the rest of the table in with the remaining alphabet chars for char in alphabet: if char not in table: table.append(char) return table def encode(plaintext: str, key: str) -> str: table = generate_table(key) plaintext = prepare_input(plaintext) ciphertext = "" # https://en.wikipedia.org/wiki/Playfair_cipher#Description for char1, char2 in chunker(plaintext, 2): row1, col1 = divmod(table.index(char1), 5) row2, col2 = divmod(table.index(char2), 5) if row1 == row2: ciphertext += table[row1 * 5 + (col1 + 1) % 5] ciphertext += table[row2 * 5 + (col2 + 1) % 5] elif col1 == col2: ciphertext += table[((row1 + 1) % 5) * 5 + col1] ciphertext += table[((row2 + 1) % 5) * 5 + col2] else: # rectangle ciphertext += table[row1 * 5 + col2] ciphertext += table[row2 * 5 + col1] return ciphertext def decode(ciphertext: str, key: str) -> str: table = generate_table(key) plaintext = "" # https://en.wikipedia.org/wiki/Playfair_cipher#Description for char1, char2 in chunker(ciphertext, 2): row1, col1 = divmod(table.index(char1), 5) row2, col2 = divmod(table.index(char2), 5) if row1 == row2: plaintext += table[row1 * 5 + (col1 - 1) % 5] plaintext += table[row2 * 5 + (col2 - 1) % 5] elif col1 == col2: plaintext += table[((row1 - 1) % 5) * 5 + col1] plaintext += table[((row2 - 1) % 5) * 5 + col2] else: # rectangle plaintext += table[row1 * 5 + col2] plaintext += table[row2 * 5 + col1] return plaintext
import itertools import string from typing import Generator, Iterable def chunker(seq: Iterable[str], size: int) -> Generator[tuple[str, ...], None, None]: it = iter(seq) while True: chunk = tuple(itertools.islice(it, size)) if not chunk: return yield chunk def prepare_input(dirty: str) -> str: """ Prepare the plaintext by up-casing it and separating repeated letters with X's """ dirty = "".join([c.upper() for c in dirty if c in string.ascii_letters]) clean = "" if len(dirty) < 2: return dirty for i in range(len(dirty) - 1): clean += dirty[i] if dirty[i] == dirty[i + 1]: clean += "X" clean += dirty[-1] if len(clean) & 1: clean += "X" return clean def generate_table(key: str) -> list[str]: # I and J are used interchangeably to allow # us to use a 5x5 table (25 letters) alphabet = "ABCDEFGHIKLMNOPQRSTUVWXYZ" # we're using a list instead of a '2d' array because it makes the math # for setting up the table and doing the actual encoding/decoding simpler table = [] # copy key chars into the table if they are in `alphabet` ignoring duplicates for char in key.upper(): if char not in table and char in alphabet: table.append(char) # fill the rest of the table in with the remaining alphabet chars for char in alphabet: if char not in table: table.append(char) return table def encode(plaintext: str, key: str) -> str: table = generate_table(key) plaintext = prepare_input(plaintext) ciphertext = "" # https://en.wikipedia.org/wiki/Playfair_cipher#Description for char1, char2 in chunker(plaintext, 2): row1, col1 = divmod(table.index(char1), 5) row2, col2 = divmod(table.index(char2), 5) if row1 == row2: ciphertext += table[row1 * 5 + (col1 + 1) % 5] ciphertext += table[row2 * 5 + (col2 + 1) % 5] elif col1 == col2: ciphertext += table[((row1 + 1) % 5) * 5 + col1] ciphertext += table[((row2 + 1) % 5) * 5 + col2] else: # rectangle ciphertext += table[row1 * 5 + col2] ciphertext += table[row2 * 5 + col1] return ciphertext def decode(ciphertext: str, key: str) -> str: table = generate_table(key) plaintext = "" # https://en.wikipedia.org/wiki/Playfair_cipher#Description for char1, char2 in chunker(ciphertext, 2): row1, col1 = divmod(table.index(char1), 5) row2, col2 = divmod(table.index(char2), 5) if row1 == row2: plaintext += table[row1 * 5 + (col1 - 1) % 5] plaintext += table[row2 * 5 + (col2 - 1) % 5] elif col1 == col2: plaintext += table[((row1 - 1) % 5) * 5 + col1] plaintext += table[((row2 - 1) % 5) * 5 + col2] else: # rectangle plaintext += table[row1 * 5 + col2] plaintext += table[row2 * 5 + col1] return plaintext
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" An RSA prime factor algorithm. The program can efficiently factor RSA prime number given the private key d and public key e. Source: on page 3 of https://crypto.stanford.edu/~dabo/papers/RSA-survey.pdf More readable source: https://www.di-mgt.com.au/rsa_factorize_n.html large number can take minutes to factor, therefore are not included in doctest. """ from __future__ import annotations import math import random def rsafactor(d: int, e: int, N: int) -> list[int]: """ This function returns the factors of N, where p*q=N Return: [p, q] We call N the RSA modulus, e the encryption exponent, and d the decryption exponent. The pair (N, e) is the public key. As its name suggests, it is public and is used to encrypt messages. The pair (N, d) is the secret key or private key and is known only to the recipient of encrypted messages. >>> rsafactor(3, 16971, 25777) [149, 173] >>> rsafactor(7331, 11, 27233) [113, 241] >>> rsafactor(4021, 13, 17711) [89, 199] """ k = d * e - 1 p = 0 q = 0 while p == 0: g = random.randint(2, N - 1) t = k while True: if t % 2 == 0: t = t // 2 x = (g**t) % N y = math.gcd(x - 1, N) if x > 1 and y > 1: p = y q = N // y break # find the correct factors else: break # t is not divisible by 2, break and choose another g return sorted([p, q]) if __name__ == "__main__": import doctest doctest.testmod()
""" An RSA prime factor algorithm. The program can efficiently factor RSA prime number given the private key d and public key e. Source: on page 3 of https://crypto.stanford.edu/~dabo/papers/RSA-survey.pdf More readable source: https://www.di-mgt.com.au/rsa_factorize_n.html large number can take minutes to factor, therefore are not included in doctest. """ from __future__ import annotations import math import random def rsafactor(d: int, e: int, N: int) -> list[int]: """ This function returns the factors of N, where p*q=N Return: [p, q] We call N the RSA modulus, e the encryption exponent, and d the decryption exponent. The pair (N, e) is the public key. As its name suggests, it is public and is used to encrypt messages. The pair (N, d) is the secret key or private key and is known only to the recipient of encrypted messages. >>> rsafactor(3, 16971, 25777) [149, 173] >>> rsafactor(7331, 11, 27233) [113, 241] >>> rsafactor(4021, 13, 17711) [89, 199] """ k = d * e - 1 p = 0 q = 0 while p == 0: g = random.randint(2, N - 1) t = k while True: if t % 2 == 0: t = t // 2 x = (g**t) % N y = math.gcd(x - 1, N) if x > 1 and y > 1: p = y q = N // y break # find the correct factors else: break # t is not divisible by 2, break and choose another g return sorted([p, q]) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import re def indian_phone_validator(phone: str) -> bool: """ Determine whether the string is a valid phone number or not :param phone: :return: Boolean >>> indian_phone_validator("+91123456789") False >>> indian_phone_validator("+919876543210") True >>> indian_phone_validator("01234567896") False >>> indian_phone_validator("919876543218") True >>> indian_phone_validator("+91-1234567899") False >>> indian_phone_validator("+91-9876543218") True """ pat = re.compile(r"^(\+91[\-\s]?)?[0]?(91)?[789]\d{9}$") match = re.search(pat, phone) if match: return match.string == phone return False if __name__ == "__main__": print(indian_phone_validator("+918827897895"))
import re def indian_phone_validator(phone: str) -> bool: """ Determine whether the string is a valid phone number or not :param phone: :return: Boolean >>> indian_phone_validator("+91123456789") False >>> indian_phone_validator("+919876543210") True >>> indian_phone_validator("01234567896") False >>> indian_phone_validator("919876543218") True >>> indian_phone_validator("+91-1234567899") False >>> indian_phone_validator("+91-9876543218") True """ pat = re.compile(r"^(\+91[\-\s]?)?[0]?(91)?[789]\d{9}$") match = re.search(pat, phone) if match: return match.string == phone return False if __name__ == "__main__": print(indian_phone_validator("+918827897895"))
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
MMMMDCLXXII MMDCCCLXXXIII MMMDLXVIIII MMMMDXCV DCCCLXXII MMCCCVI MMMCDLXXXVII MMMMCCXXI MMMCCXX MMMMDCCCLXXIII MMMCCXXXVII MMCCCLXXXXIX MDCCCXXIIII MMCXCVI CCXCVIII MMMCCCXXXII MDCCXXX MMMDCCCL MMMMCCLXXXVI MMDCCCXCVI MMMDCII MMMCCXII MMMMDCCCCI MMDCCCXCII MDCXX CMLXXXVII MMMXXI MMMMCCCXIV MLXXII MCCLXXVIIII MMMMCCXXXXI MMDCCCLXXII MMMMXXXI MMMDCCLXXX MMDCCCLXXIX MMMMLXXXV MCXXI MDCCCXXXVII MMCCCLXVII MCDXXXV CCXXXIII CMXX MMMCLXIV MCCCLXXXVI DCCCXCVIII MMMDCCCCXXXIV CDXVIIII MMCCXXXV MDCCCXXXII MMMMD MMDCCLXIX MMMMCCCLXXXXVI MMDCCXLII MMMDCCCVIIII DCCLXXXIIII MDCCCCXXXII MMCXXVII DCCCXXX CCLXIX MMMXI MMMMCMLXXXXVIII MMMMDLXXXVII MMMMDCCCLX MMCCLIV CMIX MMDCCCLXXXIIII CLXXXII MMCCCCXXXXV MMMMDLXXXVIIII MMMDCCCXXI MMDCCCCLXXVI MCCCCLXX MMCDLVIIII MMMDCCCLIX MMMMCCCCXIX MMMDCCCLXXV XXXI CDLXXXIII MMMCXV MMDCCLXIII MMDXXX MMMMCCCLVII MMMDCI MMMMCDLXXXIIII MMMMCCCXVI CCCLXXXVIII MMMMCML MMMMXXIV MMMCCCCXXX DCCX MMMCCLX MMDXXXIII CCCLXIII MMDCCXIII MMMCCCXLIV CLXXXXI CXVI MMMMCXXXIII CLXX DCCCXVIII MLXVII DLXXXX MMDXXI MMMMDLXXXXVIII MXXII LXI DCCCCXLIII MMMMDV MMMMXXXIV MDCCCLVIII MMMCCLXXII MMMMDCCXXXVI MMMMLXXXIX MDCCCLXXXI MMMMDCCCXV MMMMCCCCXI MMMMCCCLIII MDCCCLXXI MMCCCCXI MLXV MMCDLXII MMMMDXXXXII MMMMDCCCXL MMMMCMLVI CCLXXXIV MMMDCCLXXXVI MMCLII MMMCCCCXV MMLXXXIII MMMV MMMV DCCLXII MMDCCCCXVI MMDCXLVIII CCLIIII CCCXXV MMDCCLXXXVIIII MMMMDCLXXVIII MMMMDCCCXCI MMMMCCCXX MMCCXLV MMMDCCCLXIX MMCCLXIIII MMMDCCCXLIX MMMMCCCLXIX CMLXXXXI MCMLXXXIX MMCDLXI MMDCLXXVIII MMMMDCCLXI MCDXXV DL CCCLXXII MXVIIII MCCCCLXVIII CIII MMMDCCLXXIIII MMMDVIII MMMMCCCLXXXXVII MMDXXVII MMDCCLXXXXV MMMMCXLVI MMMDCCLXXXII MMMDXXXVI MCXXII CLI DCLXXXIX MMMCLI MDCLXIII MMMMDCCXCVII MMCCCLXXXV MMMDCXXVIII MMMCDLX MMMCMLII MMMIV MMMMDCCCLVIII MMMDLXXXVIII MCXXIV MMMMLXXVI CLXXIX MMMCCCCXXVIIII DCCLXXXV MMMDCCCVI LI CLXXXVI MMMMCCCLXXVI MCCCLXVI CCXXXIX MMDXXXXI MMDCCCXLI DCCCLXXXVIII MMMMDCCCIV MDCCCCXV MMCMVI MMMMCMLXXXXV MMDCCLVI MMMMCCXLVIII DCCCCIIII MMCCCCIII MMMDCCLXXXVIIII MDCCCLXXXXV DVII MMMV DCXXV MMDCCCXCV DCVIII MMCDLXVI MCXXVIII MDCCXCVIII MMDCLX MMMDCCLXIV MMCDLXXVII MMDLXXXIIII MMMMCCCXXII MMMDCCCXLIIII DCCCCLXVII MMMCLXXXXIII MCCXV MMMMDCXI MMMMDCLXXXXV MMMCCCLII MMCMIX MMDCCXXV MMDLXXXVI MMMMDCXXVIIII DCCCCXXXVIIII MMCCXXXIIII MMDCCLXXVIII MDCCLXVIIII MMCCLXXXV MMMMDCCCLXXXVIII MMCMXCI MDXLII MMMMDCCXIV MMMMLI DXXXXIII MMDCCXI MMMMCCLXXXIII MMMDCCCLXXIII MDCLVII MMCD MCCCXXVII MMMMDCCIIII MMMDCCXLVI MMMCLXXXVII MMMCCVIIII MCCCCLXXIX DL DCCCLXXVI MMDXCI MMMMDCCCCXXXVI MMCII MMMDCCCXXXXV MMMCDXLV MMDCXXXXIV MMD MDCCCLXXXX MMDCXLIII MMCCXXXII MMDCXXXXVIIII DCCCLXXI MDXCVIIII MMMMCCLXXVIII MDCLVIIII MMMCCCLXXXIX MDCLXXXV MDLVIII MMMMCCVII MMMMDCXIV MMMCCCLXIIII MMIIII MMMMCCCLXXIII CCIII MMMCCLV MMMDXIII MMMCCCXC MMMDCCCXXI MMMMCCCCXXXII CCCLVI MMMCCCLXXXVI MXVIIII MMMCCCCXIIII CLXVII MMMCCLXX CCCCLXIV MMXXXXII MMMMCCLXXXX MXL CCXVI CCCCLVIIII MMCCCII MCCCLVIII MMMMCCCX MCDLXXXXIV MDCCCXIII MMDCCCXL MMMMCCCXXIII DXXXIV CVI MMMMDCLXXX DCCCVII MMCMLXIIII MMMDCCCXXXIII DCCC MDIII MMCCCLXVI MMMCCCCLXXI MMDCCCCXVIII CCXXXVII CCCXXV MDCCCXII MMMCMV MMMMCMXV MMMMDCXCI DXXI MMCCXLVIIII MMMMCMLII MDLXXX MMDCLXVI CXXI MMMDCCCLIIII MMMCXXI MCCIII MMDCXXXXI CCXCII MMMMDXXXV MMMCCCLXV MMMMDLXV MMMCCCCXXXII MMMCCCVIII DCCCCLXXXXII MMCLXIV MMMMCXI MLXXXXVII MMMCDXXXVIII MDXXII MLV MMMMDLXVI MMMCXII XXXIII MMMMDCCCXXVI MMMLXVIIII MMMLX MMMCDLXVII MDCCCLVII MMCXXXVII MDCCCCXXX MMDCCCLXIII MMMMDCXLIX MMMMCMXLVIII DCCCLXXVIIII MDCCCLIII MMMCMLXI MMMMCCLXI MMDCCCLIII MMMDCCCVI MMDXXXXIX MMCLXXXXV MMDXXX MMMXIII DCLXXIX DCCLXII MMMMDCCLXVIII MDCCXXXXIII CCXXXII MMMMDCXXV MMMCCCXXVIII MDCVIII MMMCLXXXXIIII CLXXXI MDCCCCXXXIII MMMMDCXXX MMMDCXXIV MMMCCXXXVII MCCCXXXXIIII CXVIII MMDCCCCIV MMMMCDLXXV MMMDLXIV MDXCIII MCCLXXXI MMMDCCCXXIV MCXLIII MMMDCCCI MCCLXXX CCXV MMDCCLXXI MMDLXXXIII MMMMDCXVII MMMCMLXV MCLXVIII MMMMCCLXXVI MMMDCCLXVIIII MMMMDCCCIX DLXXXXIX DCCCXXII MMMMIII MMMMCCCLXXVI DCCCXCIII DXXXI MXXXIIII CCXII MMMDCCLXXXIIII MMMCXX MMMCMXXVII DCCCXXXX MMCDXXXVIIII MMMMDCCXVIII LV MMMDCCCCVI MCCCII MMCMLXVIIII MDCCXI MMMMDLXVII MMCCCCLXI MMDCCV MMMCCCXXXIIII MMMMDI MMMDCCCXCV MMDCCLXXXXI MMMDXXVI MMMDCCCLVI MMDCXXX MCCCVII MMMMCCCLXII MMMMXXV MMCMXXV MMLVI MMDXXX MMMMCVII MDC MCCIII MMMMDCC MMCCLXXV MMDCCCXXXXVI MMMMCCCLXV CDXIIII MLXIIII CCV MMMCMXXXI CCCCLXVI MDXXXII MMMMCCCLVIII MMV MMMCLII MCMLI MMDCCXX MMMMCCCCXXXVI MCCLXXXI MMMCMVI DCCXXX MMMMCCCLXV DCCCXI MMMMDCCCXIV CCCXXI MMDLXXV CCCCLXXXX MCCCLXXXXII MMDCIX DCCXLIIII DXIV MMMMCLII CDLXI MMMCXXVII MMMMDCCCCLXIII MMMDCLIIII MCCCCXXXXII MMCCCLX CCCCLIII MDCCLXXVI MCMXXIII MMMMDLXXVIII MMDCCCCLX MMMCCCLXXXX MMMCDXXVI MMMDLVIII CCCLXI MMMMDCXXII MMDCCCXXI MMDCCXIII MMMMCLXXXVI MDCCCCXXVI MDV MMDCCCCLXXVI MMMMCCXXXVII MMMDCCLXXVIIII MMMCCCCLXVII DCCXLI MMCLXXXVIII MCCXXXVI MMDCXLVIII MMMMCXXXII MMMMDCCLXVI MMMMCMLI MMMMCLXV MMMMDCCCXCIV MCCLXXVII LXXVIIII DCCLII MMMCCCXCVI MMMCLV MMDCCCXXXXVIII DCCCXV MXC MMDCCLXXXXVII MMMMCML MMDCCCLXXVIII DXXI MCCCXLI DCLXXXXI MMCCCLXXXXVIII MDCCCCLXXVIII MMMMDXXV MMMDCXXXVI MMMCMXCVII MMXVIIII MMMDCCLXXIV MMMCXXV DXXXVIII MMMMCLXVI MDXII MMCCCLXX CCLXXI DXIV MMMCLIII DLII MMMCCCXLIX MMCCCCXXVI MMDCXLIII MXXXXII CCCLXXXV MDCLXXVI MDCXII MMMCCCLXXXIII MMDCCCCLXXXII MMMMCCCLXXXV MMDCXXI DCCCXXX MMMDCCCCLII MMMDCCXXII MMMMCDXCVIII MMMCCLXVIIII MMXXV MMMMCDXIX MMMMCCCX MMMCCCCLXVI MMMMDCLXXVIIII MMMMDCXXXXIV MMMCMXII MMMMXXXIII MMMMDLXXXII DCCCLIV MDXVIIII MMMCLXXXXV CCCCXX MMDIX MMCMLXXXVIII DCCXLIII DCCLX D MCCCVII MMMMCCCLXXXIII MDCCCLXXIIII MMMDCCCCLXXXVII MMMMCCCVII MMMDCCLXXXXVI CDXXXIV MCCLXVIII MMMMDLX MMMMDXII MMMMCCCCLIIII MCMLXXXXIII MMMMDCCCIII MMDCLXXXIII MDCCCXXXXIV XXXXVII MMMDCCCXXXII MMMDCCCXLII MCXXXV MDCXXVIIII MMMCXXXXIIII MMMMCDXVII MMMDXXIII MMMMCCCCLXI DCLXXXXVIIII LXXXXI CXXXIII MCDX MCCLVII MDCXXXXII MMMCXXIV MMMMLXXXX MMDCCCCXLV MLXXX MMDCCCCLX MCDLIII MMMCCCLXVII MMMMCCCLXXIV MMMDCVIII DCCCCXXIII MMXCI MMDCCIV MMMMDCCCXXXIV CCCLXXI MCCLXXXII MCMIII CCXXXI DCCXXXVIII MMMMDCCXLVIIII MMMMCMXXXV DCCCLXXV DCCXCI MMMMDVII MMMMDCCCLXVIIII CCCXCV MMMMDCCXX MCCCCII MMMCCCXC MMMCCCII MMDCCLXXVII MMDCLIIII CCXLIII MMMDCXVIII MMMCCCIX MCXV MMCCXXV MLXXIIII MDCCXXVI MMMCCCXX MMDLXX MMCCCCVI MMDCCXX MMMMDCCCCXCV MDCCCXXXII MMMMDCCCCXXXX XCIV MMCCCCLX MMXVII MLXXI MMMDXXVIII MDCCCCII MMMCMLVII MMCLXXXXVIII MDCCCCLV MCCCCLXXIIII MCCCLII MCDXLVI MMMMDXVIII DCCLXXXIX MMMDCCLXIV MDCCCCXLIII CLXXXXV MMMMCCXXXVI MMMDCCCXXI MMMMCDLXXVII MCDLIII MMCCXLVI DCCCLV MCDLXX DCLXXVIII MMDCXXXIX MMMMDCLX MMDCCLI MMCXXXV MMMCCXII MMMMCMLXII MMMMCCV MCCCCLXIX MMMMCCIII CLXVII MCCCLXXXXIIII MMMMDCVIII MMDCCCLXI MMLXXIX CMLXIX MMDCCCXLVIIII DCLXII MMMCCCXLVII MDCCCXXXV MMMMDCCXCVI DCXXX XXVI MMLXIX MMCXI DCXXXVII MMMMCCCXXXXVIII MMMMDCLXI MMMMDCLXXIIII MMMMVIII MMMMDCCCLXII MDCXCI MMCCCXXIIII CCCCXXXXV MMDCCCXXI MCVI MMDCCLXVIII MMMMCXL MLXVIII CMXXVII CCCLV MDCCLXXXIX MMMCCCCLXV MMDCCLXII MDLXVI MMMCCCXVIII MMMMCCLXXXI MMCXXVII MMDCCCLXVIII MMMCXCII MMMMDCLVIII MMMMDCCCXXXXII MMDCCCCLXXXXVI MDCCXL MDCCLVII MMMMDCCCLXXXVI DCCXXXIII MMMMDCCCCLXXXV MMCCXXXXVIII MMMCCLXXVIII MMMDCLXXVIII DCCCI MMMMLXXXXVIIII MMMCCCCLXXII MMCLXXXVII CCLXVI MCDXLIII MMCXXVIII MDXIV CCCXCVIII CLXXVIII MMCXXXXVIIII MMMDCLXXXIV CMLVIII MCDLIX MMMMDCCCXXXII MMMMDCXXXIIII MDCXXI MMMDCXLV MCLXXVIII MCDXXII IV MCDLXXXXIII MMMMDCCLXV CCLI MMMMDCCCXXXVIII DCLXII MCCCLXVII MMMMDCCCXXXVI MMDCCXLI MLXI MMMCDLXVIII MCCCCXCIII XXXIII MMMDCLXIII MMMMDCL DCCCXXXXIIII MMDLVII DXXXVII MCCCCXXIIII MCVII MMMMDCCXL MMMMCXXXXIIII MCCCCXXIV MMCLXVIII MMXCIII MDCCLXXX MCCCLIIII MMDCLXXI MXI MCMLIV MMMCCIIII DCCLXXXVIIII MDCLIV MMMDCXIX CMLXXXI DCCLXXXVII XXV MMMXXXVI MDVIIII CLXIII MMMCDLVIIII MMCCCCVII MMMLXX MXXXXII MMMMCCCLXVIII MMDCCCXXVIII MMMMDCXXXXI MMMMDCCCXXXXV MMMXV MMMMCCXVIIII MMDCCXIIII MMMXXVII MDCCLVIIII MMCXXIIII MCCCLXXIV DCLVIII MMMLVII MMMCXLV MMXCVII MMMCCCLXXXVII MMMMCCXXII DXII MMMDLV MCCCLXXVIII MMMCLIIII MMMMCLXXXX MMMCLXXXIIII MDCXXIII MMMMCCXVI MMMMDLXXXIII MMMDXXXXIII MMMMCCCCLV MMMDLXXXI MMMCCLXXVI MMMMXX MMMMDLVI MCCCCLXXX MMMXXII MMXXII MMDCCCCXXXI MMMDXXV MMMDCLXXXVIIII MMMDLXXXXVII MDLXIIII CMXC MMMXXXVIII MDLXXXVIII MCCCLXXVI MMCDLIX MMDCCCXVIII MDCCCXXXXVI MMMMCMIV MMMMDCIIII MMCCXXXV XXXXVI MMMMCCXVII MMCCXXIV MCMLVIIII MLXXXIX MMMMLXXXIX CLXXXXIX MMMDCCCCLVIII MMMMCCLXXIII MCCCC DCCCLIX MMMCCCLXXXII MMMCCLXVIIII MCLXXXV CDLXXXVII DCVI MMX MMCCXIII MMMMDCXX MMMMXXVIII DCCCLXII MMMMCCCXLIII MMMMCLXV DXCI MMMMCLXXX MMMDCCXXXXI MMMMXXXXVI DCLX MMMCCCXI MCCLXXX MMCDLXXII DCCLXXI MMMCCCXXXVI MCCCCLXXXVIIII CDLVIII DCCLVI MMMMDCXXXVIII MMCCCLXXXIII MMMMDCCLXXV MMMXXXVI CCCLXXXXIX CV CCCCXIII CCCCXVI MDCCCLXXXIIII MMDCCLXXXII MMMMCCCCLXXXI MXXV MMCCCLXXVIIII MMMCCXII MMMMCCXXXIII MMCCCLXXXVI MMMDCCCLVIIII MCCXXXVII MDCLXXV XXXV MMDLI MMMCCXXX MMMMCXXXXV CCCCLIX MMMMDCCCLXXIII MMCCCXVII DCCCXVI MMMCCCXXXXV MDCCCCXCV CLXXXI MMMMDCCLXX MMMDCCCIII MMCLXXVII MMMDCCXXIX MMDCCCXCIIII MMMCDXXIIII MMMMXXVIII MMMMDCCCCLXVIII MDCCCXX MMMMCDXXI MMMMDLXXXIX CCXVI MDVIII MMCCLXXI MMMDCCCLXXI MMMCCCLXXVI MMCCLXI MMMMDCCCXXXIV DLXXXVI MMMMDXXXII MMMXXIIII MMMMCDIV MMMMCCCXLVIII MMMMCXXXVIII MMMCCCLXVI MDCCXVIII MMCXX CCCLIX MMMMDCCLXXII MDCCCLXXV MMMMDCCCXXIV DCCCXXXXVIII MMMDCCCCXXXVIIII MMMMCCXXXV MDCLXXXIII MMCCLXXXIV MCLXXXXIIII DXXXXIII MCCCXXXXVIII MMCLXXIX MMMMCCLXIV MXXII MMMCXIX MDCXXXVII MMDCCVI MCLXXXXVIII MMMCXVI MCCCLX MMMCDX CCLXVIIII MMMCCLX MCXXVIII LXXXII MCCCCLXXXI MMMI MMMCCCLXIV MMMCCCXXVIIII CXXXVIII MMCCCXX MMMCCXXVIIII MCCLXVI MMMCCCCXXXXVI MMDCCXCIX MCMLXXI MMCCLXVIII CDLXXXXIII MMMMDCCXXII MMMMDCCLXXXVII MMMDCCLIV MMCCLXIII MDXXXVII DCCXXXIIII MCII MMMDCCCLXXI MMMLXXIII MDCCCLIII MMXXXVIII MDCCXVIIII MDCCCCXXXVII MMCCCXVI MCMXXII MMMCCCLVIII MMMMDCCCXX MCXXIII MMMDLXI MMMMDXXII MDCCCX MMDXCVIIII MMMDCCCCVIII MMMMDCCCCXXXXVI MMDCCCXXXV MMCXCIV MCMLXXXXIII MMMCCCLXXVI MMMMDCLXXXV CMLXIX DCXCII MMXXVIII MMMMCCCXXX XXXXVIIII
MMMMDCLXXII MMDCCCLXXXIII MMMDLXVIIII MMMMDXCV DCCCLXXII MMCCCVI MMMCDLXXXVII MMMMCCXXI MMMCCXX MMMMDCCCLXXIII MMMCCXXXVII MMCCCLXXXXIX MDCCCXXIIII MMCXCVI CCXCVIII MMMCCCXXXII MDCCXXX MMMDCCCL MMMMCCLXXXVI MMDCCCXCVI MMMDCII MMMCCXII MMMMDCCCCI MMDCCCXCII MDCXX CMLXXXVII MMMXXI MMMMCCCXIV MLXXII MCCLXXVIIII MMMMCCXXXXI MMDCCCLXXII MMMMXXXI MMMDCCLXXX MMDCCCLXXIX MMMMLXXXV MCXXI MDCCCXXXVII MMCCCLXVII MCDXXXV CCXXXIII CMXX MMMCLXIV MCCCLXXXVI DCCCXCVIII MMMDCCCCXXXIV CDXVIIII MMCCXXXV MDCCCXXXII MMMMD MMDCCLXIX MMMMCCCLXXXXVI MMDCCXLII MMMDCCCVIIII DCCLXXXIIII MDCCCCXXXII MMCXXVII DCCCXXX CCLXIX MMMXI MMMMCMLXXXXVIII MMMMDLXXXVII MMMMDCCCLX MMCCLIV CMIX MMDCCCLXXXIIII CLXXXII MMCCCCXXXXV MMMMDLXXXVIIII MMMDCCCXXI MMDCCCCLXXVI MCCCCLXX MMCDLVIIII MMMDCCCLIX MMMMCCCCXIX MMMDCCCLXXV XXXI CDLXXXIII MMMCXV MMDCCLXIII MMDXXX MMMMCCCLVII MMMDCI MMMMCDLXXXIIII MMMMCCCXVI CCCLXXXVIII MMMMCML MMMMXXIV MMMCCCCXXX DCCX MMMCCLX MMDXXXIII CCCLXIII MMDCCXIII MMMCCCXLIV CLXXXXI CXVI MMMMCXXXIII CLXX DCCCXVIII MLXVII DLXXXX MMDXXI MMMMDLXXXXVIII MXXII LXI DCCCCXLIII MMMMDV MMMMXXXIV MDCCCLVIII MMMCCLXXII MMMMDCCXXXVI MMMMLXXXIX MDCCCLXXXI MMMMDCCCXV MMMMCCCCXI MMMMCCCLIII MDCCCLXXI MMCCCCXI MLXV MMCDLXII MMMMDXXXXII MMMMDCCCXL MMMMCMLVI CCLXXXIV MMMDCCLXXXVI MMCLII MMMCCCCXV MMLXXXIII MMMV MMMV DCCLXII MMDCCCCXVI MMDCXLVIII CCLIIII CCCXXV MMDCCLXXXVIIII MMMMDCLXXVIII MMMMDCCCXCI MMMMCCCXX MMCCXLV MMMDCCCLXIX MMCCLXIIII MMMDCCCXLIX MMMMCCCLXIX CMLXXXXI MCMLXXXIX MMCDLXI MMDCLXXVIII MMMMDCCLXI MCDXXV DL CCCLXXII MXVIIII MCCCCLXVIII CIII MMMDCCLXXIIII MMMDVIII MMMMCCCLXXXXVII MMDXXVII MMDCCLXXXXV MMMMCXLVI MMMDCCLXXXII MMMDXXXVI MCXXII CLI DCLXXXIX MMMCLI MDCLXIII MMMMDCCXCVII MMCCCLXXXV MMMDCXXVIII MMMCDLX MMMCMLII MMMIV MMMMDCCCLVIII MMMDLXXXVIII MCXXIV MMMMLXXVI CLXXIX MMMCCCCXXVIIII DCCLXXXV MMMDCCCVI LI CLXXXVI MMMMCCCLXXVI MCCCLXVI CCXXXIX MMDXXXXI MMDCCCXLI DCCCLXXXVIII MMMMDCCCIV MDCCCCXV MMCMVI MMMMCMLXXXXV MMDCCLVI MMMMCCXLVIII DCCCCIIII MMCCCCIII MMMDCCLXXXVIIII MDCCCLXXXXV DVII MMMV DCXXV MMDCCCXCV DCVIII MMCDLXVI MCXXVIII MDCCXCVIII MMDCLX MMMDCCLXIV MMCDLXXVII MMDLXXXIIII MMMMCCCXXII MMMDCCCXLIIII DCCCCLXVII MMMCLXXXXIII MCCXV MMMMDCXI MMMMDCLXXXXV MMMCCCLII MMCMIX MMDCCXXV MMDLXXXVI MMMMDCXXVIIII DCCCCXXXVIIII MMCCXXXIIII MMDCCLXXVIII MDCCLXVIIII MMCCLXXXV MMMMDCCCLXXXVIII MMCMXCI MDXLII MMMMDCCXIV MMMMLI DXXXXIII MMDCCXI MMMMCCLXXXIII MMMDCCCLXXIII MDCLVII MMCD MCCCXXVII MMMMDCCIIII MMMDCCXLVI MMMCLXXXVII MMMCCVIIII MCCCCLXXIX DL DCCCLXXVI MMDXCI MMMMDCCCCXXXVI MMCII MMMDCCCXXXXV MMMCDXLV MMDCXXXXIV MMD MDCCCLXXXX MMDCXLIII MMCCXXXII MMDCXXXXVIIII DCCCLXXI MDXCVIIII MMMMCCLXXVIII MDCLVIIII MMMCCCLXXXIX MDCLXXXV MDLVIII MMMMCCVII MMMMDCXIV MMMCCCLXIIII MMIIII MMMMCCCLXXIII CCIII MMMCCLV MMMDXIII MMMCCCXC MMMDCCCXXI MMMMCCCCXXXII CCCLVI MMMCCCLXXXVI MXVIIII MMMCCCCXIIII CLXVII MMMCCLXX CCCCLXIV MMXXXXII MMMMCCLXXXX MXL CCXVI CCCCLVIIII MMCCCII MCCCLVIII MMMMCCCX MCDLXXXXIV MDCCCXIII MMDCCCXL MMMMCCCXXIII DXXXIV CVI MMMMDCLXXX DCCCVII MMCMLXIIII MMMDCCCXXXIII DCCC MDIII MMCCCLXVI MMMCCCCLXXI MMDCCCCXVIII CCXXXVII CCCXXV MDCCCXII MMMCMV MMMMCMXV MMMMDCXCI DXXI MMCCXLVIIII MMMMCMLII MDLXXX MMDCLXVI CXXI MMMDCCCLIIII MMMCXXI MCCIII MMDCXXXXI CCXCII MMMMDXXXV MMMCCCLXV MMMMDLXV MMMCCCCXXXII MMMCCCVIII DCCCCLXXXXII MMCLXIV MMMMCXI MLXXXXVII MMMCDXXXVIII MDXXII MLV MMMMDLXVI MMMCXII XXXIII MMMMDCCCXXVI MMMLXVIIII MMMLX MMMCDLXVII MDCCCLVII MMCXXXVII MDCCCCXXX MMDCCCLXIII MMMMDCXLIX MMMMCMXLVIII DCCCLXXVIIII MDCCCLIII MMMCMLXI MMMMCCLXI MMDCCCLIII MMMDCCCVI MMDXXXXIX MMCLXXXXV MMDXXX MMMXIII DCLXXIX DCCLXII MMMMDCCLXVIII MDCCXXXXIII CCXXXII MMMMDCXXV MMMCCCXXVIII MDCVIII MMMCLXXXXIIII CLXXXI MDCCCCXXXIII MMMMDCXXX MMMDCXXIV MMMCCXXXVII MCCCXXXXIIII CXVIII MMDCCCCIV MMMMCDLXXV MMMDLXIV MDXCIII MCCLXXXI MMMDCCCXXIV MCXLIII MMMDCCCI MCCLXXX CCXV MMDCCLXXI MMDLXXXIII MMMMDCXVII MMMCMLXV MCLXVIII MMMMCCLXXVI MMMDCCLXVIIII MMMMDCCCIX DLXXXXIX DCCCXXII MMMMIII MMMMCCCLXXVI DCCCXCIII DXXXI MXXXIIII CCXII MMMDCCLXXXIIII MMMCXX MMMCMXXVII DCCCXXXX MMCDXXXVIIII MMMMDCCXVIII LV MMMDCCCCVI MCCCII MMCMLXVIIII MDCCXI MMMMDLXVII MMCCCCLXI MMDCCV MMMCCCXXXIIII MMMMDI MMMDCCCXCV MMDCCLXXXXI MMMDXXVI MMMDCCCLVI MMDCXXX MCCCVII MMMMCCCLXII MMMMXXV MMCMXXV MMLVI MMDXXX MMMMCVII MDC MCCIII MMMMDCC MMCCLXXV MMDCCCXXXXVI MMMMCCCLXV CDXIIII MLXIIII CCV MMMCMXXXI CCCCLXVI MDXXXII MMMMCCCLVIII MMV MMMCLII MCMLI MMDCCXX MMMMCCCCXXXVI MCCLXXXI MMMCMVI DCCXXX MMMMCCCLXV DCCCXI MMMMDCCCXIV CCCXXI MMDLXXV CCCCLXXXX MCCCLXXXXII MMDCIX DCCXLIIII DXIV MMMMCLII CDLXI MMMCXXVII MMMMDCCCCLXIII MMMDCLIIII MCCCCXXXXII MMCCCLX CCCCLIII MDCCLXXVI MCMXXIII MMMMDLXXVIII MMDCCCCLX MMMCCCLXXXX MMMCDXXVI MMMDLVIII CCCLXI MMMMDCXXII MMDCCCXXI MMDCCXIII MMMMCLXXXVI MDCCCCXXVI MDV MMDCCCCLXXVI MMMMCCXXXVII MMMDCCLXXVIIII MMMCCCCLXVII DCCXLI MMCLXXXVIII MCCXXXVI MMDCXLVIII MMMMCXXXII MMMMDCCLXVI MMMMCMLI MMMMCLXV MMMMDCCCXCIV MCCLXXVII LXXVIIII DCCLII MMMCCCXCVI MMMCLV MMDCCCXXXXVIII DCCCXV MXC MMDCCLXXXXVII MMMMCML MMDCCCLXXVIII DXXI MCCCXLI DCLXXXXI MMCCCLXXXXVIII MDCCCCLXXVIII MMMMDXXV MMMDCXXXVI MMMCMXCVII MMXVIIII MMMDCCLXXIV MMMCXXV DXXXVIII MMMMCLXVI MDXII MMCCCLXX CCLXXI DXIV MMMCLIII DLII MMMCCCXLIX MMCCCCXXVI MMDCXLIII MXXXXII CCCLXXXV MDCLXXVI MDCXII MMMCCCLXXXIII MMDCCCCLXXXII MMMMCCCLXXXV MMDCXXI DCCCXXX MMMDCCCCLII MMMDCCXXII MMMMCDXCVIII MMMCCLXVIIII MMXXV MMMMCDXIX MMMMCCCX MMMCCCCLXVI MMMMDCLXXVIIII MMMMDCXXXXIV MMMCMXII MMMMXXXIII MMMMDLXXXII DCCCLIV MDXVIIII MMMCLXXXXV CCCCXX MMDIX MMCMLXXXVIII DCCXLIII DCCLX D MCCCVII MMMMCCCLXXXIII MDCCCLXXIIII MMMDCCCCLXXXVII MMMMCCCVII MMMDCCLXXXXVI CDXXXIV MCCLXVIII MMMMDLX MMMMDXII MMMMCCCCLIIII MCMLXXXXIII MMMMDCCCIII MMDCLXXXIII MDCCCXXXXIV XXXXVII MMMDCCCXXXII MMMDCCCXLII MCXXXV MDCXXVIIII MMMCXXXXIIII MMMMCDXVII MMMDXXIII MMMMCCCCLXI DCLXXXXVIIII LXXXXI CXXXIII MCDX MCCLVII MDCXXXXII MMMCXXIV MMMMLXXXX MMDCCCCXLV MLXXX MMDCCCCLX MCDLIII MMMCCCLXVII MMMMCCCLXXIV MMMDCVIII DCCCCXXIII MMXCI MMDCCIV MMMMDCCCXXXIV CCCLXXI MCCLXXXII MCMIII CCXXXI DCCXXXVIII MMMMDCCXLVIIII MMMMCMXXXV DCCCLXXV DCCXCI MMMMDVII MMMMDCCCLXVIIII CCCXCV MMMMDCCXX MCCCCII MMMCCCXC MMMCCCII MMDCCLXXVII MMDCLIIII CCXLIII MMMDCXVIII MMMCCCIX MCXV MMCCXXV MLXXIIII MDCCXXVI MMMCCCXX MMDLXX MMCCCCVI MMDCCXX MMMMDCCCCXCV MDCCCXXXII MMMMDCCCCXXXX XCIV MMCCCCLX MMXVII MLXXI MMMDXXVIII MDCCCCII MMMCMLVII MMCLXXXXVIII MDCCCCLV MCCCCLXXIIII MCCCLII MCDXLVI MMMMDXVIII DCCLXXXIX MMMDCCLXIV MDCCCCXLIII CLXXXXV MMMMCCXXXVI MMMDCCCXXI MMMMCDLXXVII MCDLIII MMCCXLVI DCCCLV MCDLXX DCLXXVIII MMDCXXXIX MMMMDCLX MMDCCLI MMCXXXV MMMCCXII MMMMCMLXII MMMMCCV MCCCCLXIX MMMMCCIII CLXVII MCCCLXXXXIIII MMMMDCVIII MMDCCCLXI MMLXXIX CMLXIX MMDCCCXLVIIII DCLXII MMMCCCXLVII MDCCCXXXV MMMMDCCXCVI DCXXX XXVI MMLXIX MMCXI DCXXXVII MMMMCCCXXXXVIII MMMMDCLXI MMMMDCLXXIIII MMMMVIII MMMMDCCCLXII MDCXCI MMCCCXXIIII CCCCXXXXV MMDCCCXXI MCVI MMDCCLXVIII MMMMCXL MLXVIII CMXXVII CCCLV MDCCLXXXIX MMMCCCCLXV MMDCCLXII MDLXVI MMMCCCXVIII MMMMCCLXXXI MMCXXVII MMDCCCLXVIII MMMCXCII MMMMDCLVIII MMMMDCCCXXXXII MMDCCCCLXXXXVI MDCCXL MDCCLVII MMMMDCCCLXXXVI DCCXXXIII MMMMDCCCCLXXXV MMCCXXXXVIII MMMCCLXXVIII MMMDCLXXVIII DCCCI MMMMLXXXXVIIII MMMCCCCLXXII MMCLXXXVII CCLXVI MCDXLIII MMCXXVIII MDXIV CCCXCVIII CLXXVIII MMCXXXXVIIII MMMDCLXXXIV CMLVIII MCDLIX MMMMDCCCXXXII MMMMDCXXXIIII MDCXXI MMMDCXLV MCLXXVIII MCDXXII IV MCDLXXXXIII MMMMDCCLXV CCLI MMMMDCCCXXXVIII DCLXII MCCCLXVII MMMMDCCCXXXVI MMDCCXLI MLXI MMMCDLXVIII MCCCCXCIII XXXIII MMMDCLXIII MMMMDCL DCCCXXXXIIII MMDLVII DXXXVII MCCCCXXIIII MCVII MMMMDCCXL MMMMCXXXXIIII MCCCCXXIV MMCLXVIII MMXCIII MDCCLXXX MCCCLIIII MMDCLXXI MXI MCMLIV MMMCCIIII DCCLXXXVIIII MDCLIV MMMDCXIX CMLXXXI DCCLXXXVII XXV MMMXXXVI MDVIIII CLXIII MMMCDLVIIII MMCCCCVII MMMLXX MXXXXII MMMMCCCLXVIII MMDCCCXXVIII MMMMDCXXXXI MMMMDCCCXXXXV MMMXV MMMMCCXVIIII MMDCCXIIII MMMXXVII MDCCLVIIII MMCXXIIII MCCCLXXIV DCLVIII MMMLVII MMMCXLV MMXCVII MMMCCCLXXXVII MMMMCCXXII DXII MMMDLV MCCCLXXVIII MMMCLIIII MMMMCLXXXX MMMCLXXXIIII MDCXXIII MMMMCCXVI MMMMDLXXXIII MMMDXXXXIII MMMMCCCCLV MMMDLXXXI MMMCCLXXVI MMMMXX MMMMDLVI MCCCCLXXX MMMXXII MMXXII MMDCCCCXXXI MMMDXXV MMMDCLXXXVIIII MMMDLXXXXVII MDLXIIII CMXC MMMXXXVIII MDLXXXVIII MCCCLXXVI MMCDLIX MMDCCCXVIII MDCCCXXXXVI MMMMCMIV MMMMDCIIII MMCCXXXV XXXXVI MMMMCCXVII MMCCXXIV MCMLVIIII MLXXXIX MMMMLXXXIX CLXXXXIX MMMDCCCCLVIII MMMMCCLXXIII MCCCC DCCCLIX MMMCCCLXXXII MMMCCLXVIIII MCLXXXV CDLXXXVII DCVI MMX MMCCXIII MMMMDCXX MMMMXXVIII DCCCLXII MMMMCCCXLIII MMMMCLXV DXCI MMMMCLXXX MMMDCCXXXXI MMMMXXXXVI DCLX MMMCCCXI MCCLXXX MMCDLXXII DCCLXXI MMMCCCXXXVI MCCCCLXXXVIIII CDLVIII DCCLVI MMMMDCXXXVIII MMCCCLXXXIII MMMMDCCLXXV MMMXXXVI CCCLXXXXIX CV CCCCXIII CCCCXVI MDCCCLXXXIIII MMDCCLXXXII MMMMCCCCLXXXI MXXV MMCCCLXXVIIII MMMCCXII MMMMCCXXXIII MMCCCLXXXVI MMMDCCCLVIIII MCCXXXVII MDCLXXV XXXV MMDLI MMMCCXXX MMMMCXXXXV CCCCLIX MMMMDCCCLXXIII MMCCCXVII DCCCXVI MMMCCCXXXXV MDCCCCXCV CLXXXI MMMMDCCLXX MMMDCCCIII MMCLXXVII MMMDCCXXIX MMDCCCXCIIII MMMCDXXIIII MMMMXXVIII MMMMDCCCCLXVIII MDCCCXX MMMMCDXXI MMMMDLXXXIX CCXVI MDVIII MMCCLXXI MMMDCCCLXXI MMMCCCLXXVI MMCCLXI MMMMDCCCXXXIV DLXXXVI MMMMDXXXII MMMXXIIII MMMMCDIV MMMMCCCXLVIII MMMMCXXXVIII MMMCCCLXVI MDCCXVIII MMCXX CCCLIX MMMMDCCLXXII MDCCCLXXV MMMMDCCCXXIV DCCCXXXXVIII MMMDCCCCXXXVIIII MMMMCCXXXV MDCLXXXIII MMCCLXXXIV MCLXXXXIIII DXXXXIII MCCCXXXXVIII MMCLXXIX MMMMCCLXIV MXXII MMMCXIX MDCXXXVII MMDCCVI MCLXXXXVIII MMMCXVI MCCCLX MMMCDX CCLXVIIII MMMCCLX MCXXVIII LXXXII MCCCCLXXXI MMMI MMMCCCLXIV MMMCCCXXVIIII CXXXVIII MMCCCXX MMMCCXXVIIII MCCLXVI MMMCCCCXXXXVI MMDCCXCIX MCMLXXI MMCCLXVIII CDLXXXXIII MMMMDCCXXII MMMMDCCLXXXVII MMMDCCLIV MMCCLXIII MDXXXVII DCCXXXIIII MCII MMMDCCCLXXI MMMLXXIII MDCCCLIII MMXXXVIII MDCCXVIIII MDCCCCXXXVII MMCCCXVI MCMXXII MMMCCCLVIII MMMMDCCCXX MCXXIII MMMDLXI MMMMDXXII MDCCCX MMDXCVIIII MMMDCCCCVIII MMMMDCCCCXXXXVI MMDCCCXXXV MMCXCIV MCMLXXXXIII MMMCCCLXXVI MMMMDCLXXXV CMLXIX DCXCII MMXXVIII MMMMCCCXXX XXXXVIIII
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" This is a Python implementation for questions involving task assignments between people. Here Bitmasking and DP are used for solving this. Question :- We have N tasks and M people. Each person in M can do only certain of these tasks. Also a person can do only one task and a task is performed only by one person. Find the total no of ways in which the tasks can be distributed. """ from collections import defaultdict class AssignmentUsingBitmask: def __init__(self, task_performed, total): self.total_tasks = total # total no of tasks (N) # DP table will have a dimension of (2^M)*N # initially all values are set to -1 self.dp = [ [-1 for i in range(total + 1)] for j in range(2 ** len(task_performed)) ] self.task = defaultdict(list) # stores the list of persons for each task # final_mask is used to check if all persons are included by setting all bits # to 1 self.final_mask = (1 << len(task_performed)) - 1 def CountWaysUtil(self, mask, task_no): # if mask == self.finalmask all persons are distributed tasks, return 1 if mask == self.final_mask: return 1 # if not everyone gets the task and no more tasks are available, return 0 if task_no > self.total_tasks: return 0 # if case already considered if self.dp[mask][task_no] != -1: return self.dp[mask][task_no] # Number of ways when we don't this task in the arrangement total_ways_util = self.CountWaysUtil(mask, task_no + 1) # now assign the tasks one by one to all possible persons and recursively # assign for the remaining tasks. if task_no in self.task: for p in self.task[task_no]: # if p is already given a task if mask & (1 << p): continue # assign this task to p and change the mask value. And recursively # assign tasks with the new mask value. total_ways_util += self.CountWaysUtil(mask | (1 << p), task_no + 1) # save the value. self.dp[mask][task_no] = total_ways_util return self.dp[mask][task_no] def countNoOfWays(self, task_performed): # Store the list of persons for each task for i in range(len(task_performed)): for j in task_performed[i]: self.task[j].append(i) # call the function to fill the DP table, final answer is stored in dp[0][1] return self.CountWaysUtil(0, 1) if __name__ == "__main__": total_tasks = 5 # total no of tasks (the value of N) # the list of tasks that can be done by M persons. task_performed = [[1, 3, 4], [1, 2, 5], [3, 4]] print( AssignmentUsingBitmask(task_performed, total_tasks).countNoOfWays( task_performed ) ) """ For the particular example the tasks can be distributed as (1,2,3), (1,2,4), (1,5,3), (1,5,4), (3,1,4), (3,2,4), (3,5,4), (4,1,3), (4,2,3), (4,5,3) total 10 """
""" This is a Python implementation for questions involving task assignments between people. Here Bitmasking and DP are used for solving this. Question :- We have N tasks and M people. Each person in M can do only certain of these tasks. Also a person can do only one task and a task is performed only by one person. Find the total no of ways in which the tasks can be distributed. """ from collections import defaultdict class AssignmentUsingBitmask: def __init__(self, task_performed, total): self.total_tasks = total # total no of tasks (N) # DP table will have a dimension of (2^M)*N # initially all values are set to -1 self.dp = [ [-1 for i in range(total + 1)] for j in range(2 ** len(task_performed)) ] self.task = defaultdict(list) # stores the list of persons for each task # final_mask is used to check if all persons are included by setting all bits # to 1 self.final_mask = (1 << len(task_performed)) - 1 def CountWaysUtil(self, mask, task_no): # if mask == self.finalmask all persons are distributed tasks, return 1 if mask == self.final_mask: return 1 # if not everyone gets the task and no more tasks are available, return 0 if task_no > self.total_tasks: return 0 # if case already considered if self.dp[mask][task_no] != -1: return self.dp[mask][task_no] # Number of ways when we don't this task in the arrangement total_ways_util = self.CountWaysUtil(mask, task_no + 1) # now assign the tasks one by one to all possible persons and recursively # assign for the remaining tasks. if task_no in self.task: for p in self.task[task_no]: # if p is already given a task if mask & (1 << p): continue # assign this task to p and change the mask value. And recursively # assign tasks with the new mask value. total_ways_util += self.CountWaysUtil(mask | (1 << p), task_no + 1) # save the value. self.dp[mask][task_no] = total_ways_util return self.dp[mask][task_no] def countNoOfWays(self, task_performed): # Store the list of persons for each task for i in range(len(task_performed)): for j in task_performed[i]: self.task[j].append(i) # call the function to fill the DP table, final answer is stored in dp[0][1] return self.CountWaysUtil(0, 1) if __name__ == "__main__": total_tasks = 5 # total no of tasks (the value of N) # the list of tasks that can be done by M persons. task_performed = [[1, 3, 4], [1, 2, 5], [3, 4]] print( AssignmentUsingBitmask(task_performed, total_tasks).countNoOfWays( task_performed ) ) """ For the particular example the tasks can be distributed as (1,2,3), (1,2,4), (1,5,3), (1,5,4), (3,1,4), (3,2,4), (3,5,4), (4,1,3), (4,2,3), (4,5,3) total 10 """
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem 20: https://projecteuler.net/problem=20 n! means n × (n − 1) × ... × 3 × 2 × 1 For example, 10! = 10 × 9 × ... × 3 × 2 × 1 = 3628800, and the sum of the digits in the number 10! is 3 + 6 + 2 + 8 + 8 + 0 + 0 = 27. Find the sum of the digits in the number 100! """ def factorial(num: int) -> int: """Find the factorial of a given number n""" fact = 1 for i in range(1, num + 1): fact *= i return fact def split_and_add(number: int) -> int: """Split number digits and add them.""" sum_of_digits = 0 while number > 0: last_digit = number % 10 sum_of_digits += last_digit number = number // 10 # Removing the last_digit from the given number return sum_of_digits def solution(num: int = 100) -> int: """Returns the sum of the digits in the factorial of num >>> solution(100) 648 >>> solution(50) 216 >>> solution(10) 27 >>> solution(5) 3 >>> solution(3) 6 >>> solution(2) 2 >>> solution(1) 1 """ nfact = factorial(num) result = split_and_add(nfact) return result if __name__ == "__main__": print(solution(int(input("Enter the Number: ").strip())))
""" Problem 20: https://projecteuler.net/problem=20 n! means n × (n − 1) × ... × 3 × 2 × 1 For example, 10! = 10 × 9 × ... × 3 × 2 × 1 = 3628800, and the sum of the digits in the number 10! is 3 + 6 + 2 + 8 + 8 + 0 + 0 = 27. Find the sum of the digits in the number 100! """ def factorial(num: int) -> int: """Find the factorial of a given number n""" fact = 1 for i in range(1, num + 1): fact *= i return fact def split_and_add(number: int) -> int: """Split number digits and add them.""" sum_of_digits = 0 while number > 0: last_digit = number % 10 sum_of_digits += last_digit number = number // 10 # Removing the last_digit from the given number return sum_of_digits def solution(num: int = 100) -> int: """Returns the sum of the digits in the factorial of num >>> solution(100) 648 >>> solution(50) 216 >>> solution(10) 27 >>> solution(5) 3 >>> solution(3) 6 >>> solution(2) 2 >>> solution(1) 1 """ nfact = factorial(num) result = split_and_add(nfact) return result if __name__ == "__main__": print(solution(int(input("Enter the Number: ").strip())))
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem 112: https://projecteuler.net/problem=112 Working from left-to-right if no digit is exceeded by the digit to its left it is called an increasing number; for example, 134468. Similarly if no digit is exceeded by the digit to its right it is called a decreasing number; for example, 66420. We shall call a positive integer that is neither increasing nor decreasing a "bouncy" number, for example, 155349. Clearly there cannot be any bouncy numbers below one-hundred, but just over half of the numbers below one-thousand (525) are bouncy. In fact, the least number for which the proportion of bouncy numbers first reaches 50% is 538. Surprisingly, bouncy numbers become more and more common and by the time we reach 21780 the proportion of bouncy numbers is equal to 90%. Find the least number for which the proportion of bouncy numbers is exactly 99%. """ def check_bouncy(n: int) -> bool: """ Returns True if number is bouncy, False otherwise >>> check_bouncy(6789) False >>> check_bouncy(-12345) False >>> check_bouncy(0) False >>> check_bouncy(6.74) Traceback (most recent call last): ... ValueError: check_bouncy() accepts only integer arguments >>> check_bouncy(132475) True >>> check_bouncy(34) False >>> check_bouncy(341) True >>> check_bouncy(47) False >>> check_bouncy(-12.54) Traceback (most recent call last): ... ValueError: check_bouncy() accepts only integer arguments >>> check_bouncy(-6548) True """ if not isinstance(n, int): raise ValueError("check_bouncy() accepts only integer arguments") str_n = str(n) sorted_str_n = "".join(sorted(str_n)) return sorted_str_n != str_n and sorted_str_n[::-1] != str_n def solution(percent: float = 99) -> int: """ Returns the least number for which the proportion of bouncy numbers is exactly 'percent' >>> solution(50) 538 >>> solution(90) 21780 >>> solution(80) 4770 >>> solution(105) Traceback (most recent call last): ... ValueError: solution() only accepts values from 0 to 100 >>> solution(100.011) Traceback (most recent call last): ... ValueError: solution() only accepts values from 0 to 100 """ if not 0 < percent < 100: raise ValueError("solution() only accepts values from 0 to 100") bouncy_num = 0 num = 1 while True: if check_bouncy(num): bouncy_num += 1 if (bouncy_num / num) * 100 >= percent: return num num += 1 if __name__ == "__main__": from doctest import testmod testmod() print(f"{solution(99)}")
""" Problem 112: https://projecteuler.net/problem=112 Working from left-to-right if no digit is exceeded by the digit to its left it is called an increasing number; for example, 134468. Similarly if no digit is exceeded by the digit to its right it is called a decreasing number; for example, 66420. We shall call a positive integer that is neither increasing nor decreasing a "bouncy" number, for example, 155349. Clearly there cannot be any bouncy numbers below one-hundred, but just over half of the numbers below one-thousand (525) are bouncy. In fact, the least number for which the proportion of bouncy numbers first reaches 50% is 538. Surprisingly, bouncy numbers become more and more common and by the time we reach 21780 the proportion of bouncy numbers is equal to 90%. Find the least number for which the proportion of bouncy numbers is exactly 99%. """ def check_bouncy(n: int) -> bool: """ Returns True if number is bouncy, False otherwise >>> check_bouncy(6789) False >>> check_bouncy(-12345) False >>> check_bouncy(0) False >>> check_bouncy(6.74) Traceback (most recent call last): ... ValueError: check_bouncy() accepts only integer arguments >>> check_bouncy(132475) True >>> check_bouncy(34) False >>> check_bouncy(341) True >>> check_bouncy(47) False >>> check_bouncy(-12.54) Traceback (most recent call last): ... ValueError: check_bouncy() accepts only integer arguments >>> check_bouncy(-6548) True """ if not isinstance(n, int): raise ValueError("check_bouncy() accepts only integer arguments") str_n = str(n) sorted_str_n = "".join(sorted(str_n)) return sorted_str_n != str_n and sorted_str_n[::-1] != str_n def solution(percent: float = 99) -> int: """ Returns the least number for which the proportion of bouncy numbers is exactly 'percent' >>> solution(50) 538 >>> solution(90) 21780 >>> solution(80) 4770 >>> solution(105) Traceback (most recent call last): ... ValueError: solution() only accepts values from 0 to 100 >>> solution(100.011) Traceback (most recent call last): ... ValueError: solution() only accepts values from 0 to 100 """ if not 0 < percent < 100: raise ValueError("solution() only accepts values from 0 to 100") bouncy_num = 0 num = 1 while True: if check_bouncy(num): bouncy_num += 1 if (bouncy_num / num) * 100 >= percent: return num num += 1 if __name__ == "__main__": from doctest import testmod testmod() print(f"{solution(99)}")
-1
TheAlgorithms/Python
5,996
pyupgrade --py310-plus and run mypy in precommit, not build
### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-13T09:25:04Z"
"2022-02-13T10:01:58Z"
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
885580b3a152d02ad72ff433c2aefb6d604ef3c8
pyupgrade --py310-plus and run mypy in precommit, not build. ### Describe your change: * [x] Improve tests * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [x] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Perceptron w = w + N * (d(k) - y) * x(k) Using perceptron network for oil analysis, with Measuring of 3 parameters that represent chemical characteristics we can classify the oil, in p1 or p2 p1 = -1 p2 = 1 """ import random class Perceptron: def __init__( self, sample: list[list[float]], target: list[int], learning_rate: float = 0.01, epoch_number: int = 1000, bias: float = -1, ) -> None: """ Initializes a Perceptron network for oil analysis :param sample: sample dataset of 3 parameters with shape [30,3] :param target: variable for classification with two possible states -1 or 1 :param learning_rate: learning rate used in optimizing. :param epoch_number: number of epochs to train network on. :param bias: bias value for the network. >>> p = Perceptron([], (0, 1, 2)) Traceback (most recent call last): ... ValueError: Sample data can not be empty >>> p = Perceptron(([0], 1, 2), []) Traceback (most recent call last): ... ValueError: Target data can not be empty >>> p = Perceptron(([0], 1, 2), (0, 1)) Traceback (most recent call last): ... ValueError: Sample data and Target data do not have matching lengths """ self.sample = sample if len(self.sample) == 0: raise ValueError("Sample data can not be empty") self.target = target if len(self.target) == 0: raise ValueError("Target data can not be empty") if len(self.sample) != len(self.target): raise ValueError("Sample data and Target data do not have matching lengths") self.learning_rate = learning_rate self.epoch_number = epoch_number self.bias = bias self.number_sample = len(sample) self.col_sample = len(sample[0]) # number of columns in dataset self.weight: list = [] def training(self) -> None: """ Trains perceptron for epochs <= given number of epochs :return: None >>> data = [[2.0149, 0.6192, 10.9263]] >>> targets = [-1] >>> perceptron = Perceptron(data,targets) >>> perceptron.training() # doctest: +ELLIPSIS ('\\nEpoch:\\n', ...) ... """ for sample in self.sample: sample.insert(0, self.bias) for i in range(self.col_sample): self.weight.append(random.random()) self.weight.insert(0, self.bias) epoch_count = 0 while True: has_misclassified = False for i in range(self.number_sample): u = 0 for j in range(self.col_sample + 1): u = u + self.weight[j] * self.sample[i][j] y = self.sign(u) if y != self.target[i]: for j in range(self.col_sample + 1): self.weight[j] = ( self.weight[j] + self.learning_rate * (self.target[i] - y) * self.sample[i][j] ) has_misclassified = True # print('Epoch: \n',epoch_count) epoch_count = epoch_count + 1 # if you want control the epoch or just by error if not has_misclassified: print(("\nEpoch:\n", epoch_count)) print("------------------------\n") # if epoch_count > self.epoch_number or not error: break def sort(self, sample: list[float]) -> None: """ :param sample: example row to classify as P1 or P2 :return: None >>> data = [[2.0149, 0.6192, 10.9263]] >>> targets = [-1] >>> perceptron = Perceptron(data,targets) >>> perceptron.training() # doctest: +ELLIPSIS ('\\nEpoch:\\n', ...) ... >>> perceptron.sort([-0.6508, 0.1097, 4.0009]) # doctest: +ELLIPSIS ('Sample: ', ...) classification: P... """ if len(self.sample) == 0: raise ValueError("Sample data can not be empty") sample.insert(0, self.bias) u = 0 for i in range(self.col_sample + 1): u = u + self.weight[i] * sample[i] y = self.sign(u) if y == -1: print(("Sample: ", sample)) print("classification: P1") else: print(("Sample: ", sample)) print("classification: P2") def sign(self, u: float) -> int: """ threshold function for classification :param u: input number :return: 1 if the input is greater than 0, otherwise -1 >>> data = [[0],[-0.5],[0.5]] >>> targets = [1,-1,1] >>> perceptron = Perceptron(data,targets) >>> perceptron.sign(0) 1 >>> perceptron.sign(-0.5) -1 >>> perceptron.sign(0.5) 1 """ return 1 if u >= 0 else -1 samples = [ [-0.6508, 0.1097, 4.0009], [-1.4492, 0.8896, 4.4005], [2.0850, 0.6876, 12.0710], [0.2626, 1.1476, 7.7985], [0.6418, 1.0234, 7.0427], [0.2569, 0.6730, 8.3265], [1.1155, 0.6043, 7.4446], [0.0914, 0.3399, 7.0677], [0.0121, 0.5256, 4.6316], [-0.0429, 0.4660, 5.4323], [0.4340, 0.6870, 8.2287], [0.2735, 1.0287, 7.1934], [0.4839, 0.4851, 7.4850], [0.4089, -0.1267, 5.5019], [1.4391, 0.1614, 8.5843], [-0.9115, -0.1973, 2.1962], [0.3654, 1.0475, 7.4858], [0.2144, 0.7515, 7.1699], [0.2013, 1.0014, 6.5489], [0.6483, 0.2183, 5.8991], [-0.1147, 0.2242, 7.2435], [-0.7970, 0.8795, 3.8762], [-1.0625, 0.6366, 2.4707], [0.5307, 0.1285, 5.6883], [-1.2200, 0.7777, 1.7252], [0.3957, 0.1076, 5.6623], [-0.1013, 0.5989, 7.1812], [2.4482, 0.9455, 11.2095], [2.0149, 0.6192, 10.9263], [0.2012, 0.2611, 5.4631], ] exit = [ -1, -1, -1, 1, 1, -1, 1, -1, 1, 1, -1, 1, -1, -1, -1, -1, 1, 1, 1, 1, -1, 1, 1, 1, 1, -1, -1, 1, -1, 1, ] if __name__ == "__main__": import doctest doctest.testmod() network = Perceptron( sample=samples, target=exit, learning_rate=0.01, epoch_number=1000, bias=-1 ) network.training() print("Finished training perceptron") print("Enter values to predict or q to exit") while True: sample: list = [] for i in range(len(samples[0])): user_input = input("value: ").strip() if user_input == "q": break observation = float(user_input) sample.insert(i, observation) network.sort(sample)
""" Perceptron w = w + N * (d(k) - y) * x(k) Using perceptron network for oil analysis, with Measuring of 3 parameters that represent chemical characteristics we can classify the oil, in p1 or p2 p1 = -1 p2 = 1 """ import random class Perceptron: def __init__( self, sample: list[list[float]], target: list[int], learning_rate: float = 0.01, epoch_number: int = 1000, bias: float = -1, ) -> None: """ Initializes a Perceptron network for oil analysis :param sample: sample dataset of 3 parameters with shape [30,3] :param target: variable for classification with two possible states -1 or 1 :param learning_rate: learning rate used in optimizing. :param epoch_number: number of epochs to train network on. :param bias: bias value for the network. >>> p = Perceptron([], (0, 1, 2)) Traceback (most recent call last): ... ValueError: Sample data can not be empty >>> p = Perceptron(([0], 1, 2), []) Traceback (most recent call last): ... ValueError: Target data can not be empty >>> p = Perceptron(([0], 1, 2), (0, 1)) Traceback (most recent call last): ... ValueError: Sample data and Target data do not have matching lengths """ self.sample = sample if len(self.sample) == 0: raise ValueError("Sample data can not be empty") self.target = target if len(self.target) == 0: raise ValueError("Target data can not be empty") if len(self.sample) != len(self.target): raise ValueError("Sample data and Target data do not have matching lengths") self.learning_rate = learning_rate self.epoch_number = epoch_number self.bias = bias self.number_sample = len(sample) self.col_sample = len(sample[0]) # number of columns in dataset self.weight: list = [] def training(self) -> None: """ Trains perceptron for epochs <= given number of epochs :return: None >>> data = [[2.0149, 0.6192, 10.9263]] >>> targets = [-1] >>> perceptron = Perceptron(data,targets) >>> perceptron.training() # doctest: +ELLIPSIS ('\\nEpoch:\\n', ...) ... """ for sample in self.sample: sample.insert(0, self.bias) for i in range(self.col_sample): self.weight.append(random.random()) self.weight.insert(0, self.bias) epoch_count = 0 while True: has_misclassified = False for i in range(self.number_sample): u = 0 for j in range(self.col_sample + 1): u = u + self.weight[j] * self.sample[i][j] y = self.sign(u) if y != self.target[i]: for j in range(self.col_sample + 1): self.weight[j] = ( self.weight[j] + self.learning_rate * (self.target[i] - y) * self.sample[i][j] ) has_misclassified = True # print('Epoch: \n',epoch_count) epoch_count = epoch_count + 1 # if you want control the epoch or just by error if not has_misclassified: print(("\nEpoch:\n", epoch_count)) print("------------------------\n") # if epoch_count > self.epoch_number or not error: break def sort(self, sample: list[float]) -> None: """ :param sample: example row to classify as P1 or P2 :return: None >>> data = [[2.0149, 0.6192, 10.9263]] >>> targets = [-1] >>> perceptron = Perceptron(data,targets) >>> perceptron.training() # doctest: +ELLIPSIS ('\\nEpoch:\\n', ...) ... >>> perceptron.sort([-0.6508, 0.1097, 4.0009]) # doctest: +ELLIPSIS ('Sample: ', ...) classification: P... """ if len(self.sample) == 0: raise ValueError("Sample data can not be empty") sample.insert(0, self.bias) u = 0 for i in range(self.col_sample + 1): u = u + self.weight[i] * sample[i] y = self.sign(u) if y == -1: print(("Sample: ", sample)) print("classification: P1") else: print(("Sample: ", sample)) print("classification: P2") def sign(self, u: float) -> int: """ threshold function for classification :param u: input number :return: 1 if the input is greater than 0, otherwise -1 >>> data = [[0],[-0.5],[0.5]] >>> targets = [1,-1,1] >>> perceptron = Perceptron(data,targets) >>> perceptron.sign(0) 1 >>> perceptron.sign(-0.5) -1 >>> perceptron.sign(0.5) 1 """ return 1 if u >= 0 else -1 samples = [ [-0.6508, 0.1097, 4.0009], [-1.4492, 0.8896, 4.4005], [2.0850, 0.6876, 12.0710], [0.2626, 1.1476, 7.7985], [0.6418, 1.0234, 7.0427], [0.2569, 0.6730, 8.3265], [1.1155, 0.6043, 7.4446], [0.0914, 0.3399, 7.0677], [0.0121, 0.5256, 4.6316], [-0.0429, 0.4660, 5.4323], [0.4340, 0.6870, 8.2287], [0.2735, 1.0287, 7.1934], [0.4839, 0.4851, 7.4850], [0.4089, -0.1267, 5.5019], [1.4391, 0.1614, 8.5843], [-0.9115, -0.1973, 2.1962], [0.3654, 1.0475, 7.4858], [0.2144, 0.7515, 7.1699], [0.2013, 1.0014, 6.5489], [0.6483, 0.2183, 5.8991], [-0.1147, 0.2242, 7.2435], [-0.7970, 0.8795, 3.8762], [-1.0625, 0.6366, 2.4707], [0.5307, 0.1285, 5.6883], [-1.2200, 0.7777, 1.7252], [0.3957, 0.1076, 5.6623], [-0.1013, 0.5989, 7.1812], [2.4482, 0.9455, 11.2095], [2.0149, 0.6192, 10.9263], [0.2012, 0.2611, 5.4631], ] exit = [ -1, -1, -1, 1, 1, -1, 1, -1, 1, 1, -1, 1, -1, -1, -1, -1, 1, 1, 1, 1, -1, 1, 1, 1, 1, -1, -1, 1, -1, 1, ] if __name__ == "__main__": import doctest doctest.testmod() network = Perceptron( sample=samples, target=exit, learning_rate=0.01, epoch_number=1000, bias=-1 ) network.training() print("Finished training perceptron") print("Enter values to predict or q to exit") while True: sample: list = [] for i in range(len(samples[0])): user_input = input("value: ").strip() if user_input == "q": break observation = float(user_input) sample.insert(i, observation) network.sort(sample)
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 with: python-version: "3.9" - uses: actions/cache@v2 with: path: ~/.cache/pip key: ${{ runner.os }}-pip-${{ hashFiles('requirements.txt') }} - name: Install dependencies run: | python -m pip install --upgrade pip setuptools six wheel python -m pip install mypy pytest-cov -r requirements.txt - run: | mkdir -p .mypy_cache mypy --ignore-missing-imports --install-types --non-interactive . - name: Run tests run: pytest --doctest-modules --ignore=project_euler/ --ignore=scripts/validate_solutions.py --cov-report=term-missing:skip-covered --cov=. . - if: ${{ success() }} run: scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 with: python-version: "3.10" - uses: actions/cache@v2 with: path: ~/.cache/pip key: ${{ runner.os }}-pip-${{ hashFiles('requirements.txt') }} - name: Install dependencies run: | python -m pip install --upgrade pip setuptools six wheel python -m pip install mypy pytest-cov -r requirements.txt - run: | mkdir -p .mypy_cache mypy --ignore-missing-imports --install-types --non-interactive . || true - name: Run tests run: pytest --doctest-modules --ignore=project_euler/ --ignore=scripts/validate_solutions.py --cov-report=term-missing:skip-covered --cov=. . - if: ${{ success() }} run: scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md
1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
name: pre-commit on: [push, pull_request] jobs: pre-commit: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/cache@v2 with: path: | ~/.cache/pre-commit ~/.cache/pip key: ${{ runner.os }}-pre-commit-${{ hashFiles('.pre-commit-config.yaml') }} - uses: actions/setup-python@v2 with: python-version: 3.9 - uses: psf/[email protected] - name: Install pre-commit run: | python -m pip install --upgrade pip python -m pip install --upgrade pre-commit - run: pre-commit run --verbose --all-files --show-diff-on-failure
name: pre-commit on: [push, pull_request] jobs: pre-commit: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/cache@v2 with: path: | ~/.cache/pre-commit ~/.cache/pip key: ${{ runner.os }}-pre-commit-${{ hashFiles('.pre-commit-config.yaml') }} - uses: actions/setup-python@v2 with: python-version: "3.10" - uses: psf/[email protected] - name: Install pre-commit run: | python -m pip install --upgrade pip python -m pip install --upgrade pre-commit - run: pre-commit run --verbose --all-files --show-diff-on-failure
1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
## Arithmetic Analysis * [Bisection](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/bisection.py) * [Gaussian Elimination](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/gaussian_elimination.py) * [In Static Equilibrium](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/in_static_equilibrium.py) * [Intersection](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/intersection.py) * [Jacobi Iteration Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/jacobi_iteration_method.py) * [Lu Decomposition](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/lu_decomposition.py) * [Newton Forward Interpolation](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_forward_interpolation.py) * [Newton Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_method.py) * [Newton Raphson](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_raphson.py) * [Secant Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/secant_method.py) ## Audio Filters * [Butterworth Filter](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/butterworth_filter.py) * [Iir Filter](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/iir_filter.py) * [Show Response](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/show_response.py) ## Backtracking * [All Combinations](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_combinations.py) * [All Permutations](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_permutations.py) * [All Subsequences](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_subsequences.py) * [Coloring](https://github.com/TheAlgorithms/Python/blob/master/backtracking/coloring.py) * [Hamiltonian Cycle](https://github.com/TheAlgorithms/Python/blob/master/backtracking/hamiltonian_cycle.py) * [Knight Tour](https://github.com/TheAlgorithms/Python/blob/master/backtracking/knight_tour.py) * [Minimax](https://github.com/TheAlgorithms/Python/blob/master/backtracking/minimax.py) * [N Queens](https://github.com/TheAlgorithms/Python/blob/master/backtracking/n_queens.py) * [N Queens Math](https://github.com/TheAlgorithms/Python/blob/master/backtracking/n_queens_math.py) * [Rat In Maze](https://github.com/TheAlgorithms/Python/blob/master/backtracking/rat_in_maze.py) * [Sudoku](https://github.com/TheAlgorithms/Python/blob/master/backtracking/sudoku.py) * [Sum Of Subsets](https://github.com/TheAlgorithms/Python/blob/master/backtracking/sum_of_subsets.py) ## Bit Manipulation * [Binary And Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_and_operator.py) * [Binary Count Setbits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_count_setbits.py) * [Binary Count Trailing Zeros](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_count_trailing_zeros.py) * [Binary Or Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_or_operator.py) * [Binary Shifts](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_shifts.py) * [Binary Twos Complement](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_twos_complement.py) * [Binary Xor Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_xor_operator.py) * [Count 1S Brian Kernighan Method](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/count_1s_brian_kernighan_method.py) * [Count Number Of One Bits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/count_number_of_one_bits.py) * [Gray Code Sequence](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/gray_code_sequence.py) * [Reverse Bits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/reverse_bits.py) * [Single Bit Manipulation Operations](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/single_bit_manipulation_operations.py) ## Blockchain * [Chinese Remainder Theorem](https://github.com/TheAlgorithms/Python/blob/master/blockchain/chinese_remainder_theorem.py) * [Diophantine Equation](https://github.com/TheAlgorithms/Python/blob/master/blockchain/diophantine_equation.py) * [Modular Division](https://github.com/TheAlgorithms/Python/blob/master/blockchain/modular_division.py) ## Boolean Algebra * [Quine Mc Cluskey](https://github.com/TheAlgorithms/Python/blob/master/boolean_algebra/quine_mc_cluskey.py) ## Cellular Automata * [Conways Game Of Life](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/conways_game_of_life.py) * [Game Of Life](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/game_of_life.py) * [Nagel Schrekenberg](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/nagel_schrekenberg.py) * [One Dimensional](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/one_dimensional.py) ## Ciphers * [A1Z26](https://github.com/TheAlgorithms/Python/blob/master/ciphers/a1z26.py) * [Affine Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/affine_cipher.py) * [Atbash](https://github.com/TheAlgorithms/Python/blob/master/ciphers/atbash.py) * [Baconian Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/baconian_cipher.py) * [Base16](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base16.py) * [Base32](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base32.py) * [Base64](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base64.py) * [Base85](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base85.py) * [Beaufort Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/beaufort_cipher.py) * [Bifid](https://github.com/TheAlgorithms/Python/blob/master/ciphers/bifid.py) * [Brute Force Caesar Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/brute_force_caesar_cipher.py) * [Caesar Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/caesar_cipher.py) * [Cryptomath Module](https://github.com/TheAlgorithms/Python/blob/master/ciphers/cryptomath_module.py) * [Decrypt Caesar With Chi Squared](https://github.com/TheAlgorithms/Python/blob/master/ciphers/decrypt_caesar_with_chi_squared.py) * [Deterministic Miller Rabin](https://github.com/TheAlgorithms/Python/blob/master/ciphers/deterministic_miller_rabin.py) * [Diffie](https://github.com/TheAlgorithms/Python/blob/master/ciphers/diffie.py) * [Diffie Hellman](https://github.com/TheAlgorithms/Python/blob/master/ciphers/diffie_hellman.py) * [Elgamal Key Generator](https://github.com/TheAlgorithms/Python/blob/master/ciphers/elgamal_key_generator.py) * [Enigma Machine2](https://github.com/TheAlgorithms/Python/blob/master/ciphers/enigma_machine2.py) * [Hill Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/hill_cipher.py) * [Mixed Keyword Cypher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/mixed_keyword_cypher.py) * [Mono Alphabetic Ciphers](https://github.com/TheAlgorithms/Python/blob/master/ciphers/mono_alphabetic_ciphers.py) * [Morse Code](https://github.com/TheAlgorithms/Python/blob/master/ciphers/morse_code.py) * [Onepad Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/onepad_cipher.py) * [Playfair Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/playfair_cipher.py) * [Polybius](https://github.com/TheAlgorithms/Python/blob/master/ciphers/polybius.py) * [Porta Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/porta_cipher.py) * [Rabin Miller](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rabin_miller.py) * [Rail Fence Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rail_fence_cipher.py) * [Rot13](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rot13.py) * [Rsa Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_cipher.py) * [Rsa Factorization](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_factorization.py) * [Rsa Key Generator](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_key_generator.py) * [Shuffled Shift Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/shuffled_shift_cipher.py) * [Simple Keyword Cypher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/simple_keyword_cypher.py) * [Simple Substitution Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/simple_substitution_cipher.py) * [Trafid Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/trafid_cipher.py) * [Transposition Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/transposition_cipher.py) * [Transposition Cipher Encrypt Decrypt File](https://github.com/TheAlgorithms/Python/blob/master/ciphers/transposition_cipher_encrypt_decrypt_file.py) * [Vigenere Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/vigenere_cipher.py) * [Xor Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/xor_cipher.py) ## Compression * [Burrows Wheeler](https://github.com/TheAlgorithms/Python/blob/master/compression/burrows_wheeler.py) * [Huffman](https://github.com/TheAlgorithms/Python/blob/master/compression/huffman.py) * [Lempel Ziv](https://github.com/TheAlgorithms/Python/blob/master/compression/lempel_ziv.py) * [Lempel Ziv Decompress](https://github.com/TheAlgorithms/Python/blob/master/compression/lempel_ziv_decompress.py) * [Peak Signal To Noise Ratio](https://github.com/TheAlgorithms/Python/blob/master/compression/peak_signal_to_noise_ratio.py) ## Computer Vision * [Cnn Classification](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/cnn_classification.py) * [Flip Augmentation](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/flip_augmentation.py) * [Harris Corner](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/harris_corner.py) * [Mean Threshold](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/mean_threshold.py) * [Mosaic Augmentation](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/mosaic_augmentation.py) * [Pooling Functions](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/pooling_functions.py) ## Conversions * [Binary To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_decimal.py) * [Binary To Hexadecimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_hexadecimal.py) * [Binary To Octal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_octal.py) * [Decimal To Any](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_any.py) * [Decimal To Binary](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_binary.py) * [Decimal To Binary Recursion](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_binary_recursion.py) * [Decimal To Hexadecimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_hexadecimal.py) * [Decimal To Octal](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_octal.py) * [Hex To Bin](https://github.com/TheAlgorithms/Python/blob/master/conversions/hex_to_bin.py) * [Hexadecimal To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/hexadecimal_to_decimal.py) * [Length Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/length_conversion.py) * [Molecular Chemistry](https://github.com/TheAlgorithms/Python/blob/master/conversions/molecular_chemistry.py) * [Octal To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/octal_to_decimal.py) * [Prefix Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/prefix_conversions.py) * [Pressure Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/pressure_conversions.py) * [Rgb Hsv Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/rgb_hsv_conversion.py) * [Roman Numerals](https://github.com/TheAlgorithms/Python/blob/master/conversions/roman_numerals.py) * [Temperature Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/temperature_conversions.py) * [Volume Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/volume_conversions.py) * [Weight Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/weight_conversion.py) ## Data Structures * Binary Tree * [Avl Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/avl_tree.py) * [Basic Binary Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/basic_binary_tree.py) * [Binary Search Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_search_tree.py) * [Binary Search Tree Recursive](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_search_tree_recursive.py) * [Binary Tree Mirror](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_tree_mirror.py) * [Binary Tree Traversals](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_tree_traversals.py) * [Fenwick Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/fenwick_tree.py) * [Lazy Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/lazy_segment_tree.py) * [Lowest Common Ancestor](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/lowest_common_ancestor.py) * [Merge Two Binary Trees](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/merge_two_binary_trees.py) * [Non Recursive Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/non_recursive_segment_tree.py) * [Number Of Possible Binary Trees](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/number_of_possible_binary_trees.py) * [Red Black Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/red_black_tree.py) * [Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/segment_tree.py) * [Segment Tree Other](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/segment_tree_other.py) * [Treap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/treap.py) * [Wavelet Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/wavelet_tree.py) * Disjoint Set * [Alternate Disjoint Set](https://github.com/TheAlgorithms/Python/blob/master/data_structures/disjoint_set/alternate_disjoint_set.py) * [Disjoint Set](https://github.com/TheAlgorithms/Python/blob/master/data_structures/disjoint_set/disjoint_set.py) * Hashing * [Double Hash](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/double_hash.py) * [Hash Table](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/hash_table.py) * [Hash Table With Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/hash_table_with_linked_list.py) * Number Theory * [Prime Numbers](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/number_theory/prime_numbers.py) * [Quadratic Probing](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/quadratic_probing.py) * Heap * [Binomial Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/binomial_heap.py) * [Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/heap.py) * [Heap Generic](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/heap_generic.py) * [Max Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/max_heap.py) * [Min Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/min_heap.py) * [Randomized Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/randomized_heap.py) * [Skew Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/skew_heap.py) * Linked List * [Circular Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/circular_linked_list.py) * [Deque Doubly](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/deque_doubly.py) * [Doubly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/doubly_linked_list.py) * [Doubly Linked List Two](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/doubly_linked_list_two.py) * [From Sequence](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/from_sequence.py) * [Has Loop](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/has_loop.py) * [Is Palindrome](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/is_palindrome.py) * [Merge Two Lists](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/merge_two_lists.py) * [Middle Element Of Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/middle_element_of_linked_list.py) * [Print Reverse](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/print_reverse.py) * [Singly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/singly_linked_list.py) * [Skip List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/skip_list.py) * [Swap Nodes](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/swap_nodes.py) * Queue * [Circular Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/circular_queue.py) * [Circular Queue Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/circular_queue_linked_list.py) * [Double Ended Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/double_ended_queue.py) * [Linked Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/linked_queue.py) * [Priority Queue Using List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/priority_queue_using_list.py) * [Queue On List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/queue_on_list.py) * [Queue On Pseudo Stack](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/queue_on_pseudo_stack.py) * Stacks * [Balanced Parentheses](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/balanced_parentheses.py) * [Dijkstras Two Stack Algorithm](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/dijkstras_two_stack_algorithm.py) * [Evaluate Postfix Notations](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/evaluate_postfix_notations.py) * [Infix To Postfix Conversion](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/infix_to_postfix_conversion.py) * [Infix To Prefix Conversion](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/infix_to_prefix_conversion.py) * [Next Greater Element](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/next_greater_element.py) * [Postfix Evaluation](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/postfix_evaluation.py) * [Prefix Evaluation](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/prefix_evaluation.py) * [Stack](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack.py) * [Stack With Doubly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack_with_doubly_linked_list.py) * [Stack With Singly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack_with_singly_linked_list.py) * [Stock Span Problem](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stock_span_problem.py) * Trie * [Trie](https://github.com/TheAlgorithms/Python/blob/master/data_structures/trie/trie.py) ## Digital Image Processing * [Change Brightness](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/change_brightness.py) * [Change Contrast](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/change_contrast.py) * [Convert To Negative](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/convert_to_negative.py) * Dithering * [Burkes](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/dithering/burkes.py) * Edge Detection * [Canny](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/edge_detection/canny.py) * Filters * [Bilateral Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/bilateral_filter.py) * [Convolve](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/convolve.py) * [Gabor Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/gabor_filter.py) * [Gaussian Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/gaussian_filter.py) * [Median Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/median_filter.py) * [Sobel Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/sobel_filter.py) * Histogram Equalization * [Histogram Stretch](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/histogram_equalization/histogram_stretch.py) * [Index Calculation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/index_calculation.py) * Morphological Operations * [Dilation Operation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/morphological_operations/dilation_operation.py) * [Erosion Operation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/morphological_operations/erosion_operation.py) * Resize * [Resize](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/resize/resize.py) * Rotation * [Rotation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/rotation/rotation.py) * [Sepia](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/sepia.py) * [Test Digital Image Processing](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/test_digital_image_processing.py) ## Divide And Conquer * [Closest Pair Of Points](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/closest_pair_of_points.py) * [Convex Hull](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/convex_hull.py) * [Heaps Algorithm](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/heaps_algorithm.py) * [Heaps Algorithm Iterative](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/heaps_algorithm_iterative.py) * [Inversions](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/inversions.py) * [Kth Order Statistic](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/kth_order_statistic.py) * [Max Difference Pair](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/max_difference_pair.py) * [Max Subarray Sum](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/max_subarray_sum.py) * [Mergesort](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/mergesort.py) * [Peak](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/peak.py) * [Power](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/power.py) * [Strassen Matrix Multiplication](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/strassen_matrix_multiplication.py) ## Dynamic Programming * [Abbreviation](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/abbreviation.py) * [All Construct](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/all_construct.py) * [Bitmask](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/bitmask.py) * [Catalan Numbers](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/catalan_numbers.py) * [Climbing Stairs](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/climbing_stairs.py) * [Edit Distance](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/edit_distance.py) * [Factorial](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/factorial.py) * [Fast Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fast_fibonacci.py) * [Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fibonacci.py) * [Floyd Warshall](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/floyd_warshall.py) * [Fractional Knapsack](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fractional_knapsack.py) * [Fractional Knapsack 2](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fractional_knapsack_2.py) * [Integer Partition](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/integer_partition.py) * [Iterating Through Submasks](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/iterating_through_submasks.py) * [Knapsack](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/knapsack.py) * [Longest Common Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_common_subsequence.py) * [Longest Increasing Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_increasing_subsequence.py) * [Longest Increasing Subsequence O(Nlogn)](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_increasing_subsequence_o(nlogn).py) * [Longest Sub Array](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_sub_array.py) * [Matrix Chain Order](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/matrix_chain_order.py) * [Max Non Adjacent Sum](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_non_adjacent_sum.py) * [Max Sub Array](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_sub_array.py) * [Max Sum Contiguous Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_sum_contiguous_subsequence.py) * [Minimum Coin Change](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_coin_change.py) * [Minimum Cost Path](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_cost_path.py) * [Minimum Partition](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_partition.py) * [Minimum Steps To One](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_steps_to_one.py) * [Optimal Binary Search Tree](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/optimal_binary_search_tree.py) * [Rod Cutting](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/rod_cutting.py) * [Subset Generation](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/subset_generation.py) * [Sum Of Subset](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/sum_of_subset.py) ## Electronics * [Carrier Concentration](https://github.com/TheAlgorithms/Python/blob/master/electronics/carrier_concentration.py) * [Coulombs Law](https://github.com/TheAlgorithms/Python/blob/master/electronics/coulombs_law.py) * [Electric Power](https://github.com/TheAlgorithms/Python/blob/master/electronics/electric_power.py) * [Ohms Law](https://github.com/TheAlgorithms/Python/blob/master/electronics/ohms_law.py) ## File Transfer * [Receive File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/receive_file.py) * [Send File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/send_file.py) * Tests * [Test Send File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/tests/test_send_file.py) ## Financial * [Equated Monthly Installments](https://github.com/TheAlgorithms/Python/blob/master/financial/equated_monthly_installments.py) * [Interest](https://github.com/TheAlgorithms/Python/blob/master/financial/interest.py) ## Fractals * [Julia Sets](https://github.com/TheAlgorithms/Python/blob/master/fractals/julia_sets.py) * [Koch Snowflake](https://github.com/TheAlgorithms/Python/blob/master/fractals/koch_snowflake.py) * [Mandelbrot](https://github.com/TheAlgorithms/Python/blob/master/fractals/mandelbrot.py) * [Sierpinski Triangle](https://github.com/TheAlgorithms/Python/blob/master/fractals/sierpinski_triangle.py) ## Fuzzy Logic * [Fuzzy Operations](https://github.com/TheAlgorithms/Python/blob/master/fuzzy_logic/fuzzy_operations.py) ## Genetic Algorithm * [Basic String](https://github.com/TheAlgorithms/Python/blob/master/genetic_algorithm/basic_string.py) ## Geodesy * [Haversine Distance](https://github.com/TheAlgorithms/Python/blob/master/geodesy/haversine_distance.py) * [Lamberts Ellipsoidal Distance](https://github.com/TheAlgorithms/Python/blob/master/geodesy/lamberts_ellipsoidal_distance.py) ## Graphics * [Bezier Curve](https://github.com/TheAlgorithms/Python/blob/master/graphics/bezier_curve.py) * [Vector3 For 2D Rendering](https://github.com/TheAlgorithms/Python/blob/master/graphics/vector3_for_2d_rendering.py) ## Graphs * [A Star](https://github.com/TheAlgorithms/Python/blob/master/graphs/a_star.py) * [Articulation Points](https://github.com/TheAlgorithms/Python/blob/master/graphs/articulation_points.py) * [Basic Graphs](https://github.com/TheAlgorithms/Python/blob/master/graphs/basic_graphs.py) * [Bellman Ford](https://github.com/TheAlgorithms/Python/blob/master/graphs/bellman_ford.py) * [Bfs Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/bfs_shortest_path.py) * [Bfs Zero One Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/bfs_zero_one_shortest_path.py) * [Bidirectional A Star](https://github.com/TheAlgorithms/Python/blob/master/graphs/bidirectional_a_star.py) * [Bidirectional Breadth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/bidirectional_breadth_first_search.py) * [Boruvka](https://github.com/TheAlgorithms/Python/blob/master/graphs/boruvka.py) * [Breadth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search.py) * [Breadth First Search 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search_2.py) * [Breadth First Search Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search_shortest_path.py) * [Check Bipartite Graph Bfs](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_bipartite_graph_bfs.py) * [Check Bipartite Graph Dfs](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_bipartite_graph_dfs.py) * [Check Cycle](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_cycle.py) * [Connected Components](https://github.com/TheAlgorithms/Python/blob/master/graphs/connected_components.py) * [Depth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/depth_first_search.py) * [Depth First Search 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/depth_first_search_2.py) * [Dijkstra](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra.py) * [Dijkstra 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra_2.py) * [Dijkstra Algorithm](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra_algorithm.py) * [Dinic](https://github.com/TheAlgorithms/Python/blob/master/graphs/dinic.py) * [Directed And Undirected (Weighted) Graph](https://github.com/TheAlgorithms/Python/blob/master/graphs/directed_and_undirected_(weighted)_graph.py) * [Edmonds Karp Multiple Source And Sink](https://github.com/TheAlgorithms/Python/blob/master/graphs/edmonds_karp_multiple_source_and_sink.py) * [Eulerian Path And Circuit For Undirected Graph](https://github.com/TheAlgorithms/Python/blob/master/graphs/eulerian_path_and_circuit_for_undirected_graph.py) * [Even Tree](https://github.com/TheAlgorithms/Python/blob/master/graphs/even_tree.py) * [Finding Bridges](https://github.com/TheAlgorithms/Python/blob/master/graphs/finding_bridges.py) * [Frequent Pattern Graph Miner](https://github.com/TheAlgorithms/Python/blob/master/graphs/frequent_pattern_graph_miner.py) * [G Topological Sort](https://github.com/TheAlgorithms/Python/blob/master/graphs/g_topological_sort.py) * [Gale Shapley Bigraph](https://github.com/TheAlgorithms/Python/blob/master/graphs/gale_shapley_bigraph.py) * [Graph List](https://github.com/TheAlgorithms/Python/blob/master/graphs/graph_list.py) * [Graph Matrix](https://github.com/TheAlgorithms/Python/blob/master/graphs/graph_matrix.py) * [Graphs Floyd Warshall](https://github.com/TheAlgorithms/Python/blob/master/graphs/graphs_floyd_warshall.py) * [Greedy Best First](https://github.com/TheAlgorithms/Python/blob/master/graphs/greedy_best_first.py) * [Greedy Min Vertex Cover](https://github.com/TheAlgorithms/Python/blob/master/graphs/greedy_min_vertex_cover.py) * [Kahns Algorithm Long](https://github.com/TheAlgorithms/Python/blob/master/graphs/kahns_algorithm_long.py) * [Kahns Algorithm Topo](https://github.com/TheAlgorithms/Python/blob/master/graphs/kahns_algorithm_topo.py) * [Karger](https://github.com/TheAlgorithms/Python/blob/master/graphs/karger.py) * [Markov Chain](https://github.com/TheAlgorithms/Python/blob/master/graphs/markov_chain.py) * [Matching Min Vertex Cover](https://github.com/TheAlgorithms/Python/blob/master/graphs/matching_min_vertex_cover.py) * [Minimum Spanning Tree Boruvka](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_boruvka.py) * [Minimum Spanning Tree Kruskal](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_kruskal.py) * [Minimum Spanning Tree Kruskal2](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_kruskal2.py) * [Minimum Spanning Tree Prims](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_prims.py) * [Minimum Spanning Tree Prims2](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_prims2.py) * [Multi Heuristic Astar](https://github.com/TheAlgorithms/Python/blob/master/graphs/multi_heuristic_astar.py) * [Page Rank](https://github.com/TheAlgorithms/Python/blob/master/graphs/page_rank.py) * [Prim](https://github.com/TheAlgorithms/Python/blob/master/graphs/prim.py) * [Random Graph Generator](https://github.com/TheAlgorithms/Python/blob/master/graphs/random_graph_generator.py) * [Scc Kosaraju](https://github.com/TheAlgorithms/Python/blob/master/graphs/scc_kosaraju.py) * [Strongly Connected Components](https://github.com/TheAlgorithms/Python/blob/master/graphs/strongly_connected_components.py) * [Tarjans Scc](https://github.com/TheAlgorithms/Python/blob/master/graphs/tarjans_scc.py) * Tests * [Test Min Spanning Tree Kruskal](https://github.com/TheAlgorithms/Python/blob/master/graphs/tests/test_min_spanning_tree_kruskal.py) * [Test Min Spanning Tree Prim](https://github.com/TheAlgorithms/Python/blob/master/graphs/tests/test_min_spanning_tree_prim.py) ## Greedy Methods * [Optimal Merge Pattern](https://github.com/TheAlgorithms/Python/blob/master/greedy_methods/optimal_merge_pattern.py) ## Hashes * [Adler32](https://github.com/TheAlgorithms/Python/blob/master/hashes/adler32.py) * [Chaos Machine](https://github.com/TheAlgorithms/Python/blob/master/hashes/chaos_machine.py) * [Djb2](https://github.com/TheAlgorithms/Python/blob/master/hashes/djb2.py) * [Enigma Machine](https://github.com/TheAlgorithms/Python/blob/master/hashes/enigma_machine.py) * [Hamming Code](https://github.com/TheAlgorithms/Python/blob/master/hashes/hamming_code.py) * [Luhn](https://github.com/TheAlgorithms/Python/blob/master/hashes/luhn.py) * [Md5](https://github.com/TheAlgorithms/Python/blob/master/hashes/md5.py) * [Sdbm](https://github.com/TheAlgorithms/Python/blob/master/hashes/sdbm.py) * [Sha1](https://github.com/TheAlgorithms/Python/blob/master/hashes/sha1.py) * [Sha256](https://github.com/TheAlgorithms/Python/blob/master/hashes/sha256.py) ## Knapsack * [Greedy Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/greedy_knapsack.py) * [Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/knapsack.py) * Tests * [Test Greedy Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/tests/test_greedy_knapsack.py) * [Test Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/tests/test_knapsack.py) ## Linear Algebra * Src * [Conjugate Gradient](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/conjugate_gradient.py) * [Lib](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/lib.py) * [Polynom For Points](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/polynom_for_points.py) * [Power Iteration](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/power_iteration.py) * [Rayleigh Quotient](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/rayleigh_quotient.py) * [Schur Complement](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/schur_complement.py) * [Test Linear Algebra](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/test_linear_algebra.py) * [Transformations 2D](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/transformations_2d.py) ## Machine Learning * [Astar](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/astar.py) * [Data Transformations](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/data_transformations.py) * [Decision Tree](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/decision_tree.py) * Forecasting * [Run](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/forecasting/run.py) * [Gaussian Naive Bayes](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gaussian_naive_bayes.py) * [Gradient Boosting Regressor](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gradient_boosting_regressor.py) * [Gradient Descent](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gradient_descent.py) * [K Means Clust](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/k_means_clust.py) * [K Nearest Neighbours](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/k_nearest_neighbours.py) * [Knn Sklearn](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/knn_sklearn.py) * [Linear Discriminant Analysis](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/linear_discriminant_analysis.py) * [Linear Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/linear_regression.py) * Local Weighted Learning * [Local Weighted Learning](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/local_weighted_learning/local_weighted_learning.py) * [Logistic Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/logistic_regression.py) * Lstm * [Lstm Prediction](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/lstm/lstm_prediction.py) * [Multilayer Perceptron Classifier](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/multilayer_perceptron_classifier.py) * [Polymonial Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/polymonial_regression.py) * [Random Forest Classifier](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/random_forest_classifier.py) * [Random Forest Regressor](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/random_forest_regressor.py) * [Scoring Functions](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/scoring_functions.py) * [Sequential Minimum Optimization](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/sequential_minimum_optimization.py) * [Similarity Search](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/similarity_search.py) * [Support Vector Machines](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/support_vector_machines.py) * [Word Frequency Functions](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/word_frequency_functions.py) ## Maths * [3N Plus 1](https://github.com/TheAlgorithms/Python/blob/master/maths/3n_plus_1.py) * [Abs](https://github.com/TheAlgorithms/Python/blob/master/maths/abs.py) * [Abs Max](https://github.com/TheAlgorithms/Python/blob/master/maths/abs_max.py) * [Abs Min](https://github.com/TheAlgorithms/Python/blob/master/maths/abs_min.py) * [Add](https://github.com/TheAlgorithms/Python/blob/master/maths/add.py) * [Aliquot Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/aliquot_sum.py) * [Allocation Number](https://github.com/TheAlgorithms/Python/blob/master/maths/allocation_number.py) * [Area](https://github.com/TheAlgorithms/Python/blob/master/maths/area.py) * [Area Under Curve](https://github.com/TheAlgorithms/Python/blob/master/maths/area_under_curve.py) * [Armstrong Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/armstrong_numbers.py) * [Average Mean](https://github.com/TheAlgorithms/Python/blob/master/maths/average_mean.py) * [Average Median](https://github.com/TheAlgorithms/Python/blob/master/maths/average_median.py) * [Average Mode](https://github.com/TheAlgorithms/Python/blob/master/maths/average_mode.py) * [Bailey Borwein Plouffe](https://github.com/TheAlgorithms/Python/blob/master/maths/bailey_borwein_plouffe.py) * [Basic Maths](https://github.com/TheAlgorithms/Python/blob/master/maths/basic_maths.py) * [Binary Exp Mod](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exp_mod.py) * [Binary Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation.py) * [Binary Exponentiation 2](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation_2.py) * [Binary Exponentiation 3](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation_3.py) * [Binomial Coefficient](https://github.com/TheAlgorithms/Python/blob/master/maths/binomial_coefficient.py) * [Binomial Distribution](https://github.com/TheAlgorithms/Python/blob/master/maths/binomial_distribution.py) * [Bisection](https://github.com/TheAlgorithms/Python/blob/master/maths/bisection.py) * [Ceil](https://github.com/TheAlgorithms/Python/blob/master/maths/ceil.py) * [Check Polygon](https://github.com/TheAlgorithms/Python/blob/master/maths/check_polygon.py) * [Chudnovsky Algorithm](https://github.com/TheAlgorithms/Python/blob/master/maths/chudnovsky_algorithm.py) * [Collatz Sequence](https://github.com/TheAlgorithms/Python/blob/master/maths/collatz_sequence.py) * [Combinations](https://github.com/TheAlgorithms/Python/blob/master/maths/combinations.py) * [Decimal Isolate](https://github.com/TheAlgorithms/Python/blob/master/maths/decimal_isolate.py) * [Double Factorial Iterative](https://github.com/TheAlgorithms/Python/blob/master/maths/double_factorial_iterative.py) * [Double Factorial Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/double_factorial_recursive.py) * [Entropy](https://github.com/TheAlgorithms/Python/blob/master/maths/entropy.py) * [Euclidean Distance](https://github.com/TheAlgorithms/Python/blob/master/maths/euclidean_distance.py) * [Euclidean Gcd](https://github.com/TheAlgorithms/Python/blob/master/maths/euclidean_gcd.py) * [Euler Method](https://github.com/TheAlgorithms/Python/blob/master/maths/euler_method.py) * [Euler Modified](https://github.com/TheAlgorithms/Python/blob/master/maths/euler_modified.py) * [Eulers Totient](https://github.com/TheAlgorithms/Python/blob/master/maths/eulers_totient.py) * [Extended Euclidean Algorithm](https://github.com/TheAlgorithms/Python/blob/master/maths/extended_euclidean_algorithm.py) * [Factorial Iterative](https://github.com/TheAlgorithms/Python/blob/master/maths/factorial_iterative.py) * [Factorial Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/factorial_recursive.py) * [Factors](https://github.com/TheAlgorithms/Python/blob/master/maths/factors.py) * [Fermat Little Theorem](https://github.com/TheAlgorithms/Python/blob/master/maths/fermat_little_theorem.py) * [Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/maths/fibonacci.py) * [Find Max](https://github.com/TheAlgorithms/Python/blob/master/maths/find_max.py) * [Find Max Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/find_max_recursion.py) * [Find Min](https://github.com/TheAlgorithms/Python/blob/master/maths/find_min.py) * [Find Min Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/find_min_recursion.py) * [Floor](https://github.com/TheAlgorithms/Python/blob/master/maths/floor.py) * [Gamma](https://github.com/TheAlgorithms/Python/blob/master/maths/gamma.py) * [Gamma Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/gamma_recursive.py) * [Gaussian](https://github.com/TheAlgorithms/Python/blob/master/maths/gaussian.py) * [Greatest Common Divisor](https://github.com/TheAlgorithms/Python/blob/master/maths/greatest_common_divisor.py) * [Greedy Coin Change](https://github.com/TheAlgorithms/Python/blob/master/maths/greedy_coin_change.py) * [Hardy Ramanujanalgo](https://github.com/TheAlgorithms/Python/blob/master/maths/hardy_ramanujanalgo.py) * [Integration By Simpson Approx](https://github.com/TheAlgorithms/Python/blob/master/maths/integration_by_simpson_approx.py) * [Is Ip V4 Address Valid](https://github.com/TheAlgorithms/Python/blob/master/maths/is_ip_v4_address_valid.py) * [Is Square Free](https://github.com/TheAlgorithms/Python/blob/master/maths/is_square_free.py) * [Jaccard Similarity](https://github.com/TheAlgorithms/Python/blob/master/maths/jaccard_similarity.py) * [Kadanes](https://github.com/TheAlgorithms/Python/blob/master/maths/kadanes.py) * [Karatsuba](https://github.com/TheAlgorithms/Python/blob/master/maths/karatsuba.py) * [Krishnamurthy Number](https://github.com/TheAlgorithms/Python/blob/master/maths/krishnamurthy_number.py) * [Kth Lexicographic Permutation](https://github.com/TheAlgorithms/Python/blob/master/maths/kth_lexicographic_permutation.py) * [Largest Of Very Large Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/largest_of_very_large_numbers.py) * [Largest Subarray Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/largest_subarray_sum.py) * [Least Common Multiple](https://github.com/TheAlgorithms/Python/blob/master/maths/least_common_multiple.py) * [Line Length](https://github.com/TheAlgorithms/Python/blob/master/maths/line_length.py) * [Lucas Lehmer Primality Test](https://github.com/TheAlgorithms/Python/blob/master/maths/lucas_lehmer_primality_test.py) * [Lucas Series](https://github.com/TheAlgorithms/Python/blob/master/maths/lucas_series.py) * [Matrix Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/maths/matrix_exponentiation.py) * [Max Sum Sliding Window](https://github.com/TheAlgorithms/Python/blob/master/maths/max_sum_sliding_window.py) * [Median Of Two Arrays](https://github.com/TheAlgorithms/Python/blob/master/maths/median_of_two_arrays.py) * [Miller Rabin](https://github.com/TheAlgorithms/Python/blob/master/maths/miller_rabin.py) * [Mobius Function](https://github.com/TheAlgorithms/Python/blob/master/maths/mobius_function.py) * [Modular Exponential](https://github.com/TheAlgorithms/Python/blob/master/maths/modular_exponential.py) * [Monte Carlo](https://github.com/TheAlgorithms/Python/blob/master/maths/monte_carlo.py) * [Monte Carlo Dice](https://github.com/TheAlgorithms/Python/blob/master/maths/monte_carlo_dice.py) * [Nevilles Method](https://github.com/TheAlgorithms/Python/blob/master/maths/nevilles_method.py) * [Newton Raphson](https://github.com/TheAlgorithms/Python/blob/master/maths/newton_raphson.py) * [Number Of Digits](https://github.com/TheAlgorithms/Python/blob/master/maths/number_of_digits.py) * [Numerical Integration](https://github.com/TheAlgorithms/Python/blob/master/maths/numerical_integration.py) * [Perfect Cube](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_cube.py) * [Perfect Number](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_number.py) * [Perfect Square](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_square.py) * [Persistence](https://github.com/TheAlgorithms/Python/blob/master/maths/persistence.py) * [Pi Monte Carlo Estimation](https://github.com/TheAlgorithms/Python/blob/master/maths/pi_monte_carlo_estimation.py) * [Pollard Rho](https://github.com/TheAlgorithms/Python/blob/master/maths/pollard_rho.py) * [Polynomial Evaluation](https://github.com/TheAlgorithms/Python/blob/master/maths/polynomial_evaluation.py) * [Power Using Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/power_using_recursion.py) * [Prime Check](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_check.py) * [Prime Factors](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_factors.py) * [Prime Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_numbers.py) * [Prime Sieve Eratosthenes](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_sieve_eratosthenes.py) * [Primelib](https://github.com/TheAlgorithms/Python/blob/master/maths/primelib.py) * [Proth Number](https://github.com/TheAlgorithms/Python/blob/master/maths/proth_number.py) * [Pythagoras](https://github.com/TheAlgorithms/Python/blob/master/maths/pythagoras.py) * [Qr Decomposition](https://github.com/TheAlgorithms/Python/blob/master/maths/qr_decomposition.py) * [Quadratic Equations Complex Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/quadratic_equations_complex_numbers.py) * [Radians](https://github.com/TheAlgorithms/Python/blob/master/maths/radians.py) * [Radix2 Fft](https://github.com/TheAlgorithms/Python/blob/master/maths/radix2_fft.py) * [Relu](https://github.com/TheAlgorithms/Python/blob/master/maths/relu.py) * [Runge Kutta](https://github.com/TheAlgorithms/Python/blob/master/maths/runge_kutta.py) * [Segmented Sieve](https://github.com/TheAlgorithms/Python/blob/master/maths/segmented_sieve.py) * Series * [Arithmetic](https://github.com/TheAlgorithms/Python/blob/master/maths/series/arithmetic.py) * [Geometric](https://github.com/TheAlgorithms/Python/blob/master/maths/series/geometric.py) * [Geometric Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/geometric_series.py) * [Harmonic](https://github.com/TheAlgorithms/Python/blob/master/maths/series/harmonic.py) * [Harmonic Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/harmonic_series.py) * [Hexagonal Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/series/hexagonal_numbers.py) * [P Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/p_series.py) * [Sieve Of Eratosthenes](https://github.com/TheAlgorithms/Python/blob/master/maths/sieve_of_eratosthenes.py) * [Sigmoid](https://github.com/TheAlgorithms/Python/blob/master/maths/sigmoid.py) * [Simpson Rule](https://github.com/TheAlgorithms/Python/blob/master/maths/simpson_rule.py) * [Sock Merchant](https://github.com/TheAlgorithms/Python/blob/master/maths/sock_merchant.py) * [Softmax](https://github.com/TheAlgorithms/Python/blob/master/maths/softmax.py) * [Square Root](https://github.com/TheAlgorithms/Python/blob/master/maths/square_root.py) * [Sum Of Arithmetic Series](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_arithmetic_series.py) * [Sum Of Digits](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_digits.py) * [Sum Of Geometric Progression](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_geometric_progression.py) * [Sylvester Sequence](https://github.com/TheAlgorithms/Python/blob/master/maths/sylvester_sequence.py) * [Test Prime Check](https://github.com/TheAlgorithms/Python/blob/master/maths/test_prime_check.py) * [Trapezoidal Rule](https://github.com/TheAlgorithms/Python/blob/master/maths/trapezoidal_rule.py) * [Triplet Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/triplet_sum.py) * [Two Pointer](https://github.com/TheAlgorithms/Python/blob/master/maths/two_pointer.py) * [Two Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/two_sum.py) * [Ugly Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/ugly_numbers.py) * [Volume](https://github.com/TheAlgorithms/Python/blob/master/maths/volume.py) * [Zellers Congruence](https://github.com/TheAlgorithms/Python/blob/master/maths/zellers_congruence.py) ## Matrix * [Count Islands In Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/count_islands_in_matrix.py) * [Inverse Of Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/inverse_of_matrix.py) * [Matrix Class](https://github.com/TheAlgorithms/Python/blob/master/matrix/matrix_class.py) * [Matrix Operation](https://github.com/TheAlgorithms/Python/blob/master/matrix/matrix_operation.py) * [Nth Fibonacci Using Matrix Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/matrix/nth_fibonacci_using_matrix_exponentiation.py) * [Rotate Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/rotate_matrix.py) * [Searching In Sorted Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/searching_in_sorted_matrix.py) * [Sherman Morrison](https://github.com/TheAlgorithms/Python/blob/master/matrix/sherman_morrison.py) * [Spiral Print](https://github.com/TheAlgorithms/Python/blob/master/matrix/spiral_print.py) * Tests * [Test Matrix Operation](https://github.com/TheAlgorithms/Python/blob/master/matrix/tests/test_matrix_operation.py) ## Networking Flow * [Ford Fulkerson](https://github.com/TheAlgorithms/Python/blob/master/networking_flow/ford_fulkerson.py) * [Minimum Cut](https://github.com/TheAlgorithms/Python/blob/master/networking_flow/minimum_cut.py) ## Neural Network * [2 Hidden Layers Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/2_hidden_layers_neural_network.py) * [Back Propagation Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/back_propagation_neural_network.py) * [Convolution Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/convolution_neural_network.py) * [Perceptron](https://github.com/TheAlgorithms/Python/blob/master/neural_network/perceptron.py) ## Other * [Activity Selection](https://github.com/TheAlgorithms/Python/blob/master/other/activity_selection.py) * [Alternative List Arrange](https://github.com/TheAlgorithms/Python/blob/master/other/alternative_list_arrange.py) * [Check Strong Password](https://github.com/TheAlgorithms/Python/blob/master/other/check_strong_password.py) * [Davisb Putnamb Logemannb Loveland](https://github.com/TheAlgorithms/Python/blob/master/other/davisb_putnamb_logemannb_loveland.py) * [Dijkstra Bankers Algorithm](https://github.com/TheAlgorithms/Python/blob/master/other/dijkstra_bankers_algorithm.py) * [Doomsday](https://github.com/TheAlgorithms/Python/blob/master/other/doomsday.py) * [Fischer Yates Shuffle](https://github.com/TheAlgorithms/Python/blob/master/other/fischer_yates_shuffle.py) * [Gauss Easter](https://github.com/TheAlgorithms/Python/blob/master/other/gauss_easter.py) * [Graham Scan](https://github.com/TheAlgorithms/Python/blob/master/other/graham_scan.py) * [Greedy](https://github.com/TheAlgorithms/Python/blob/master/other/greedy.py) * [Least Recently Used](https://github.com/TheAlgorithms/Python/blob/master/other/least_recently_used.py) * [Lfu Cache](https://github.com/TheAlgorithms/Python/blob/master/other/lfu_cache.py) * [Linear Congruential Generator](https://github.com/TheAlgorithms/Python/blob/master/other/linear_congruential_generator.py) * [Lru Cache](https://github.com/TheAlgorithms/Python/blob/master/other/lru_cache.py) * [Magicdiamondpattern](https://github.com/TheAlgorithms/Python/blob/master/other/magicdiamondpattern.py) * [Nested Brackets](https://github.com/TheAlgorithms/Python/blob/master/other/nested_brackets.py) * [Password Generator](https://github.com/TheAlgorithms/Python/blob/master/other/password_generator.py) * [Scoring Algorithm](https://github.com/TheAlgorithms/Python/blob/master/other/scoring_algorithm.py) * [Sdes](https://github.com/TheAlgorithms/Python/blob/master/other/sdes.py) * [Tower Of Hanoi](https://github.com/TheAlgorithms/Python/blob/master/other/tower_of_hanoi.py) ## Physics * [N Body Simulation](https://github.com/TheAlgorithms/Python/blob/master/physics/n_body_simulation.py) * [Newtons Second Law Of Motion](https://github.com/TheAlgorithms/Python/blob/master/physics/newtons_second_law_of_motion.py) ## Project Euler * Problem 001 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol4.py) * [Sol5](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol5.py) * [Sol6](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol6.py) * [Sol7](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol7.py) * Problem 002 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol4.py) * [Sol5](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol5.py) * Problem 003 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol3.py) * Problem 004 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_004/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_004/sol2.py) * Problem 005 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_005/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_005/sol2.py) * Problem 006 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol4.py) * Problem 007 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol3.py) * Problem 008 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol3.py) * Problem 009 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol3.py) * Problem 010 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol3.py) * Problem 011 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_011/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_011/sol2.py) * Problem 012 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_012/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_012/sol2.py) * Problem 013 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_013/sol1.py) * Problem 014 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_014/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_014/sol2.py) * Problem 015 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_015/sol1.py) * Problem 016 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_016/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_016/sol2.py) * Problem 017 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_017/sol1.py) * Problem 018 * [Solution](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_018/solution.py) * Problem 019 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_019/sol1.py) * Problem 020 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol4.py) * Problem 021 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_021/sol1.py) * Problem 022 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_022/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_022/sol2.py) * Problem 023 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_023/sol1.py) * Problem 024 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_024/sol1.py) * Problem 025 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol3.py) * Problem 026 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_026/sol1.py) * Problem 027 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_027/sol1.py) * Problem 028 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_028/sol1.py) * Problem 029 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_029/sol1.py) * Problem 030 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_030/sol1.py) * Problem 031 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_031/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_031/sol2.py) * Problem 032 * [Sol32](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_032/sol32.py) * Problem 033 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_033/sol1.py) * Problem 034 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_034/sol1.py) * Problem 035 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_035/sol1.py) * Problem 036 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_036/sol1.py) * Problem 037 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_037/sol1.py) * Problem 038 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_038/sol1.py) * Problem 039 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_039/sol1.py) * Problem 040 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_040/sol1.py) * Problem 041 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_041/sol1.py) * Problem 042 * [Solution42](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_042/solution42.py) * Problem 043 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_043/sol1.py) * Problem 044 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_044/sol1.py) * Problem 045 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_045/sol1.py) * Problem 046 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_046/sol1.py) * Problem 047 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_047/sol1.py) * Problem 048 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_048/sol1.py) * Problem 049 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_049/sol1.py) * Problem 050 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_050/sol1.py) * Problem 051 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_051/sol1.py) * Problem 052 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_052/sol1.py) * Problem 053 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_053/sol1.py) * Problem 054 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_054/sol1.py) * [Test Poker Hand](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_054/test_poker_hand.py) * Problem 055 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_055/sol1.py) * Problem 056 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_056/sol1.py) * Problem 057 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_057/sol1.py) * Problem 058 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_058/sol1.py) * Problem 059 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_059/sol1.py) * Problem 062 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_062/sol1.py) * Problem 063 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_063/sol1.py) * Problem 064 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_064/sol1.py) * Problem 065 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_065/sol1.py) * Problem 067 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_067/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_067/sol2.py) * Problem 069 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_069/sol1.py) * Problem 070 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_070/sol1.py) * Problem 071 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_071/sol1.py) * Problem 072 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_072/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_072/sol2.py) * Problem 074 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_074/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_074/sol2.py) * Problem 075 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_075/sol1.py) * Problem 076 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_076/sol1.py) * Problem 077 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_077/sol1.py) * Problem 078 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_078/sol1.py) * Problem 080 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_080/sol1.py) * Problem 081 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_081/sol1.py) * Problem 085 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_085/sol1.py) * Problem 086 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_086/sol1.py) * Problem 087 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_087/sol1.py) * Problem 089 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_089/sol1.py) * Problem 091 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_091/sol1.py) * Problem 092 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_092/sol1.py) * Problem 097 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_097/sol1.py) * Problem 099 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_099/sol1.py) * Problem 101 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_101/sol1.py) * Problem 102 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_102/sol1.py) * Problem 107 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_107/sol1.py) * Problem 109 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_109/sol1.py) * Problem 112 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_112/sol1.py) * Problem 113 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_113/sol1.py) * Problem 119 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_119/sol1.py) * Problem 120 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_120/sol1.py) * Problem 121 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_121/sol1.py) * Problem 123 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_123/sol1.py) * Problem 125 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_125/sol1.py) * Problem 129 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_129/sol1.py) * Problem 135 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_135/sol1.py) * Problem 144 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_144/sol1.py) * Problem 173 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_173/sol1.py) * Problem 174 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_174/sol1.py) * Problem 180 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_180/sol1.py) * Problem 188 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_188/sol1.py) * Problem 191 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_191/sol1.py) * Problem 203 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_203/sol1.py) * Problem 205 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_205/sol1.py) * Problem 206 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_206/sol1.py) * Problem 207 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_207/sol1.py) * Problem 234 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_234/sol1.py) * Problem 301 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_301/sol1.py) * Problem 493 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_493/sol1.py) * Problem 551 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_551/sol1.py) * Problem 686 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_686/sol1.py) ## Quantum * [Deutsch Jozsa](https://github.com/TheAlgorithms/Python/blob/master/quantum/deutsch_jozsa.py) * [Half Adder](https://github.com/TheAlgorithms/Python/blob/master/quantum/half_adder.py) * [Not Gate](https://github.com/TheAlgorithms/Python/blob/master/quantum/not_gate.py) * [Quantum Entanglement](https://github.com/TheAlgorithms/Python/blob/master/quantum/quantum_entanglement.py) * [Ripple Adder Classic](https://github.com/TheAlgorithms/Python/blob/master/quantum/ripple_adder_classic.py) * [Single Qubit Measure](https://github.com/TheAlgorithms/Python/blob/master/quantum/single_qubit_measure.py) ## Scheduling * [First Come First Served](https://github.com/TheAlgorithms/Python/blob/master/scheduling/first_come_first_served.py) * [Round Robin](https://github.com/TheAlgorithms/Python/blob/master/scheduling/round_robin.py) * [Shortest Job First](https://github.com/TheAlgorithms/Python/blob/master/scheduling/shortest_job_first.py) ## Searches * [Binary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/binary_search.py) * [Binary Tree Traversal](https://github.com/TheAlgorithms/Python/blob/master/searches/binary_tree_traversal.py) * [Double Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/double_linear_search.py) * [Double Linear Search Recursion](https://github.com/TheAlgorithms/Python/blob/master/searches/double_linear_search_recursion.py) * [Fibonacci Search](https://github.com/TheAlgorithms/Python/blob/master/searches/fibonacci_search.py) * [Hill Climbing](https://github.com/TheAlgorithms/Python/blob/master/searches/hill_climbing.py) * [Interpolation Search](https://github.com/TheAlgorithms/Python/blob/master/searches/interpolation_search.py) * [Jump Search](https://github.com/TheAlgorithms/Python/blob/master/searches/jump_search.py) * [Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/linear_search.py) * [Quick Select](https://github.com/TheAlgorithms/Python/blob/master/searches/quick_select.py) * [Sentinel Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/sentinel_linear_search.py) * [Simple Binary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/simple_binary_search.py) * [Simulated Annealing](https://github.com/TheAlgorithms/Python/blob/master/searches/simulated_annealing.py) * [Tabu Search](https://github.com/TheAlgorithms/Python/blob/master/searches/tabu_search.py) * [Ternary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/ternary_search.py) ## Sorts * [Bead Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bead_sort.py) * [Bitonic Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bitonic_sort.py) * [Bogo Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bogo_sort.py) * [Bubble Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bubble_sort.py) * [Bucket Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bucket_sort.py) * [Cocktail Shaker Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/cocktail_shaker_sort.py) * [Comb Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/comb_sort.py) * [Counting Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/counting_sort.py) * [Cycle Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/cycle_sort.py) * [Double Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/double_sort.py) * [Dutch National Flag Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/dutch_national_flag_sort.py) * [Exchange Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/exchange_sort.py) * [External Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/external_sort.py) * [Gnome Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/gnome_sort.py) * [Heap Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/heap_sort.py) * [Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/insertion_sort.py) * [Intro Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/intro_sort.py) * [Iterative Merge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/iterative_merge_sort.py) * [Merge Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/merge_insertion_sort.py) * [Merge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/merge_sort.py) * [Msd Radix Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/msd_radix_sort.py) * [Natural Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/natural_sort.py) * [Odd Even Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_sort.py) * [Odd Even Transposition Parallel](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_transposition_parallel.py) * [Odd Even Transposition Single Threaded](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_transposition_single_threaded.py) * [Pancake Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pancake_sort.py) * [Patience Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/patience_sort.py) * [Pigeon Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pigeon_sort.py) * [Pigeonhole Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pigeonhole_sort.py) * [Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/quick_sort.py) * [Quick Sort 3 Partition](https://github.com/TheAlgorithms/Python/blob/master/sorts/quick_sort_3_partition.py) * [Radix Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/radix_sort.py) * [Random Normal Distribution Quicksort](https://github.com/TheAlgorithms/Python/blob/master/sorts/random_normal_distribution_quicksort.py) * [Random Pivot Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/random_pivot_quick_sort.py) * [Recursive Bubble Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_bubble_sort.py) * [Recursive Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_insertion_sort.py) * [Recursive Mergesort Array](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_mergesort_array.py) * [Recursive Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_quick_sort.py) * [Selection Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/selection_sort.py) * [Shell Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/shell_sort.py) * [Slowsort](https://github.com/TheAlgorithms/Python/blob/master/sorts/slowsort.py) * [Stooge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/stooge_sort.py) * [Strand Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/strand_sort.py) * [Tim Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/tim_sort.py) * [Topological Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/topological_sort.py) * [Tree Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/tree_sort.py) * [Unknown Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/unknown_sort.py) * [Wiggle Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/wiggle_sort.py) ## Strings * [Aho Corasick](https://github.com/TheAlgorithms/Python/blob/master/strings/aho_corasick.py) * [Alternative String Arrange](https://github.com/TheAlgorithms/Python/blob/master/strings/alternative_string_arrange.py) * [Anagrams](https://github.com/TheAlgorithms/Python/blob/master/strings/anagrams.py) * [Autocomplete Using Trie](https://github.com/TheAlgorithms/Python/blob/master/strings/autocomplete_using_trie.py) * [Boyer Moore Search](https://github.com/TheAlgorithms/Python/blob/master/strings/boyer_moore_search.py) * [Can String Be Rearranged As Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/can_string_be_rearranged_as_palindrome.py) * [Capitalize](https://github.com/TheAlgorithms/Python/blob/master/strings/capitalize.py) * [Check Anagrams](https://github.com/TheAlgorithms/Python/blob/master/strings/check_anagrams.py) * [Check Pangram](https://github.com/TheAlgorithms/Python/blob/master/strings/check_pangram.py) * [Credit Card Validator](https://github.com/TheAlgorithms/Python/blob/master/strings/credit_card_validator.py) * [Detecting English Programmatically](https://github.com/TheAlgorithms/Python/blob/master/strings/detecting_english_programmatically.py) * [Frequency Finder](https://github.com/TheAlgorithms/Python/blob/master/strings/frequency_finder.py) * [Indian Phone Validator](https://github.com/TheAlgorithms/Python/blob/master/strings/indian_phone_validator.py) * [Is Contains Unique Chars](https://github.com/TheAlgorithms/Python/blob/master/strings/is_contains_unique_chars.py) * [Is Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/is_palindrome.py) * [Jaro Winkler](https://github.com/TheAlgorithms/Python/blob/master/strings/jaro_winkler.py) * [Join](https://github.com/TheAlgorithms/Python/blob/master/strings/join.py) * [Knuth Morris Pratt](https://github.com/TheAlgorithms/Python/blob/master/strings/knuth_morris_pratt.py) * [Levenshtein Distance](https://github.com/TheAlgorithms/Python/blob/master/strings/levenshtein_distance.py) * [Lower](https://github.com/TheAlgorithms/Python/blob/master/strings/lower.py) * [Manacher](https://github.com/TheAlgorithms/Python/blob/master/strings/manacher.py) * [Min Cost String Conversion](https://github.com/TheAlgorithms/Python/blob/master/strings/min_cost_string_conversion.py) * [Naive String Search](https://github.com/TheAlgorithms/Python/blob/master/strings/naive_string_search.py) * [Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/palindrome.py) * [Prefix Function](https://github.com/TheAlgorithms/Python/blob/master/strings/prefix_function.py) * [Rabin Karp](https://github.com/TheAlgorithms/Python/blob/master/strings/rabin_karp.py) * [Remove Duplicate](https://github.com/TheAlgorithms/Python/blob/master/strings/remove_duplicate.py) * [Reverse Letters](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_letters.py) * [Reverse Long Words](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_long_words.py) * [Reverse Words](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_words.py) * [Split](https://github.com/TheAlgorithms/Python/blob/master/strings/split.py) * [Upper](https://github.com/TheAlgorithms/Python/blob/master/strings/upper.py) * [Wildcard Pattern Matching](https://github.com/TheAlgorithms/Python/blob/master/strings/wildcard_pattern_matching.py) * [Word Occurrence](https://github.com/TheAlgorithms/Python/blob/master/strings/word_occurrence.py) * [Word Patterns](https://github.com/TheAlgorithms/Python/blob/master/strings/word_patterns.py) * [Z Function](https://github.com/TheAlgorithms/Python/blob/master/strings/z_function.py) ## Web Programming * [Co2 Emission](https://github.com/TheAlgorithms/Python/blob/master/web_programming/co2_emission.py) * [Covid Stats Via Xpath](https://github.com/TheAlgorithms/Python/blob/master/web_programming/covid_stats_via_xpath.py) * [Crawl Google Results](https://github.com/TheAlgorithms/Python/blob/master/web_programming/crawl_google_results.py) * [Crawl Google Scholar Citation](https://github.com/TheAlgorithms/Python/blob/master/web_programming/crawl_google_scholar_citation.py) * [Currency Converter](https://github.com/TheAlgorithms/Python/blob/master/web_programming/currency_converter.py) * [Current Stock Price](https://github.com/TheAlgorithms/Python/blob/master/web_programming/current_stock_price.py) * [Current Weather](https://github.com/TheAlgorithms/Python/blob/master/web_programming/current_weather.py) * [Daily Horoscope](https://github.com/TheAlgorithms/Python/blob/master/web_programming/daily_horoscope.py) * [Download Images From Google Query](https://github.com/TheAlgorithms/Python/blob/master/web_programming/download_images_from_google_query.py) * [Emails From Url](https://github.com/TheAlgorithms/Python/blob/master/web_programming/emails_from_url.py) * [Fetch Bbc News](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_bbc_news.py) * [Fetch Github Info](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_github_info.py) * [Fetch Jobs](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_jobs.py) * [Get Imdb Top 250 Movies Csv](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_imdb_top_250_movies_csv.py) * [Get Imdbtop](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_imdbtop.py) * [Get Top Hn Posts](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_top_hn_posts.py) * [Get User Tweets](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_user_tweets.py) * [Giphy](https://github.com/TheAlgorithms/Python/blob/master/web_programming/giphy.py) * [Instagram Crawler](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_crawler.py) * [Instagram Pic](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_pic.py) * [Instagram Video](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_video.py) * [Nasa Data](https://github.com/TheAlgorithms/Python/blob/master/web_programming/nasa_data.py) * [Random Anime Character](https://github.com/TheAlgorithms/Python/blob/master/web_programming/random_anime_character.py) * [Recaptcha Verification](https://github.com/TheAlgorithms/Python/blob/master/web_programming/recaptcha_verification.py) * [Reddit](https://github.com/TheAlgorithms/Python/blob/master/web_programming/reddit.py) * [Search Books By Isbn](https://github.com/TheAlgorithms/Python/blob/master/web_programming/search_books_by_isbn.py) * [Slack Message](https://github.com/TheAlgorithms/Python/blob/master/web_programming/slack_message.py) * [Test Fetch Github Info](https://github.com/TheAlgorithms/Python/blob/master/web_programming/test_fetch_github_info.py) * [World Covid19 Stats](https://github.com/TheAlgorithms/Python/blob/master/web_programming/world_covid19_stats.py)
## Arithmetic Analysis * [Bisection](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/bisection.py) * [Gaussian Elimination](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/gaussian_elimination.py) * [In Static Equilibrium](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/in_static_equilibrium.py) * [Intersection](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/intersection.py) * [Jacobi Iteration Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/jacobi_iteration_method.py) * [Lu Decomposition](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/lu_decomposition.py) * [Newton Forward Interpolation](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_forward_interpolation.py) * [Newton Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_method.py) * [Newton Raphson](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/newton_raphson.py) * [Secant Method](https://github.com/TheAlgorithms/Python/blob/master/arithmetic_analysis/secant_method.py) ## Audio Filters * [Butterworth Filter](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/butterworth_filter.py) * [Iir Filter](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/iir_filter.py) * [Show Response](https://github.com/TheAlgorithms/Python/blob/master/audio_filters/show_response.py) ## Backtracking * [All Combinations](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_combinations.py) * [All Permutations](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_permutations.py) * [All Subsequences](https://github.com/TheAlgorithms/Python/blob/master/backtracking/all_subsequences.py) * [Coloring](https://github.com/TheAlgorithms/Python/blob/master/backtracking/coloring.py) * [Hamiltonian Cycle](https://github.com/TheAlgorithms/Python/blob/master/backtracking/hamiltonian_cycle.py) * [Knight Tour](https://github.com/TheAlgorithms/Python/blob/master/backtracking/knight_tour.py) * [Minimax](https://github.com/TheAlgorithms/Python/blob/master/backtracking/minimax.py) * [N Queens](https://github.com/TheAlgorithms/Python/blob/master/backtracking/n_queens.py) * [N Queens Math](https://github.com/TheAlgorithms/Python/blob/master/backtracking/n_queens_math.py) * [Rat In Maze](https://github.com/TheAlgorithms/Python/blob/master/backtracking/rat_in_maze.py) * [Sudoku](https://github.com/TheAlgorithms/Python/blob/master/backtracking/sudoku.py) * [Sum Of Subsets](https://github.com/TheAlgorithms/Python/blob/master/backtracking/sum_of_subsets.py) ## Bit Manipulation * [Binary And Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_and_operator.py) * [Binary Count Setbits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_count_setbits.py) * [Binary Count Trailing Zeros](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_count_trailing_zeros.py) * [Binary Or Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_or_operator.py) * [Binary Shifts](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_shifts.py) * [Binary Twos Complement](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_twos_complement.py) * [Binary Xor Operator](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/binary_xor_operator.py) * [Count 1S Brian Kernighan Method](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/count_1s_brian_kernighan_method.py) * [Count Number Of One Bits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/count_number_of_one_bits.py) * [Gray Code Sequence](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/gray_code_sequence.py) * [Reverse Bits](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/reverse_bits.py) * [Single Bit Manipulation Operations](https://github.com/TheAlgorithms/Python/blob/master/bit_manipulation/single_bit_manipulation_operations.py) ## Blockchain * [Chinese Remainder Theorem](https://github.com/TheAlgorithms/Python/blob/master/blockchain/chinese_remainder_theorem.py) * [Diophantine Equation](https://github.com/TheAlgorithms/Python/blob/master/blockchain/diophantine_equation.py) * [Modular Division](https://github.com/TheAlgorithms/Python/blob/master/blockchain/modular_division.py) ## Boolean Algebra * [Quine Mc Cluskey](https://github.com/TheAlgorithms/Python/blob/master/boolean_algebra/quine_mc_cluskey.py) ## Cellular Automata * [Conways Game Of Life](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/conways_game_of_life.py) * [Game Of Life](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/game_of_life.py) * [Nagel Schrekenberg](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/nagel_schrekenberg.py) * [One Dimensional](https://github.com/TheAlgorithms/Python/blob/master/cellular_automata/one_dimensional.py) ## Ciphers * [A1Z26](https://github.com/TheAlgorithms/Python/blob/master/ciphers/a1z26.py) * [Affine Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/affine_cipher.py) * [Atbash](https://github.com/TheAlgorithms/Python/blob/master/ciphers/atbash.py) * [Baconian Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/baconian_cipher.py) * [Base16](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base16.py) * [Base32](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base32.py) * [Base64](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base64.py) * [Base85](https://github.com/TheAlgorithms/Python/blob/master/ciphers/base85.py) * [Beaufort Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/beaufort_cipher.py) * [Bifid](https://github.com/TheAlgorithms/Python/blob/master/ciphers/bifid.py) * [Brute Force Caesar Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/brute_force_caesar_cipher.py) * [Caesar Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/caesar_cipher.py) * [Cryptomath Module](https://github.com/TheAlgorithms/Python/blob/master/ciphers/cryptomath_module.py) * [Decrypt Caesar With Chi Squared](https://github.com/TheAlgorithms/Python/blob/master/ciphers/decrypt_caesar_with_chi_squared.py) * [Deterministic Miller Rabin](https://github.com/TheAlgorithms/Python/blob/master/ciphers/deterministic_miller_rabin.py) * [Diffie](https://github.com/TheAlgorithms/Python/blob/master/ciphers/diffie.py) * [Diffie Hellman](https://github.com/TheAlgorithms/Python/blob/master/ciphers/diffie_hellman.py) * [Elgamal Key Generator](https://github.com/TheAlgorithms/Python/blob/master/ciphers/elgamal_key_generator.py) * [Enigma Machine2](https://github.com/TheAlgorithms/Python/blob/master/ciphers/enigma_machine2.py) * [Hill Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/hill_cipher.py) * [Mixed Keyword Cypher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/mixed_keyword_cypher.py) * [Mono Alphabetic Ciphers](https://github.com/TheAlgorithms/Python/blob/master/ciphers/mono_alphabetic_ciphers.py) * [Morse Code](https://github.com/TheAlgorithms/Python/blob/master/ciphers/morse_code.py) * [Onepad Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/onepad_cipher.py) * [Playfair Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/playfair_cipher.py) * [Polybius](https://github.com/TheAlgorithms/Python/blob/master/ciphers/polybius.py) * [Porta Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/porta_cipher.py) * [Rabin Miller](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rabin_miller.py) * [Rail Fence Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rail_fence_cipher.py) * [Rot13](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rot13.py) * [Rsa Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_cipher.py) * [Rsa Factorization](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_factorization.py) * [Rsa Key Generator](https://github.com/TheAlgorithms/Python/blob/master/ciphers/rsa_key_generator.py) * [Shuffled Shift Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/shuffled_shift_cipher.py) * [Simple Keyword Cypher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/simple_keyword_cypher.py) * [Simple Substitution Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/simple_substitution_cipher.py) * [Trafid Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/trafid_cipher.py) * [Transposition Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/transposition_cipher.py) * [Transposition Cipher Encrypt Decrypt File](https://github.com/TheAlgorithms/Python/blob/master/ciphers/transposition_cipher_encrypt_decrypt_file.py) * [Vigenere Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/vigenere_cipher.py) * [Xor Cipher](https://github.com/TheAlgorithms/Python/blob/master/ciphers/xor_cipher.py) ## Compression * [Burrows Wheeler](https://github.com/TheAlgorithms/Python/blob/master/compression/burrows_wheeler.py) * [Huffman](https://github.com/TheAlgorithms/Python/blob/master/compression/huffman.py) * [Lempel Ziv](https://github.com/TheAlgorithms/Python/blob/master/compression/lempel_ziv.py) * [Lempel Ziv Decompress](https://github.com/TheAlgorithms/Python/blob/master/compression/lempel_ziv_decompress.py) * [Peak Signal To Noise Ratio](https://github.com/TheAlgorithms/Python/blob/master/compression/peak_signal_to_noise_ratio.py) ## Computer Vision * [Cnn Classification](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/cnn_classification.py) * [Flip Augmentation](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/flip_augmentation.py) * [Harris Corner](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/harris_corner.py) * [Mean Threshold](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/mean_threshold.py) * [Mosaic Augmentation](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/mosaic_augmentation.py) * [Pooling Functions](https://github.com/TheAlgorithms/Python/blob/master/computer_vision/pooling_functions.py) ## Conversions * [Binary To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_decimal.py) * [Binary To Hexadecimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_hexadecimal.py) * [Binary To Octal](https://github.com/TheAlgorithms/Python/blob/master/conversions/binary_to_octal.py) * [Decimal To Any](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_any.py) * [Decimal To Binary](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_binary.py) * [Decimal To Binary Recursion](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_binary_recursion.py) * [Decimal To Hexadecimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_hexadecimal.py) * [Decimal To Octal](https://github.com/TheAlgorithms/Python/blob/master/conversions/decimal_to_octal.py) * [Hex To Bin](https://github.com/TheAlgorithms/Python/blob/master/conversions/hex_to_bin.py) * [Hexadecimal To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/hexadecimal_to_decimal.py) * [Length Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/length_conversion.py) * [Molecular Chemistry](https://github.com/TheAlgorithms/Python/blob/master/conversions/molecular_chemistry.py) * [Octal To Decimal](https://github.com/TheAlgorithms/Python/blob/master/conversions/octal_to_decimal.py) * [Prefix Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/prefix_conversions.py) * [Pressure Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/pressure_conversions.py) * [Rgb Hsv Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/rgb_hsv_conversion.py) * [Roman Numerals](https://github.com/TheAlgorithms/Python/blob/master/conversions/roman_numerals.py) * [Temperature Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/temperature_conversions.py) * [Volume Conversions](https://github.com/TheAlgorithms/Python/blob/master/conversions/volume_conversions.py) * [Weight Conversion](https://github.com/TheAlgorithms/Python/blob/master/conversions/weight_conversion.py) ## Data Structures * Binary Tree * [Avl Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/avl_tree.py) * [Basic Binary Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/basic_binary_tree.py) * [Binary Search Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_search_tree.py) * [Binary Search Tree Recursive](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_search_tree_recursive.py) * [Binary Tree Mirror](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_tree_mirror.py) * [Binary Tree Traversals](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/binary_tree_traversals.py) * [Fenwick Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/fenwick_tree.py) * [Lazy Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/lazy_segment_tree.py) * [Lowest Common Ancestor](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/lowest_common_ancestor.py) * [Merge Two Binary Trees](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/merge_two_binary_trees.py) * [Non Recursive Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/non_recursive_segment_tree.py) * [Number Of Possible Binary Trees](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/number_of_possible_binary_trees.py) * [Red Black Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/red_black_tree.py) * [Segment Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/segment_tree.py) * [Segment Tree Other](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/segment_tree_other.py) * [Treap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/treap.py) * [Wavelet Tree](https://github.com/TheAlgorithms/Python/blob/master/data_structures/binary_tree/wavelet_tree.py) * Disjoint Set * [Alternate Disjoint Set](https://github.com/TheAlgorithms/Python/blob/master/data_structures/disjoint_set/alternate_disjoint_set.py) * [Disjoint Set](https://github.com/TheAlgorithms/Python/blob/master/data_structures/disjoint_set/disjoint_set.py) * Hashing * [Double Hash](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/double_hash.py) * [Hash Table](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/hash_table.py) * [Hash Table With Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/hash_table_with_linked_list.py) * Number Theory * [Prime Numbers](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/number_theory/prime_numbers.py) * [Quadratic Probing](https://github.com/TheAlgorithms/Python/blob/master/data_structures/hashing/quadratic_probing.py) * Heap * [Binomial Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/binomial_heap.py) * [Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/heap.py) * [Heap Generic](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/heap_generic.py) * [Max Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/max_heap.py) * [Min Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/min_heap.py) * [Randomized Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/randomized_heap.py) * [Skew Heap](https://github.com/TheAlgorithms/Python/blob/master/data_structures/heap/skew_heap.py) * Linked List * [Circular Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/circular_linked_list.py) * [Deque Doubly](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/deque_doubly.py) * [Doubly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/doubly_linked_list.py) * [Doubly Linked List Two](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/doubly_linked_list_two.py) * [From Sequence](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/from_sequence.py) * [Has Loop](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/has_loop.py) * [Is Palindrome](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/is_palindrome.py) * [Merge Two Lists](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/merge_two_lists.py) * [Middle Element Of Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/middle_element_of_linked_list.py) * [Print Reverse](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/print_reverse.py) * [Singly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/singly_linked_list.py) * [Skip List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/skip_list.py) * [Swap Nodes](https://github.com/TheAlgorithms/Python/blob/master/data_structures/linked_list/swap_nodes.py) * Queue * [Circular Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/circular_queue.py) * [Circular Queue Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/circular_queue_linked_list.py) * [Double Ended Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/double_ended_queue.py) * [Linked Queue](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/linked_queue.py) * [Priority Queue Using List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/priority_queue_using_list.py) * [Queue On List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/queue_on_list.py) * [Queue On Pseudo Stack](https://github.com/TheAlgorithms/Python/blob/master/data_structures/queue/queue_on_pseudo_stack.py) * Stacks * [Balanced Parentheses](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/balanced_parentheses.py) * [Dijkstras Two Stack Algorithm](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/dijkstras_two_stack_algorithm.py) * [Evaluate Postfix Notations](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/evaluate_postfix_notations.py) * [Infix To Postfix Conversion](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/infix_to_postfix_conversion.py) * [Infix To Prefix Conversion](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/infix_to_prefix_conversion.py) * [Next Greater Element](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/next_greater_element.py) * [Postfix Evaluation](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/postfix_evaluation.py) * [Prefix Evaluation](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/prefix_evaluation.py) * [Stack](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack.py) * [Stack With Doubly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack_with_doubly_linked_list.py) * [Stack With Singly Linked List](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stack_with_singly_linked_list.py) * [Stock Span Problem](https://github.com/TheAlgorithms/Python/blob/master/data_structures/stacks/stock_span_problem.py) * Trie * [Trie](https://github.com/TheAlgorithms/Python/blob/master/data_structures/trie/trie.py) ## Digital Image Processing * [Change Brightness](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/change_brightness.py) * [Change Contrast](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/change_contrast.py) * [Convert To Negative](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/convert_to_negative.py) * Dithering * [Burkes](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/dithering/burkes.py) * Edge Detection * [Canny](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/edge_detection/canny.py) * Filters * [Bilateral Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/bilateral_filter.py) * [Convolve](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/convolve.py) * [Gabor Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/gabor_filter.py) * [Gaussian Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/gaussian_filter.py) * [Median Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/median_filter.py) * [Sobel Filter](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/filters/sobel_filter.py) * Histogram Equalization * [Histogram Stretch](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/histogram_equalization/histogram_stretch.py) * [Index Calculation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/index_calculation.py) * Morphological Operations * [Dilation Operation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/morphological_operations/dilation_operation.py) * [Erosion Operation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/morphological_operations/erosion_operation.py) * Resize * [Resize](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/resize/resize.py) * Rotation * [Rotation](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/rotation/rotation.py) * [Sepia](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/sepia.py) * [Test Digital Image Processing](https://github.com/TheAlgorithms/Python/blob/master/digital_image_processing/test_digital_image_processing.py) ## Divide And Conquer * [Closest Pair Of Points](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/closest_pair_of_points.py) * [Convex Hull](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/convex_hull.py) * [Heaps Algorithm](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/heaps_algorithm.py) * [Heaps Algorithm Iterative](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/heaps_algorithm_iterative.py) * [Inversions](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/inversions.py) * [Kth Order Statistic](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/kth_order_statistic.py) * [Max Difference Pair](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/max_difference_pair.py) * [Max Subarray Sum](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/max_subarray_sum.py) * [Mergesort](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/mergesort.py) * [Peak](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/peak.py) * [Power](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/power.py) * [Strassen Matrix Multiplication](https://github.com/TheAlgorithms/Python/blob/master/divide_and_conquer/strassen_matrix_multiplication.py) ## Dynamic Programming * [Abbreviation](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/abbreviation.py) * [All Construct](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/all_construct.py) * [Bitmask](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/bitmask.py) * [Catalan Numbers](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/catalan_numbers.py) * [Climbing Stairs](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/climbing_stairs.py) * [Edit Distance](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/edit_distance.py) * [Factorial](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/factorial.py) * [Fast Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fast_fibonacci.py) * [Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fibonacci.py) * [Floyd Warshall](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/floyd_warshall.py) * [Fractional Knapsack](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fractional_knapsack.py) * [Fractional Knapsack 2](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/fractional_knapsack_2.py) * [Integer Partition](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/integer_partition.py) * [Iterating Through Submasks](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/iterating_through_submasks.py) * [Knapsack](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/knapsack.py) * [Longest Common Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_common_subsequence.py) * [Longest Increasing Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_increasing_subsequence.py) * [Longest Increasing Subsequence O(Nlogn)](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_increasing_subsequence_o(nlogn).py) * [Longest Sub Array](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/longest_sub_array.py) * [Matrix Chain Order](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/matrix_chain_order.py) * [Max Non Adjacent Sum](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_non_adjacent_sum.py) * [Max Sub Array](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_sub_array.py) * [Max Sum Contiguous Subsequence](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/max_sum_contiguous_subsequence.py) * [Minimum Coin Change](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_coin_change.py) * [Minimum Cost Path](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_cost_path.py) * [Minimum Partition](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_partition.py) * [Minimum Steps To One](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/minimum_steps_to_one.py) * [Optimal Binary Search Tree](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/optimal_binary_search_tree.py) * [Rod Cutting](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/rod_cutting.py) * [Subset Generation](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/subset_generation.py) * [Sum Of Subset](https://github.com/TheAlgorithms/Python/blob/master/dynamic_programming/sum_of_subset.py) ## Electronics * [Carrier Concentration](https://github.com/TheAlgorithms/Python/blob/master/electronics/carrier_concentration.py) * [Coulombs Law](https://github.com/TheAlgorithms/Python/blob/master/electronics/coulombs_law.py) * [Electric Power](https://github.com/TheAlgorithms/Python/blob/master/electronics/electric_power.py) * [Ohms Law](https://github.com/TheAlgorithms/Python/blob/master/electronics/ohms_law.py) ## File Transfer * [Receive File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/receive_file.py) * [Send File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/send_file.py) * Tests * [Test Send File](https://github.com/TheAlgorithms/Python/blob/master/file_transfer/tests/test_send_file.py) ## Financial * [Equated Monthly Installments](https://github.com/TheAlgorithms/Python/blob/master/financial/equated_monthly_installments.py) * [Interest](https://github.com/TheAlgorithms/Python/blob/master/financial/interest.py) ## Fractals * [Julia Sets](https://github.com/TheAlgorithms/Python/blob/master/fractals/julia_sets.py) * [Koch Snowflake](https://github.com/TheAlgorithms/Python/blob/master/fractals/koch_snowflake.py) * [Mandelbrot](https://github.com/TheAlgorithms/Python/blob/master/fractals/mandelbrot.py) * [Sierpinski Triangle](https://github.com/TheAlgorithms/Python/blob/master/fractals/sierpinski_triangle.py) ## Fuzzy Logic * [Fuzzy Operations](https://github.com/TheAlgorithms/Python/blob/master/fuzzy_logic/fuzzy_operations.py) ## Genetic Algorithm * [Basic String](https://github.com/TheAlgorithms/Python/blob/master/genetic_algorithm/basic_string.py) ## Geodesy * [Haversine Distance](https://github.com/TheAlgorithms/Python/blob/master/geodesy/haversine_distance.py) * [Lamberts Ellipsoidal Distance](https://github.com/TheAlgorithms/Python/blob/master/geodesy/lamberts_ellipsoidal_distance.py) ## Graphics * [Bezier Curve](https://github.com/TheAlgorithms/Python/blob/master/graphics/bezier_curve.py) * [Vector3 For 2D Rendering](https://github.com/TheAlgorithms/Python/blob/master/graphics/vector3_for_2d_rendering.py) ## Graphs * [A Star](https://github.com/TheAlgorithms/Python/blob/master/graphs/a_star.py) * [Articulation Points](https://github.com/TheAlgorithms/Python/blob/master/graphs/articulation_points.py) * [Basic Graphs](https://github.com/TheAlgorithms/Python/blob/master/graphs/basic_graphs.py) * [Bellman Ford](https://github.com/TheAlgorithms/Python/blob/master/graphs/bellman_ford.py) * [Bfs Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/bfs_shortest_path.py) * [Bfs Zero One Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/bfs_zero_one_shortest_path.py) * [Bidirectional A Star](https://github.com/TheAlgorithms/Python/blob/master/graphs/bidirectional_a_star.py) * [Bidirectional Breadth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/bidirectional_breadth_first_search.py) * [Boruvka](https://github.com/TheAlgorithms/Python/blob/master/graphs/boruvka.py) * [Breadth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search.py) * [Breadth First Search 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search_2.py) * [Breadth First Search Shortest Path](https://github.com/TheAlgorithms/Python/blob/master/graphs/breadth_first_search_shortest_path.py) * [Check Bipartite Graph Bfs](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_bipartite_graph_bfs.py) * [Check Bipartite Graph Dfs](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_bipartite_graph_dfs.py) * [Check Cycle](https://github.com/TheAlgorithms/Python/blob/master/graphs/check_cycle.py) * [Connected Components](https://github.com/TheAlgorithms/Python/blob/master/graphs/connected_components.py) * [Depth First Search](https://github.com/TheAlgorithms/Python/blob/master/graphs/depth_first_search.py) * [Depth First Search 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/depth_first_search_2.py) * [Dijkstra](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra.py) * [Dijkstra 2](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra_2.py) * [Dijkstra Algorithm](https://github.com/TheAlgorithms/Python/blob/master/graphs/dijkstra_algorithm.py) * [Dinic](https://github.com/TheAlgorithms/Python/blob/master/graphs/dinic.py) * [Directed And Undirected (Weighted) Graph](https://github.com/TheAlgorithms/Python/blob/master/graphs/directed_and_undirected_(weighted)_graph.py) * [Edmonds Karp Multiple Source And Sink](https://github.com/TheAlgorithms/Python/blob/master/graphs/edmonds_karp_multiple_source_and_sink.py) * [Eulerian Path And Circuit For Undirected Graph](https://github.com/TheAlgorithms/Python/blob/master/graphs/eulerian_path_and_circuit_for_undirected_graph.py) * [Even Tree](https://github.com/TheAlgorithms/Python/blob/master/graphs/even_tree.py) * [Finding Bridges](https://github.com/TheAlgorithms/Python/blob/master/graphs/finding_bridges.py) * [Frequent Pattern Graph Miner](https://github.com/TheAlgorithms/Python/blob/master/graphs/frequent_pattern_graph_miner.py) * [G Topological Sort](https://github.com/TheAlgorithms/Python/blob/master/graphs/g_topological_sort.py) * [Gale Shapley Bigraph](https://github.com/TheAlgorithms/Python/blob/master/graphs/gale_shapley_bigraph.py) * [Graph List](https://github.com/TheAlgorithms/Python/blob/master/graphs/graph_list.py) * [Graph Matrix](https://github.com/TheAlgorithms/Python/blob/master/graphs/graph_matrix.py) * [Graphs Floyd Warshall](https://github.com/TheAlgorithms/Python/blob/master/graphs/graphs_floyd_warshall.py) * [Greedy Best First](https://github.com/TheAlgorithms/Python/blob/master/graphs/greedy_best_first.py) * [Greedy Min Vertex Cover](https://github.com/TheAlgorithms/Python/blob/master/graphs/greedy_min_vertex_cover.py) * [Kahns Algorithm Long](https://github.com/TheAlgorithms/Python/blob/master/graphs/kahns_algorithm_long.py) * [Kahns Algorithm Topo](https://github.com/TheAlgorithms/Python/blob/master/graphs/kahns_algorithm_topo.py) * [Karger](https://github.com/TheAlgorithms/Python/blob/master/graphs/karger.py) * [Markov Chain](https://github.com/TheAlgorithms/Python/blob/master/graphs/markov_chain.py) * [Matching Min Vertex Cover](https://github.com/TheAlgorithms/Python/blob/master/graphs/matching_min_vertex_cover.py) * [Minimum Spanning Tree Boruvka](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_boruvka.py) * [Minimum Spanning Tree Kruskal](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_kruskal.py) * [Minimum Spanning Tree Kruskal2](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_kruskal2.py) * [Minimum Spanning Tree Prims](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_prims.py) * [Minimum Spanning Tree Prims2](https://github.com/TheAlgorithms/Python/blob/master/graphs/minimum_spanning_tree_prims2.py) * [Multi Heuristic Astar](https://github.com/TheAlgorithms/Python/blob/master/graphs/multi_heuristic_astar.py) * [Page Rank](https://github.com/TheAlgorithms/Python/blob/master/graphs/page_rank.py) * [Prim](https://github.com/TheAlgorithms/Python/blob/master/graphs/prim.py) * [Random Graph Generator](https://github.com/TheAlgorithms/Python/blob/master/graphs/random_graph_generator.py) * [Scc Kosaraju](https://github.com/TheAlgorithms/Python/blob/master/graphs/scc_kosaraju.py) * [Strongly Connected Components](https://github.com/TheAlgorithms/Python/blob/master/graphs/strongly_connected_components.py) * [Tarjans Scc](https://github.com/TheAlgorithms/Python/blob/master/graphs/tarjans_scc.py) * Tests * [Test Min Spanning Tree Kruskal](https://github.com/TheAlgorithms/Python/blob/master/graphs/tests/test_min_spanning_tree_kruskal.py) * [Test Min Spanning Tree Prim](https://github.com/TheAlgorithms/Python/blob/master/graphs/tests/test_min_spanning_tree_prim.py) ## Greedy Methods * [Optimal Merge Pattern](https://github.com/TheAlgorithms/Python/blob/master/greedy_methods/optimal_merge_pattern.py) ## Hashes * [Adler32](https://github.com/TheAlgorithms/Python/blob/master/hashes/adler32.py) * [Chaos Machine](https://github.com/TheAlgorithms/Python/blob/master/hashes/chaos_machine.py) * [Djb2](https://github.com/TheAlgorithms/Python/blob/master/hashes/djb2.py) * [Enigma Machine](https://github.com/TheAlgorithms/Python/blob/master/hashes/enigma_machine.py) * [Hamming Code](https://github.com/TheAlgorithms/Python/blob/master/hashes/hamming_code.py) * [Luhn](https://github.com/TheAlgorithms/Python/blob/master/hashes/luhn.py) * [Md5](https://github.com/TheAlgorithms/Python/blob/master/hashes/md5.py) * [Sdbm](https://github.com/TheAlgorithms/Python/blob/master/hashes/sdbm.py) * [Sha1](https://github.com/TheAlgorithms/Python/blob/master/hashes/sha1.py) * [Sha256](https://github.com/TheAlgorithms/Python/blob/master/hashes/sha256.py) ## Knapsack * [Greedy Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/greedy_knapsack.py) * [Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/knapsack.py) * Tests * [Test Greedy Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/tests/test_greedy_knapsack.py) * [Test Knapsack](https://github.com/TheAlgorithms/Python/blob/master/knapsack/tests/test_knapsack.py) ## Linear Algebra * Src * [Conjugate Gradient](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/conjugate_gradient.py) * [Lib](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/lib.py) * [Polynom For Points](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/polynom_for_points.py) * [Power Iteration](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/power_iteration.py) * [Rayleigh Quotient](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/rayleigh_quotient.py) * [Schur Complement](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/schur_complement.py) * [Test Linear Algebra](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/test_linear_algebra.py) * [Transformations 2D](https://github.com/TheAlgorithms/Python/blob/master/linear_algebra/src/transformations_2d.py) ## Machine Learning * [Astar](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/astar.py) * [Data Transformations](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/data_transformations.py) * [Decision Tree](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/decision_tree.py) * Forecasting * [Run](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/forecasting/run.py) * [Gaussian Naive Bayes](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gaussian_naive_bayes.py) * [Gradient Boosting Regressor](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gradient_boosting_regressor.py) * [Gradient Descent](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/gradient_descent.py) * [K Means Clust](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/k_means_clust.py) * [K Nearest Neighbours](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/k_nearest_neighbours.py) * [Knn Sklearn](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/knn_sklearn.py) * [Linear Discriminant Analysis](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/linear_discriminant_analysis.py) * [Linear Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/linear_regression.py) * Local Weighted Learning * [Local Weighted Learning](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/local_weighted_learning/local_weighted_learning.py) * [Logistic Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/logistic_regression.py) * Lstm * [Lstm Prediction](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/lstm/lstm_prediction.py) * [Multilayer Perceptron Classifier](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/multilayer_perceptron_classifier.py) * [Polymonial Regression](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/polymonial_regression.py) * [Random Forest Classifier](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/random_forest_classifier.py) * [Random Forest Regressor](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/random_forest_regressor.py) * [Scoring Functions](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/scoring_functions.py) * [Sequential Minimum Optimization](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/sequential_minimum_optimization.py) * [Similarity Search](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/similarity_search.py) * [Support Vector Machines](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/support_vector_machines.py) * [Word Frequency Functions](https://github.com/TheAlgorithms/Python/blob/master/machine_learning/word_frequency_functions.py) ## Maths * [3N Plus 1](https://github.com/TheAlgorithms/Python/blob/master/maths/3n_plus_1.py) * [Abs](https://github.com/TheAlgorithms/Python/blob/master/maths/abs.py) * [Abs Max](https://github.com/TheAlgorithms/Python/blob/master/maths/abs_max.py) * [Abs Min](https://github.com/TheAlgorithms/Python/blob/master/maths/abs_min.py) * [Add](https://github.com/TheAlgorithms/Python/blob/master/maths/add.py) * [Aliquot Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/aliquot_sum.py) * [Allocation Number](https://github.com/TheAlgorithms/Python/blob/master/maths/allocation_number.py) * [Area](https://github.com/TheAlgorithms/Python/blob/master/maths/area.py) * [Area Under Curve](https://github.com/TheAlgorithms/Python/blob/master/maths/area_under_curve.py) * [Armstrong Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/armstrong_numbers.py) * [Average Mean](https://github.com/TheAlgorithms/Python/blob/master/maths/average_mean.py) * [Average Median](https://github.com/TheAlgorithms/Python/blob/master/maths/average_median.py) * [Average Mode](https://github.com/TheAlgorithms/Python/blob/master/maths/average_mode.py) * [Bailey Borwein Plouffe](https://github.com/TheAlgorithms/Python/blob/master/maths/bailey_borwein_plouffe.py) * [Basic Maths](https://github.com/TheAlgorithms/Python/blob/master/maths/basic_maths.py) * [Binary Exp Mod](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exp_mod.py) * [Binary Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation.py) * [Binary Exponentiation 2](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation_2.py) * [Binary Exponentiation 3](https://github.com/TheAlgorithms/Python/blob/master/maths/binary_exponentiation_3.py) * [Binomial Coefficient](https://github.com/TheAlgorithms/Python/blob/master/maths/binomial_coefficient.py) * [Binomial Distribution](https://github.com/TheAlgorithms/Python/blob/master/maths/binomial_distribution.py) * [Bisection](https://github.com/TheAlgorithms/Python/blob/master/maths/bisection.py) * [Ceil](https://github.com/TheAlgorithms/Python/blob/master/maths/ceil.py) * [Check Polygon](https://github.com/TheAlgorithms/Python/blob/master/maths/check_polygon.py) * [Chudnovsky Algorithm](https://github.com/TheAlgorithms/Python/blob/master/maths/chudnovsky_algorithm.py) * [Collatz Sequence](https://github.com/TheAlgorithms/Python/blob/master/maths/collatz_sequence.py) * [Combinations](https://github.com/TheAlgorithms/Python/blob/master/maths/combinations.py) * [Decimal Isolate](https://github.com/TheAlgorithms/Python/blob/master/maths/decimal_isolate.py) * [Double Factorial Iterative](https://github.com/TheAlgorithms/Python/blob/master/maths/double_factorial_iterative.py) * [Double Factorial Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/double_factorial_recursive.py) * [Entropy](https://github.com/TheAlgorithms/Python/blob/master/maths/entropy.py) * [Euclidean Distance](https://github.com/TheAlgorithms/Python/blob/master/maths/euclidean_distance.py) * [Euclidean Gcd](https://github.com/TheAlgorithms/Python/blob/master/maths/euclidean_gcd.py) * [Euler Method](https://github.com/TheAlgorithms/Python/blob/master/maths/euler_method.py) * [Euler Modified](https://github.com/TheAlgorithms/Python/blob/master/maths/euler_modified.py) * [Eulers Totient](https://github.com/TheAlgorithms/Python/blob/master/maths/eulers_totient.py) * [Extended Euclidean Algorithm](https://github.com/TheAlgorithms/Python/blob/master/maths/extended_euclidean_algorithm.py) * [Factorial Iterative](https://github.com/TheAlgorithms/Python/blob/master/maths/factorial_iterative.py) * [Factorial Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/factorial_recursive.py) * [Factors](https://github.com/TheAlgorithms/Python/blob/master/maths/factors.py) * [Fermat Little Theorem](https://github.com/TheAlgorithms/Python/blob/master/maths/fermat_little_theorem.py) * [Fibonacci](https://github.com/TheAlgorithms/Python/blob/master/maths/fibonacci.py) * [Find Max](https://github.com/TheAlgorithms/Python/blob/master/maths/find_max.py) * [Find Max Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/find_max_recursion.py) * [Find Min](https://github.com/TheAlgorithms/Python/blob/master/maths/find_min.py) * [Find Min Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/find_min_recursion.py) * [Floor](https://github.com/TheAlgorithms/Python/blob/master/maths/floor.py) * [Gamma](https://github.com/TheAlgorithms/Python/blob/master/maths/gamma.py) * [Gamma Recursive](https://github.com/TheAlgorithms/Python/blob/master/maths/gamma_recursive.py) * [Gaussian](https://github.com/TheAlgorithms/Python/blob/master/maths/gaussian.py) * [Greatest Common Divisor](https://github.com/TheAlgorithms/Python/blob/master/maths/greatest_common_divisor.py) * [Greedy Coin Change](https://github.com/TheAlgorithms/Python/blob/master/maths/greedy_coin_change.py) * [Hardy Ramanujanalgo](https://github.com/TheAlgorithms/Python/blob/master/maths/hardy_ramanujanalgo.py) * [Integration By Simpson Approx](https://github.com/TheAlgorithms/Python/blob/master/maths/integration_by_simpson_approx.py) * [Is Ip V4 Address Valid](https://github.com/TheAlgorithms/Python/blob/master/maths/is_ip_v4_address_valid.py) * [Is Square Free](https://github.com/TheAlgorithms/Python/blob/master/maths/is_square_free.py) * [Jaccard Similarity](https://github.com/TheAlgorithms/Python/blob/master/maths/jaccard_similarity.py) * [Kadanes](https://github.com/TheAlgorithms/Python/blob/master/maths/kadanes.py) * [Karatsuba](https://github.com/TheAlgorithms/Python/blob/master/maths/karatsuba.py) * [Krishnamurthy Number](https://github.com/TheAlgorithms/Python/blob/master/maths/krishnamurthy_number.py) * [Kth Lexicographic Permutation](https://github.com/TheAlgorithms/Python/blob/master/maths/kth_lexicographic_permutation.py) * [Largest Of Very Large Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/largest_of_very_large_numbers.py) * [Largest Subarray Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/largest_subarray_sum.py) * [Least Common Multiple](https://github.com/TheAlgorithms/Python/blob/master/maths/least_common_multiple.py) * [Line Length](https://github.com/TheAlgorithms/Python/blob/master/maths/line_length.py) * [Lucas Lehmer Primality Test](https://github.com/TheAlgorithms/Python/blob/master/maths/lucas_lehmer_primality_test.py) * [Lucas Series](https://github.com/TheAlgorithms/Python/blob/master/maths/lucas_series.py) * [Matrix Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/maths/matrix_exponentiation.py) * [Max Sum Sliding Window](https://github.com/TheAlgorithms/Python/blob/master/maths/max_sum_sliding_window.py) * [Median Of Two Arrays](https://github.com/TheAlgorithms/Python/blob/master/maths/median_of_two_arrays.py) * [Miller Rabin](https://github.com/TheAlgorithms/Python/blob/master/maths/miller_rabin.py) * [Mobius Function](https://github.com/TheAlgorithms/Python/blob/master/maths/mobius_function.py) * [Modular Exponential](https://github.com/TheAlgorithms/Python/blob/master/maths/modular_exponential.py) * [Monte Carlo](https://github.com/TheAlgorithms/Python/blob/master/maths/monte_carlo.py) * [Monte Carlo Dice](https://github.com/TheAlgorithms/Python/blob/master/maths/monte_carlo_dice.py) * [Nevilles Method](https://github.com/TheAlgorithms/Python/blob/master/maths/nevilles_method.py) * [Newton Raphson](https://github.com/TheAlgorithms/Python/blob/master/maths/newton_raphson.py) * [Number Of Digits](https://github.com/TheAlgorithms/Python/blob/master/maths/number_of_digits.py) * [Numerical Integration](https://github.com/TheAlgorithms/Python/blob/master/maths/numerical_integration.py) * [Perfect Cube](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_cube.py) * [Perfect Number](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_number.py) * [Perfect Square](https://github.com/TheAlgorithms/Python/blob/master/maths/perfect_square.py) * [Persistence](https://github.com/TheAlgorithms/Python/blob/master/maths/persistence.py) * [Pi Monte Carlo Estimation](https://github.com/TheAlgorithms/Python/blob/master/maths/pi_monte_carlo_estimation.py) * [Pollard Rho](https://github.com/TheAlgorithms/Python/blob/master/maths/pollard_rho.py) * [Polynomial Evaluation](https://github.com/TheAlgorithms/Python/blob/master/maths/polynomial_evaluation.py) * [Power Using Recursion](https://github.com/TheAlgorithms/Python/blob/master/maths/power_using_recursion.py) * [Prime Check](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_check.py) * [Prime Factors](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_factors.py) * [Prime Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_numbers.py) * [Prime Sieve Eratosthenes](https://github.com/TheAlgorithms/Python/blob/master/maths/prime_sieve_eratosthenes.py) * [Primelib](https://github.com/TheAlgorithms/Python/blob/master/maths/primelib.py) * [Proth Number](https://github.com/TheAlgorithms/Python/blob/master/maths/proth_number.py) * [Pythagoras](https://github.com/TheAlgorithms/Python/blob/master/maths/pythagoras.py) * [Qr Decomposition](https://github.com/TheAlgorithms/Python/blob/master/maths/qr_decomposition.py) * [Quadratic Equations Complex Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/quadratic_equations_complex_numbers.py) * [Radians](https://github.com/TheAlgorithms/Python/blob/master/maths/radians.py) * [Radix2 Fft](https://github.com/TheAlgorithms/Python/blob/master/maths/radix2_fft.py) * [Relu](https://github.com/TheAlgorithms/Python/blob/master/maths/relu.py) * [Runge Kutta](https://github.com/TheAlgorithms/Python/blob/master/maths/runge_kutta.py) * [Segmented Sieve](https://github.com/TheAlgorithms/Python/blob/master/maths/segmented_sieve.py) * Series * [Arithmetic](https://github.com/TheAlgorithms/Python/blob/master/maths/series/arithmetic.py) * [Geometric](https://github.com/TheAlgorithms/Python/blob/master/maths/series/geometric.py) * [Geometric Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/geometric_series.py) * [Harmonic](https://github.com/TheAlgorithms/Python/blob/master/maths/series/harmonic.py) * [Harmonic Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/harmonic_series.py) * [Hexagonal Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/series/hexagonal_numbers.py) * [P Series](https://github.com/TheAlgorithms/Python/blob/master/maths/series/p_series.py) * [Sieve Of Eratosthenes](https://github.com/TheAlgorithms/Python/blob/master/maths/sieve_of_eratosthenes.py) * [Sigmoid](https://github.com/TheAlgorithms/Python/blob/master/maths/sigmoid.py) * [Simpson Rule](https://github.com/TheAlgorithms/Python/blob/master/maths/simpson_rule.py) * [Sock Merchant](https://github.com/TheAlgorithms/Python/blob/master/maths/sock_merchant.py) * [Softmax](https://github.com/TheAlgorithms/Python/blob/master/maths/softmax.py) * [Square Root](https://github.com/TheAlgorithms/Python/blob/master/maths/square_root.py) * [Sum Of Arithmetic Series](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_arithmetic_series.py) * [Sum Of Digits](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_digits.py) * [Sum Of Geometric Progression](https://github.com/TheAlgorithms/Python/blob/master/maths/sum_of_geometric_progression.py) * [Sylvester Sequence](https://github.com/TheAlgorithms/Python/blob/master/maths/sylvester_sequence.py) * [Test Prime Check](https://github.com/TheAlgorithms/Python/blob/master/maths/test_prime_check.py) * [Trapezoidal Rule](https://github.com/TheAlgorithms/Python/blob/master/maths/trapezoidal_rule.py) * [Triplet Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/triplet_sum.py) * [Two Pointer](https://github.com/TheAlgorithms/Python/blob/master/maths/two_pointer.py) * [Two Sum](https://github.com/TheAlgorithms/Python/blob/master/maths/two_sum.py) * [Ugly Numbers](https://github.com/TheAlgorithms/Python/blob/master/maths/ugly_numbers.py) * [Volume](https://github.com/TheAlgorithms/Python/blob/master/maths/volume.py) * [Zellers Congruence](https://github.com/TheAlgorithms/Python/blob/master/maths/zellers_congruence.py) ## Matrix * [Count Islands In Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/count_islands_in_matrix.py) * [Inverse Of Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/inverse_of_matrix.py) * [Matrix Class](https://github.com/TheAlgorithms/Python/blob/master/matrix/matrix_class.py) * [Matrix Operation](https://github.com/TheAlgorithms/Python/blob/master/matrix/matrix_operation.py) * [Nth Fibonacci Using Matrix Exponentiation](https://github.com/TheAlgorithms/Python/blob/master/matrix/nth_fibonacci_using_matrix_exponentiation.py) * [Rotate Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/rotate_matrix.py) * [Searching In Sorted Matrix](https://github.com/TheAlgorithms/Python/blob/master/matrix/searching_in_sorted_matrix.py) * [Sherman Morrison](https://github.com/TheAlgorithms/Python/blob/master/matrix/sherman_morrison.py) * [Spiral Print](https://github.com/TheAlgorithms/Python/blob/master/matrix/spiral_print.py) * Tests * [Test Matrix Operation](https://github.com/TheAlgorithms/Python/blob/master/matrix/tests/test_matrix_operation.py) ## Networking Flow * [Ford Fulkerson](https://github.com/TheAlgorithms/Python/blob/master/networking_flow/ford_fulkerson.py) * [Minimum Cut](https://github.com/TheAlgorithms/Python/blob/master/networking_flow/minimum_cut.py) ## Neural Network * [2 Hidden Layers Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/2_hidden_layers_neural_network.py) * [Back Propagation Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/back_propagation_neural_network.py) * [Convolution Neural Network](https://github.com/TheAlgorithms/Python/blob/master/neural_network/convolution_neural_network.py) * [Perceptron](https://github.com/TheAlgorithms/Python/blob/master/neural_network/perceptron.py) ## Other * [Activity Selection](https://github.com/TheAlgorithms/Python/blob/master/other/activity_selection.py) * [Alternative List Arrange](https://github.com/TheAlgorithms/Python/blob/master/other/alternative_list_arrange.py) * [Check Strong Password](https://github.com/TheAlgorithms/Python/blob/master/other/check_strong_password.py) * [Davisb Putnamb Logemannb Loveland](https://github.com/TheAlgorithms/Python/blob/master/other/davisb_putnamb_logemannb_loveland.py) * [Dijkstra Bankers Algorithm](https://github.com/TheAlgorithms/Python/blob/master/other/dijkstra_bankers_algorithm.py) * [Doomsday](https://github.com/TheAlgorithms/Python/blob/master/other/doomsday.py) * [Fischer Yates Shuffle](https://github.com/TheAlgorithms/Python/blob/master/other/fischer_yates_shuffle.py) * [Gauss Easter](https://github.com/TheAlgorithms/Python/blob/master/other/gauss_easter.py) * [Graham Scan](https://github.com/TheAlgorithms/Python/blob/master/other/graham_scan.py) * [Greedy](https://github.com/TheAlgorithms/Python/blob/master/other/greedy.py) * [Least Recently Used](https://github.com/TheAlgorithms/Python/blob/master/other/least_recently_used.py) * [Lfu Cache](https://github.com/TheAlgorithms/Python/blob/master/other/lfu_cache.py) * [Linear Congruential Generator](https://github.com/TheAlgorithms/Python/blob/master/other/linear_congruential_generator.py) * [Lru Cache](https://github.com/TheAlgorithms/Python/blob/master/other/lru_cache.py) * [Magicdiamondpattern](https://github.com/TheAlgorithms/Python/blob/master/other/magicdiamondpattern.py) * [Nested Brackets](https://github.com/TheAlgorithms/Python/blob/master/other/nested_brackets.py) * [Password Generator](https://github.com/TheAlgorithms/Python/blob/master/other/password_generator.py) * [Scoring Algorithm](https://github.com/TheAlgorithms/Python/blob/master/other/scoring_algorithm.py) * [Sdes](https://github.com/TheAlgorithms/Python/blob/master/other/sdes.py) * [Tower Of Hanoi](https://github.com/TheAlgorithms/Python/blob/master/other/tower_of_hanoi.py) ## Physics * [N Body Simulation](https://github.com/TheAlgorithms/Python/blob/master/physics/n_body_simulation.py) * [Newtons Second Law Of Motion](https://github.com/TheAlgorithms/Python/blob/master/physics/newtons_second_law_of_motion.py) ## Project Euler * Problem 001 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol4.py) * [Sol5](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol5.py) * [Sol6](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol6.py) * [Sol7](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_001/sol7.py) * Problem 002 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol4.py) * [Sol5](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_002/sol5.py) * Problem 003 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_003/sol3.py) * Problem 004 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_004/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_004/sol2.py) * Problem 005 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_005/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_005/sol2.py) * Problem 006 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_006/sol4.py) * Problem 007 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_007/sol3.py) * Problem 008 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_008/sol3.py) * Problem 009 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_009/sol3.py) * Problem 010 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_010/sol3.py) * Problem 011 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_011/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_011/sol2.py) * Problem 012 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_012/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_012/sol2.py) * Problem 013 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_013/sol1.py) * Problem 014 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_014/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_014/sol2.py) * Problem 015 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_015/sol1.py) * Problem 016 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_016/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_016/sol2.py) * Problem 017 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_017/sol1.py) * Problem 018 * [Solution](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_018/solution.py) * Problem 019 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_019/sol1.py) * Problem 020 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol3.py) * [Sol4](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_020/sol4.py) * Problem 021 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_021/sol1.py) * Problem 022 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_022/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_022/sol2.py) * Problem 023 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_023/sol1.py) * Problem 024 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_024/sol1.py) * Problem 025 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol2.py) * [Sol3](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_025/sol3.py) * Problem 026 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_026/sol1.py) * Problem 027 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_027/sol1.py) * Problem 028 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_028/sol1.py) * Problem 029 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_029/sol1.py) * Problem 030 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_030/sol1.py) * Problem 031 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_031/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_031/sol2.py) * Problem 032 * [Sol32](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_032/sol32.py) * Problem 033 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_033/sol1.py) * Problem 034 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_034/sol1.py) * Problem 035 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_035/sol1.py) * Problem 036 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_036/sol1.py) * Problem 037 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_037/sol1.py) * Problem 038 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_038/sol1.py) * Problem 039 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_039/sol1.py) * Problem 040 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_040/sol1.py) * Problem 041 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_041/sol1.py) * Problem 042 * [Solution42](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_042/solution42.py) * Problem 043 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_043/sol1.py) * Problem 044 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_044/sol1.py) * Problem 045 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_045/sol1.py) * Problem 046 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_046/sol1.py) * Problem 047 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_047/sol1.py) * Problem 048 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_048/sol1.py) * Problem 049 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_049/sol1.py) * Problem 050 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_050/sol1.py) * Problem 051 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_051/sol1.py) * Problem 052 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_052/sol1.py) * Problem 053 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_053/sol1.py) * Problem 054 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_054/sol1.py) * [Test Poker Hand](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_054/test_poker_hand.py) * Problem 055 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_055/sol1.py) * Problem 056 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_056/sol1.py) * Problem 057 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_057/sol1.py) * Problem 058 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_058/sol1.py) * Problem 059 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_059/sol1.py) * Problem 062 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_062/sol1.py) * Problem 063 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_063/sol1.py) * Problem 064 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_064/sol1.py) * Problem 065 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_065/sol1.py) * Problem 067 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_067/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_067/sol2.py) * Problem 069 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_069/sol1.py) * Problem 070 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_070/sol1.py) * Problem 071 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_071/sol1.py) * Problem 072 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_072/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_072/sol2.py) * Problem 074 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_074/sol1.py) * [Sol2](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_074/sol2.py) * Problem 075 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_075/sol1.py) * Problem 076 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_076/sol1.py) * Problem 077 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_077/sol1.py) * Problem 078 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_078/sol1.py) * Problem 080 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_080/sol1.py) * Problem 081 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_081/sol1.py) * Problem 085 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_085/sol1.py) * Problem 086 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_086/sol1.py) * Problem 087 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_087/sol1.py) * Problem 089 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_089/sol1.py) * Problem 091 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_091/sol1.py) * Problem 092 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_092/sol1.py) * Problem 097 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_097/sol1.py) * Problem 099 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_099/sol1.py) * Problem 101 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_101/sol1.py) * Problem 102 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_102/sol1.py) * Problem 107 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_107/sol1.py) * Problem 109 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_109/sol1.py) * Problem 112 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_112/sol1.py) * Problem 113 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_113/sol1.py) * Problem 119 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_119/sol1.py) * Problem 120 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_120/sol1.py) * Problem 121 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_121/sol1.py) * Problem 123 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_123/sol1.py) * Problem 125 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_125/sol1.py) * Problem 129 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_129/sol1.py) * Problem 135 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_135/sol1.py) * Problem 144 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_144/sol1.py) * Problem 173 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_173/sol1.py) * Problem 174 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_174/sol1.py) * Problem 180 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_180/sol1.py) * Problem 188 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_188/sol1.py) * Problem 191 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_191/sol1.py) * Problem 203 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_203/sol1.py) * Problem 205 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_205/sol1.py) * Problem 206 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_206/sol1.py) * Problem 207 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_207/sol1.py) * Problem 234 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_234/sol1.py) * Problem 301 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_301/sol1.py) * Problem 493 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_493/sol1.py) * Problem 551 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_551/sol1.py) * Problem 686 * [Sol1](https://github.com/TheAlgorithms/Python/blob/master/project_euler/problem_686/sol1.py) ## Quantum * [Deutsch Jozsa](https://github.com/TheAlgorithms/Python/blob/master/quantum/deutsch_jozsa.py) * [Half Adder](https://github.com/TheAlgorithms/Python/blob/master/quantum/half_adder.py) * [Not Gate](https://github.com/TheAlgorithms/Python/blob/master/quantum/not_gate.py) * [Quantum Entanglement](https://github.com/TheAlgorithms/Python/blob/master/quantum/quantum_entanglement.py) * [Ripple Adder Classic](https://github.com/TheAlgorithms/Python/blob/master/quantum/ripple_adder_classic.py) * [Single Qubit Measure](https://github.com/TheAlgorithms/Python/blob/master/quantum/single_qubit_measure.py) ## Scheduling * [First Come First Served](https://github.com/TheAlgorithms/Python/blob/master/scheduling/first_come_first_served.py) * [Round Robin](https://github.com/TheAlgorithms/Python/blob/master/scheduling/round_robin.py) * [Shortest Job First](https://github.com/TheAlgorithms/Python/blob/master/scheduling/shortest_job_first.py) ## Searches * [Binary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/binary_search.py) * [Binary Tree Traversal](https://github.com/TheAlgorithms/Python/blob/master/searches/binary_tree_traversal.py) * [Double Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/double_linear_search.py) * [Double Linear Search Recursion](https://github.com/TheAlgorithms/Python/blob/master/searches/double_linear_search_recursion.py) * [Fibonacci Search](https://github.com/TheAlgorithms/Python/blob/master/searches/fibonacci_search.py) * [Hill Climbing](https://github.com/TheAlgorithms/Python/blob/master/searches/hill_climbing.py) * [Interpolation Search](https://github.com/TheAlgorithms/Python/blob/master/searches/interpolation_search.py) * [Jump Search](https://github.com/TheAlgorithms/Python/blob/master/searches/jump_search.py) * [Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/linear_search.py) * [Quick Select](https://github.com/TheAlgorithms/Python/blob/master/searches/quick_select.py) * [Sentinel Linear Search](https://github.com/TheAlgorithms/Python/blob/master/searches/sentinel_linear_search.py) * [Simple Binary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/simple_binary_search.py) * [Simulated Annealing](https://github.com/TheAlgorithms/Python/blob/master/searches/simulated_annealing.py) * [Tabu Search](https://github.com/TheAlgorithms/Python/blob/master/searches/tabu_search.py) * [Ternary Search](https://github.com/TheAlgorithms/Python/blob/master/searches/ternary_search.py) ## Sorts * [Bead Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bead_sort.py) * [Bitonic Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bitonic_sort.py) * [Bogo Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bogo_sort.py) * [Bubble Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bubble_sort.py) * [Bucket Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/bucket_sort.py) * [Cocktail Shaker Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/cocktail_shaker_sort.py) * [Comb Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/comb_sort.py) * [Counting Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/counting_sort.py) * [Cycle Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/cycle_sort.py) * [Double Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/double_sort.py) * [Dutch National Flag Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/dutch_national_flag_sort.py) * [Exchange Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/exchange_sort.py) * [External Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/external_sort.py) * [Gnome Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/gnome_sort.py) * [Heap Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/heap_sort.py) * [Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/insertion_sort.py) * [Intro Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/intro_sort.py) * [Iterative Merge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/iterative_merge_sort.py) * [Merge Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/merge_insertion_sort.py) * [Merge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/merge_sort.py) * [Msd Radix Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/msd_radix_sort.py) * [Natural Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/natural_sort.py) * [Odd Even Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_sort.py) * [Odd Even Transposition Parallel](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_transposition_parallel.py) * [Odd Even Transposition Single Threaded](https://github.com/TheAlgorithms/Python/blob/master/sorts/odd_even_transposition_single_threaded.py) * [Pancake Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pancake_sort.py) * [Patience Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/patience_sort.py) * [Pigeon Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pigeon_sort.py) * [Pigeonhole Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/pigeonhole_sort.py) * [Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/quick_sort.py) * [Quick Sort 3 Partition](https://github.com/TheAlgorithms/Python/blob/master/sorts/quick_sort_3_partition.py) * [Radix Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/radix_sort.py) * [Random Normal Distribution Quicksort](https://github.com/TheAlgorithms/Python/blob/master/sorts/random_normal_distribution_quicksort.py) * [Random Pivot Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/random_pivot_quick_sort.py) * [Recursive Bubble Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_bubble_sort.py) * [Recursive Insertion Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_insertion_sort.py) * [Recursive Mergesort Array](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_mergesort_array.py) * [Recursive Quick Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/recursive_quick_sort.py) * [Selection Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/selection_sort.py) * [Shell Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/shell_sort.py) * [Slowsort](https://github.com/TheAlgorithms/Python/blob/master/sorts/slowsort.py) * [Stooge Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/stooge_sort.py) * [Strand Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/strand_sort.py) * [Tim Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/tim_sort.py) * [Topological Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/topological_sort.py) * [Tree Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/tree_sort.py) * [Unknown Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/unknown_sort.py) * [Wiggle Sort](https://github.com/TheAlgorithms/Python/blob/master/sorts/wiggle_sort.py) ## Strings * [Aho Corasick](https://github.com/TheAlgorithms/Python/blob/master/strings/aho_corasick.py) * [Alternative String Arrange](https://github.com/TheAlgorithms/Python/blob/master/strings/alternative_string_arrange.py) * [Anagrams](https://github.com/TheAlgorithms/Python/blob/master/strings/anagrams.py) * [Autocomplete Using Trie](https://github.com/TheAlgorithms/Python/blob/master/strings/autocomplete_using_trie.py) * [Boyer Moore Search](https://github.com/TheAlgorithms/Python/blob/master/strings/boyer_moore_search.py) * [Can String Be Rearranged As Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/can_string_be_rearranged_as_palindrome.py) * [Capitalize](https://github.com/TheAlgorithms/Python/blob/master/strings/capitalize.py) * [Check Anagrams](https://github.com/TheAlgorithms/Python/blob/master/strings/check_anagrams.py) * [Check Pangram](https://github.com/TheAlgorithms/Python/blob/master/strings/check_pangram.py) * [Credit Card Validator](https://github.com/TheAlgorithms/Python/blob/master/strings/credit_card_validator.py) * [Detecting English Programmatically](https://github.com/TheAlgorithms/Python/blob/master/strings/detecting_english_programmatically.py) * [Frequency Finder](https://github.com/TheAlgorithms/Python/blob/master/strings/frequency_finder.py) * [Indian Phone Validator](https://github.com/TheAlgorithms/Python/blob/master/strings/indian_phone_validator.py) * [Is Contains Unique Chars](https://github.com/TheAlgorithms/Python/blob/master/strings/is_contains_unique_chars.py) * [Is Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/is_palindrome.py) * [Jaro Winkler](https://github.com/TheAlgorithms/Python/blob/master/strings/jaro_winkler.py) * [Join](https://github.com/TheAlgorithms/Python/blob/master/strings/join.py) * [Knuth Morris Pratt](https://github.com/TheAlgorithms/Python/blob/master/strings/knuth_morris_pratt.py) * [Levenshtein Distance](https://github.com/TheAlgorithms/Python/blob/master/strings/levenshtein_distance.py) * [Lower](https://github.com/TheAlgorithms/Python/blob/master/strings/lower.py) * [Manacher](https://github.com/TheAlgorithms/Python/blob/master/strings/manacher.py) * [Min Cost String Conversion](https://github.com/TheAlgorithms/Python/blob/master/strings/min_cost_string_conversion.py) * [Naive String Search](https://github.com/TheAlgorithms/Python/blob/master/strings/naive_string_search.py) * [Palindrome](https://github.com/TheAlgorithms/Python/blob/master/strings/palindrome.py) * [Prefix Function](https://github.com/TheAlgorithms/Python/blob/master/strings/prefix_function.py) * [Rabin Karp](https://github.com/TheAlgorithms/Python/blob/master/strings/rabin_karp.py) * [Remove Duplicate](https://github.com/TheAlgorithms/Python/blob/master/strings/remove_duplicate.py) * [Reverse Letters](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_letters.py) * [Reverse Long Words](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_long_words.py) * [Reverse Words](https://github.com/TheAlgorithms/Python/blob/master/strings/reverse_words.py) * [Split](https://github.com/TheAlgorithms/Python/blob/master/strings/split.py) * [Upper](https://github.com/TheAlgorithms/Python/blob/master/strings/upper.py) * [Wildcard Pattern Matching](https://github.com/TheAlgorithms/Python/blob/master/strings/wildcard_pattern_matching.py) * [Word Occurrence](https://github.com/TheAlgorithms/Python/blob/master/strings/word_occurrence.py) * [Word Patterns](https://github.com/TheAlgorithms/Python/blob/master/strings/word_patterns.py) * [Z Function](https://github.com/TheAlgorithms/Python/blob/master/strings/z_function.py) ## Web Programming * [Co2 Emission](https://github.com/TheAlgorithms/Python/blob/master/web_programming/co2_emission.py) * [Covid Stats Via Xpath](https://github.com/TheAlgorithms/Python/blob/master/web_programming/covid_stats_via_xpath.py) * [Crawl Google Results](https://github.com/TheAlgorithms/Python/blob/master/web_programming/crawl_google_results.py) * [Crawl Google Scholar Citation](https://github.com/TheAlgorithms/Python/blob/master/web_programming/crawl_google_scholar_citation.py) * [Currency Converter](https://github.com/TheAlgorithms/Python/blob/master/web_programming/currency_converter.py) * [Current Stock Price](https://github.com/TheAlgorithms/Python/blob/master/web_programming/current_stock_price.py) * [Current Weather](https://github.com/TheAlgorithms/Python/blob/master/web_programming/current_weather.py) * [Daily Horoscope](https://github.com/TheAlgorithms/Python/blob/master/web_programming/daily_horoscope.py) * [Download Images From Google Query](https://github.com/TheAlgorithms/Python/blob/master/web_programming/download_images_from_google_query.py) * [Emails From Url](https://github.com/TheAlgorithms/Python/blob/master/web_programming/emails_from_url.py) * [Fetch Anime And Play](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_anime_and_play.py) * [Fetch Bbc News](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_bbc_news.py) * [Fetch Github Info](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_github_info.py) * [Fetch Jobs](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_jobs.py) * [Fetch Well Rx Price](https://github.com/TheAlgorithms/Python/blob/master/web_programming/fetch_well_rx_price.py) * [Get Imdb Top 250 Movies Csv](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_imdb_top_250_movies_csv.py) * [Get Imdbtop](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_imdbtop.py) * [Get Top Hn Posts](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_top_hn_posts.py) * [Get User Tweets](https://github.com/TheAlgorithms/Python/blob/master/web_programming/get_user_tweets.py) * [Giphy](https://github.com/TheAlgorithms/Python/blob/master/web_programming/giphy.py) * [Instagram Crawler](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_crawler.py) * [Instagram Pic](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_pic.py) * [Instagram Video](https://github.com/TheAlgorithms/Python/blob/master/web_programming/instagram_video.py) * [Nasa Data](https://github.com/TheAlgorithms/Python/blob/master/web_programming/nasa_data.py) * [Random Anime Character](https://github.com/TheAlgorithms/Python/blob/master/web_programming/random_anime_character.py) * [Recaptcha Verification](https://github.com/TheAlgorithms/Python/blob/master/web_programming/recaptcha_verification.py) * [Reddit](https://github.com/TheAlgorithms/Python/blob/master/web_programming/reddit.py) * [Search Books By Isbn](https://github.com/TheAlgorithms/Python/blob/master/web_programming/search_books_by_isbn.py) * [Slack Message](https://github.com/TheAlgorithms/Python/blob/master/web_programming/slack_message.py) * [Test Fetch Github Info](https://github.com/TheAlgorithms/Python/blob/master/web_programming/test_fetch_github_info.py) * [World Covid19 Stats](https://github.com/TheAlgorithms/Python/blob/master/web_programming/world_covid19_stats.py)
1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
beautifulsoup4 fake_useragent keras<2.7.0 lxml matplotlib numpy opencv-python pandas pillow qiskit requests # scikit-fuzzy # Causing broken builds sklearn statsmodels sympy tensorflow texttable tweepy xgboost
beautifulsoup4 fake_useragent keras lxml matplotlib numpy opencv-python pandas pillow qiskit requests # scikit-fuzzy # Causing broken builds sklearn statsmodels sympy tensorflow texttable tweepy xgboost
1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
8C TS KC 9H 4S 7D 2S 5D 3S AC 5C AD 5D AC 9C 7C 5H 8D TD KS 3H 7H 6S KC JS QH TD JC 2D 8S TH 8H 5C QS TC 9H 4D JC KS JS 7C 5H KC QH JD AS KH 4C AD 4S 5H KS 9C 7D 9H 8D 3S 5D 5C AH 6H 4H 5C 3H 2H 3S QH 5S 6S AS TD 8C 4H 7C TC KC 4C 3H 7S KS 7C 9C 6D KD 3H 4C QS QC AC KH JC 6S 5H 2H 2D KD 9D 7C AS JS AD QH TH 9D 8H TS 6D 3S AS AC 2H 4S 5C 5S TC KC JD 6C TS 3C QD AS 6H JS 2C 3D 9H KC 4H 8S KD 8S 9S 7C 2S 3S 6D 6S 4H KC 3C 8C 2D 7D 4D 9S 4S QH 4H JD 8C KC 7S TC 2D TS 8H QD AC 5C 3D KH QD 6C 6S AD AS 8H 2H QS 6S 8D 4C 8S 6C QH TC 6D 7D 9D 2S 8D 8C 4C TS 9S 9D 9C AC 3D 3C QS 2S 4H JH 3D 2D TD 8S 9H 5H QS 8S 6D 3C 8C JD AS 7H 7D 6H TD 9D AS JH 6C QC 9S KD JC AH 8S QS 4D TH AC TS 3C 3D 5C 5S 4D JS 3D 8H 6C TS 3S AD 8C 6D 7C 5D 5H 3S 5C JC 2H 5S 3D 5H 6H 2S KS 3D 5D JD 7H JS 8H KH 4H AS JS QS QC TC 6D 7C KS 3D QS TS 2H JS 4D AS 9S JC KD QD 5H 4D 5D KH 7H 3D JS KD 4H 2C 9H 6H 5C 9D 6C JC 2D TH 9S 7D 6D AS QD JH 4D JS 7C QS 5C 3H KH QD AD 8C 8H 3S TH 9D 5S AH 9S 4D 9D 8S 4H JS 3C TC 8D 2C KS 5H QD 3S TS 9H AH AD 8S 5C 7H 5D KD 9H 4D 3D 2D KS AD KS KC 9S 6D 2C QH 9D 9H TS TC 9C 6H 5D QH 4D AD 6D QC JS KH 9S 3H 9D JD 5C 4D 9H AS TC QH 2C 6D JC 9C 3C AD 9S KH 9D 7D KC 9C 7C JC JS KD 3H AS 3C 7D QD KH QS 2C 3S 8S 8H 9H 9C JC QH 8D 3C KC 4C 4H 6D AD 9H 9D 3S KS QS 7H KH 7D 5H 5D JD AD 2H 2C 6H TH TC 7D 8D 4H 8C AS 4S 2H AC QC 3S 6D TH 4D 4C KH 4D TC KS AS 7C 3C 6D 2D 9H 6C 8C TD 5D QS 2C 7H 4C 9C 3H 9H 5H JH TS 7S TD 6H AD QD 8H 8S 5S AD 9C 8C 7C 8D 5H 9D 8S 2S 4H KH KS 9S 2S KC 5S AD 4S 7D QS 9C QD 6H JS 5D AC 8D 2S AS KH AC JC 3S 9D 9S 3C 9C 5S JS AD 3C 3D KS 3S 5C 9C 8C TS 4S JH 8D 5D 6H KD QS QD 3D 6C KC 8S JD 6C 3S 8C TC QC 3C QH JS KC JC 8H 2S 9H 9C JH 8S 8C 9S 8S 2H QH 4D QC 9D KC AS TH 3C 8S 6H TH 7C 2H 6S 3C 3H AS 7S QH 5S JS 4H 5H TS 8H AH AC JC 9D 8H 2S 4S TC JC 3C 7H 3H 5C 3D AD 3C 3S 4C QC AS 5D TH 8C 6S 9D 4C JS KH AH TS JD 8H AD 4C 6S 9D 7S AC 4D 3D 3S TC JD AD 7H 6H 4H JH KC TD TS 7D 6S 8H JH TC 3S 8D 8C 9S 2C 5C 4D 2C 9D KC QH TH QS JC 9C 4H TS QS 3C QD 8H KH 4H 8D TD 8S AC 7C 3C TH 5S 8H 8C 9C JD TC KD QC TC JD TS 8C 3H 6H KD 7C TD JH QS KS 9C 6D 6S AS 9H KH 6H 2H 4D AH 2D JH 6H TD 5D 4H JD KD 8C 9S JH QD JS 2C QS 5C 7C 4S TC 7H 8D 2S 6H 7S 9C 7C KC 8C 5D 7H 4S TD QC 8S JS 4H KS AD 8S JH 6D TD KD 7C 6C 2D 7D JC 6H 6S JS 4H QH 9H AH 4C 3C 6H 5H AS 7C 7S 3D KH KC 5D 5C JC 3D TD AS 4D 6D 6S QH JD KS 8C 7S 8S QH 2S JD 5C 7H AH QD 8S 3C 6H 6C 2C 8D TD 7D 4C 4D 5D QH KH 7C 2S 7H JS 6D QC QD AD 6C 6S 7D TH 6H 2H 8H KH 4H KS JS KD 5D 2D KH 7D 9C 8C 3D 9C 6D QD 3C KS 3S 7S AH JD 2D AH QH AS JC 8S 8H 4C KC TH 7D JC 5H TD 7C 5D KD 4C AD 8H JS KC 2H AC AH 7D JH KH 5D 7S 6D 9S 5S 9C 6H 8S TD JD 9H 6C AC 7D 8S 6D TS KD 7H AC 5S 7C 5D AH QC JC 4C TC 8C 2H TS 2C 7D KD KC 6S 3D 7D 2S 8S 3H 5S 5C 8S 5D 8H 4C 6H KC 3H 7C 5S KD JH 8C 3D 3C 6C KC TD 7H 7C 4C JC KC 6H TS QS TD KS 8H 8C 9S 6C 5S 9C QH 7D AH KS KC 9S 2C 4D 4S 8H TD 9C 3S 7D 9D AS TH 6S 7D 3C 6H 5D KD 2C 5C 9D 9C 2H KC 3D AD 3H QD QS 8D JC 4S 8C 3H 9C 7C AD 5D JC 9D JS AS 5D 9H 5C 7H 6S 6C QC JC QD 9S JC QS JH 2C 6S 9C QC 3D 4S TC 4H 5S 8D 3D 4D 2S KC 2H JS 2C TD 3S TH KD 4D 7H JH JS KS AC 7S 8C 9S 2D 8S 7D 5C AD 9D AS 8C 7H 2S 6C TH 3H 4C 3S 8H AC KD 5H JC 8H JD 2D 4H TD JH 5C 3D AS QH KS 7H JD 8S 5S 6D 5H 9S 6S TC QS JC 5C 5D 9C TH 8C 5H 3S JH 9H 2S 2C 6S 7S AS KS 8C QD JC QS TC QC 4H AC KH 6C TC 5H 7D JH 4H 2H 8D JC KS 4D 5S 9C KH KD 9H 5C TS 3D 7D 2D 5H AS TC 4D 8C 2C TS 9D 3H 8D 6H 8D 2D 9H JD 6C 4S 5H 5S 6D AD 9C JC 7D 6H 9S 6D JS 9H 3C AD JH TC QS 4C 5D 9S 7C 9C AH KD 6H 2H TH 8S QD KS 9D 9H AS 4H 8H 8D 5H 6C AH 5S AS AD 8S QS 5D 4S 2H TD KS 5H AC 3H JC 9C 7D QD KD AC 6D 5H QH 6H 5S KC AH QH 2H 7D QS 3H KS 7S JD 6C 8S 3H 6D KS QD 5D 5C 8H TC 9H 4D 4S 6S 9D KH QC 4H 6C JD TD 2D QH 4S 6H JH KD 3C QD 8C 4S 6H 7C QD 9D AS AH 6S AD 3C 2C KC TH 6H 8D AH 5C 6D 8S 5D TD TS 7C AD JC QD 9H 3C KC 7H 5D 4D 5S 8H 4H 7D 3H JD KD 2D JH TD 6H QS 4S KD 5C 8S 7D 8H AC 3D AS 8C TD 7H KH 5D 6C JD 9D KS 7C 6D QH TC JD KD AS KC JH 8S 5S 7S 7D AS 2D 3D AD 2H 2H 5D AS 3C QD KC 6H 9H 9S 2C 9D 5D TH 4C JH 3H 8D TC 8H 9H 6H KD 2C TD 2H 6C 9D 2D JS 8C KD 7S 3C 7C AS QH TS AD 8C 2S QS 8H 6C JS 4C 9S QC AD TD TS 2H 7C TS TC 8C 3C 9H 2D 6D JC TC 2H 8D JH KS 6D 3H TD TH 8H 9D TD 9H QC 5D 6C 8H 8C KC TS 2H 8C 3D AH 4D TH TC 7D 8H KC TS 5C 2D 8C 6S KH AH 5H 6H KC 5S 5D AH TC 4C JD 8D 6H 8C 6C KC QD 3D 8H 2D JC 9H 4H AD 2S TD 6S 7D JS KD 4H QS 2S 3S 8C 4C 9H JH TS 3S 4H QC 5S 9S 9C 2C KD 9H JS 9S 3H JC TS 5D AC AS 2H 5D AD 5H JC 7S TD JS 4C 2D 4S 8H 3D 7D 2C AD KD 9C TS 7H QD JH 5H JS AC 3D TH 4C 8H 6D KH KC QD 5C AD 7C 2D 4H AC 3D 9D TC 8S QD 2C JC 4H JD AH 6C TD 5S TC 8S AH 2C 5D AS AC TH 7S 3D AS 6C 4C 7H 7D 4H AH 5C 2H KS 6H 7S 4H 5H 3D 3C 7H 3C 9S AC 7S QH 2H 3D 6S 3S 3H 2D 3H AS 2C 6H TC JS 6S 9C 6C QH KD QD 6D AC 6H KH 2C TS 8C 8H 7D 3S 9H 5D 3H 4S QC 9S 5H 2D 9D 7H 6H 3C 8S 5H 4D 3S 4S KD 9S 4S TC 7S QC 3S 8S 2H 7H TC 3D 8C 3H 6C 2H 6H KS KD 4D KC 3D 9S 3H JS 4S 8H 2D 6C 8S 6H QS 6C TC QD 9H 7D 7C 5H 4D TD 9D 8D 6S 6C TC 5D TS JS 8H 4H KC JD 9H TC 2C 6S 5H 8H AS JS 9C 5C 6S 9D JD 8H KC 4C 6D 4D 8D 8S 6C 7C 6H 7H 8H 5C KC TC 3D JC 6D KS 9S 6H 7S 9C 2C 6C 3S KD 5H TS 7D 9H 9S 6H KH 3D QD 4C 6H TS AC 3S 5C 2H KD 4C AS JS 9S 7C TS 7H 9H JC KS 4H 8C JD 3H 6H AD 9S 4S 5S KS 4C 2C 7D 3D AS 9C 2S QS KC 6C 8S 5H 3D 2S AC 9D 6S 3S 4D TD QD TH 7S TS 3D AC 7H 6C 5D QC TC QD AD 9C QS 5C 8D KD 3D 3C 9D 8H AS 3S 7C 8S JD 2D 8D KC 4C TH AC QH JS 8D 7D 7S 9C KH 9D 8D 4C JH 2C 2S QD KD TS 4H 4D 6D 5D 2D JH 3S 8S 3H TC KH AD 4D 2C QS 8C KD JH JD AH 5C 5C 6C 5H 2H JH 4H KS 7C TC 3H 3C 4C QC 5D JH 9C QD KH 8D TC 3H 9C JS 7H QH AS 7C 9H 5H JC 2D 5S QD 4S 3C KC 6S 6C 5C 4C 5D KH 2D TS 8S 9C AS 9S 7C 4C 7C AH 8C 8D 5S KD QH QS JH 2C 8C 9D AH 2H AC QC 5S 8H 7H 2C QD 9H 5S QS QC 9C 5H JC TH 4H 6C 6S 3H 5H 3S 6H KS 8D AC 7S AC QH 7H 8C 4S KC 6C 3D 3S TC 9D 3D JS TH AC 5H 3H 8S 3S TC QD KH JS KS 9S QC 8D AH 3C AC 5H 6C KH 3S 9S JH 2D QD AS 8C 6C 4D 7S 7H 5S JC 6S 9H 4H JH AH 5S 6H 9S AD 3S TH 2H 9D 8C 4C 8D 9H 7C QC AD 4S 9C KC 5S 9D 6H 4D TC 4C JH 2S 5D 3S AS 2H 6C 7C KH 5C AD QS TH JD 8S 3S 4S 7S AH AS KC JS 2S AD TH JS KC 2S 7D 8C 5C 9C TS 5H 9D 7S 9S 4D TD JH JS KH 6H 5D 2C JD JS JC TH 2D 3D QD 8C AC 5H 7S KH 5S 9D 5D TD 4S 6H 3C 2D 4S 5D AC 8D 4D 7C AD AS AH 9C 6S TH TS KS 2C QC AH AS 3C 4S 2H 8C 3S JC 5C 7C 3H 3C KH JH 7S 3H JC 5S 6H 4C 2S 4D KC 7H 4D 7C 4H 9S 8S 6S AD TC 6C JC KH QS 3S TC 4C 8H 8S AC 3C TS QD QS TH 3C TS 7H 7D AH TD JC TD JD QC 4D 9S 7S TS AD 7D AC AH 7H 4S 6D 7C 2H 9D KS JC TD 7C AH JD 4H 6D QS TS 2H 2C 5C TC KC 8C 9S 4C JS 3C JC 6S AH AS 7D QC 3D 5S JC JD 9D TD KH TH 3C 2S 6H AH AC 5H 5C 7S 8H QC 2D AC QD 2S 3S JD QS 6S 8H KC 4H 3C 9D JS 6H 3S 8S AS 8C 7H KC 7D JD 2H JC QH 5S 3H QS 9H TD 3S 8H 7S AC 5C 6C AH 7C 8D 9H AH JD TD QS 7D 3S 9C 8S AH QH 3C JD KC 4S 5S 5D TD KS 9H 7H 6S JH TH 4C 7C AD 5C 2D 7C KD 5S TC 9D 6S 6C 5D 2S TH KC 9H 8D 5H 7H 4H QC 3D 7C AS 6S 8S QC TD 4S 5C TH QS QD 2S 8S 5H TH QC 9H 6S KC 7D 7C 5C 7H KD AH 4D KH 5C 4S 2D KC QH 6S 2C TD JC AS 4D 6C 8C 4H 5S JC TC JD 5S 6S 8D AS 9D AD 3S 6D 6H 5D 5S TC 3D 7D QS 9D QD 4S 6C 8S 3S 7S AD KS 2D 7D 7C KC QH JC AC QD 5D 8D QS 7H 7D JS AH 8S 5H 3D TD 3H 4S 6C JH 4S QS 7D AS 9H JS KS 6D TC 5C 2D 5C 6H TC 4D QH 3D 9H 8S 6C 6D 7H TC TH 5S JD 5C 9C KS KD 8D TD QH 6S 4S 6C 8S KC 5C TC 5S 3D KS AC 4S 7D QD 4C TH 2S TS 8H 9S 6S 7S QH 3C AH 7H 8C 4C 8C TS JS QC 3D 7D 5D 7S JH 8S 7S 9D QC AC 7C 6D 2H JH KC JS KD 3C 6S 4S 7C AH QC KS 5H KS 6S 4H JD QS TC 8H KC 6H AS KH 7C TC 6S TD JC 5C 7D AH 3S 3H 4C 4H TC TH 6S 7H 6D 9C QH 7D 5H 4S 8C JS 4D 3D 8S QH KC 3H 6S AD 7H 3S QC 8S 4S 7S JS 3S JD KH TH 6H QS 9C 6C 2D QD 4S QH 4D 5H KC 7D 6D 8D TH 5S TD AD 6S 7H KD KH 9H 5S KC JC 3H QC AS TS 4S QD KS 9C 7S KC TS 6S QC 6C TH TC 9D 5C 5D KD JS 3S 4H KD 4C QD 6D 9S JC 9D 8S JS 6D 4H JH 6H 6S 6C KS KH AC 7D 5D TC 9S KH 6S QD 6H AS AS 7H 6D QH 8D TH 2S KH 5C 5H 4C 7C 3D QC TC 4S KH 8C 2D JS 6H 5D 7S 5H 9C 9H JH 8S TH 7H AS JS 2S QD KH 8H 4S AC 8D 8S 3H 4C TD KD 8C JC 5C QS 2D JD TS 7D 5D 6C 2C QS 2H 3C AH KS 4S 7C 9C 7D JH 6C 5C 8H 9D QD 2S TD 7S 6D 9C 9S QS KH QH 5C JC 6S 9C QH JH 8D 7S JS KH 2H 8D 5H TH KC 4D 4S 3S 6S 3D QS 2D JD 4C TD 7C 6D TH 7S JC AH QS 7S 4C TH 9D TS AD 4D 3H 6H 2D 3H 7D JD 3D AS 2S 9C QC 8S 4H 9H 9C 2C 7S JH KD 5C 5D 6H TC 9H 8H JC 3C 9S 8D KS AD KC TS 5H JD QS QH QC 8D 5D KH AH 5D AS 8S 6S 4C AH QC QD TH 7H 3H 4H 7D 6S 4S 9H AS 8H JS 9D JD 8C 2C 9D 7D 5H 5S 9S JC KD KD 9C 4S QD AH 7C AD 9D AC TD 6S 4H 4S 9C 8D KS TC 9D JH 7C 5S JC 5H 4S QH AC 2C JS 2S 9S 8C 5H AS QD AD 5C 7D 8S QC TD JC 4C 8D 5C KH QS 4D 6H 2H 2C TH 4S 2D KC 3H QD AC 7H AD 9D KH QD AS 8H TH KC 8D 7S QH 8C JC 6C 7D 8C KH AD QS 2H 6S 2D JC KH 2D 7D JS QC 5H 4C 5D AD TS 3S AD 4S TD 2D TH 6S 9H JH 9H 2D QS 2C 4S 3D KH AS AC 9D KH 6S 8H 4S KD 7D 9D TS QD QC JH 5H AH KS AS AD JC QC 5S KH 5D 7D 6D KS KD 3D 7C 4D JD 3S AC JS 8D 5H 9C 3H 4H 4D TS 2C 6H KS KH 9D 7C 2S 6S 8S 2H 3D 6H AC JS 7S 3S TD 8H 3H 4H TH 9H TC QC KC 5C KS 6H 4H AC 8S TC 7D QH 4S JC TS 6D 6C AC KH QH 7D 7C JH QS QD TH 3H 5D KS 3D 5S 8D JS 4C 2C KS 7H 9C 4H 5H 8S 4H TD 2C 3S QD QC 3H KC QC JS KD 9C AD 5S 9D 7D 7H TS 8C JC KH 7C 7S 6C TS 2C QD TH 5S 9D TH 3C 7S QH 8S 9C 2H 5H 5D 9H 6H 2S JS KH 3H 7C 2H 5S JD 5D 5S 2C TC 2S 6S 6C 3C 8S 4D KH 8H 4H 2D KS 3H 5C 2S 9H 3S 2D TD 7H 8S 6H JD KC 9C 8D 6S QD JH 7C 9H 5H 8S 8H TH TD QS 7S TD 7D TS JC KD 7C 3C 2C 3C JD 8S 4H 2D 2S TD AS 4D AC AH KS 6C 4C 4S 7D 8C 9H 6H AS 5S 3C 9S 2C QS KD 4D 4S AC 5D 2D TS 2C JS KH QH 5D 8C AS KC KD 3H 6C TH 8S 7S KH 6H 9S AC 6H 7S 6C QS AH 2S 2H 4H 5D 5H 5H JC QD 2C 2S JD AS QC 6S 7D 6C TC AS KD 8H 9D 2C 7D JH 9S 2H 4C 6C AH 8S TD 3H TH 7C TS KD 4S TS 6C QH 8D 9D 9C AH 7D 6D JS 5C QD QC 9C 5D 8C 2H KD 3C QH JH AD 6S AH KC 8S 6D 6H 3D 7C 4C 7S 5S 3S 6S 5H JC 3C QH 7C 5H 3C 3S 8C TS 4C KD 9C QD 3S 7S 5H 7H QH JC 7C 8C KD 3C KD KH 2S 4C TS AC 6S 2C 7C 2C KH 3C 4C 6H 4D 5H 5S 7S QD 4D 7C 8S QD TS 9D KS 6H KD 3C QS 4D TS 7S 4C 3H QD 8D 9S TC TS QH AC 6S 3C 9H 9D QS 8S 6H 3S 7S 5D 4S JS 2D 6C QH 6S TH 4C 4H AS JS 5D 3D TS 9C AC 8S 6S 9C 7C 3S 5C QS AD AS 6H 3C 9S 8C 7H 3H 6S 7C AS 9H JD KH 3D 3H 7S 4D 6C 7C AC 2H 9C TH 4H 5S 3H AC TC TH 9C 9H 9S 8D 8D 9H 5H 4D 6C 2H QD 6S 5D 3S 4C 5C JD QS 4D 3H TH AC QH 8C QC 5S 3C 7H AD 4C KS 4H JD 6D QS AH 3H KS 9H 2S JS JH 5H 2H 2H 5S TH 6S TS 3S KS 3C 5H JS 2D 9S 7H 3D KC JH 6D 7D JS TD AC JS 8H 2C 8C JH JC 2D TH 7S 5D 9S 8H 2H 3D TC AH JC KD 9C 9D QD JC 2H 6D KH TS 9S QH TH 2C 8D 4S JD 5H 3H TH TC 9C KC AS 3D 9H 7D 4D TH KH 2H 7S 3H 4H 7S KS 2S JS TS 8S 2H QD 8D 5S 6H JH KS 8H 2S QC AC 6S 3S JC AS AD QS 8H 6C KH 4C 4D QD 2S 3D TS TD 9S KS 6S QS 5C 8D 3C 6D 4S QC KC JH QD TH KH AD 9H AH 4D KS 2S 8D JH JC 7C QS 2D 6C TH 3C 8H QD QH 2S 3S KS 6H 5D 9S 4C TS TD JS QD 9D JD 5H 8H KH 8S KS 7C TD AD 4S KD 2C 7C JC 5S AS 6C 7D 8S 5H 9C 6S QD 9S TS KH QS 5S QH 3C KC 7D 3H 3C KD 5C AS JH 7H 6H JD 9D 5C 9H KC 8H KS 4S AD 4D 2S 3S JD QD 8D 2S 7C 5S 6S 5H TS 6D 9S KC TD 3S 6H QD JD 5C 8D 5H 9D TS KD 8D 6H TD QC 4C 7D 6D 4S JD 9D AH 9S AS TD 9H QD 2D 5S 2H 9C 6H 9S TD QC 7D TC 3S 2H KS TS 2C 9C 8S JS 9D 7D 3C KC 6D 5D 6C 6H 8S AS 7S QS JH 9S 2H 8D 4C 8H 9H AD TH KH QC AS 2S JS 5C 6H KD 3H 7H 2C QD 8H 2S 8D 3S 6D AH 2C TC 5C JD JS TS 8S 3H 5D TD KC JC 6H 6S QS TC 3H 5D AH JC 7C 7D 4H 7C 5D 8H 9C 2H 9H JH KH 5S 2C 9C 7H 6S TH 3S QC QD 4C AC JD 2H 5D 9S 7D KC 3S QS 2D AS KH 2S 4S 2H 7D 5C TD TH QH 9S 4D 6D 3S TS 6H 4H KS 9D 8H 5S 2D 9H KS 4H 3S 5C 5D KH 6H 6S JS KC AS 8C 4C JC KH QC TH QD AH 6S KH 9S 2C 5H TC 3C 7H JC 4D JD 4S 6S 5S 8D 7H 7S 4D 4C 2H 7H 9H 5D KH 9C 7C TS TC 7S 5H 4C 8D QC TS 4S 9H 3D AD JS 7C 8C QS 5C 5D 3H JS AH KC 4S 9D TS JD 8S QS TH JH KH 2D QD JS JD QC 5D 6S 9H 3S 2C 8H 9S TS 2S 4C AD 7H JC 5C 2D 6D 4H 3D 7S JS 2C 4H 8C AD QD 9C 3S TD JD TS 4C 6H 9H 7D QD 6D 3C AS AS 7C 4C 6S 5D 5S 5C JS QC 4S KD 6S 9S 7C 3C 5S 7D JH QD JS 4S 7S JH 2C 8S 5D 7H 3D QH AD TD 6H 2H 8D 4H 2D 7C AD KH 5D TS 3S 5H 2C QD AH 2S 5C KH TD KC 4D 8C 5D AS 6C 2H 2S 9H 7C KD JS QC TS QS KH JH 2C 5D AD 3S 5H KC 6C 9H 3H 2H AD 7D 7S 7S JS JH KD 8S 7D 2S 9H 7C 2H 9H 2D 8D QC 6S AD AS 8H 5H 6C 2S 7H 6C 6D 7D 8C 5D 9D JC 3C 7C 9C 7H JD 2H KD 3S KH AD 4S QH AS 9H 4D JD KS KD TS KH 5H 4C 8H 5S 3S 3D 7D TD AD 7S KC JS 8S 5S JC 8H TH 9C 4D 5D KC 7C 5S 9C QD 2C QH JS 5H 8D KH TD 2S KS 3D AD KC 7S TC 3C 5D 4C 2S AD QS 6C 9S QD TH QH 5C 8C AD QS 2D 2S KC JD KS 6C JC 8D 4D JS 2H 5D QD 7S 7D QH TS 6S 7H 3S 8C 8S 9D QS 8H 6C 9S 4S TC 2S 5C QD 4D QS 6D TH 6S 3S 5C 9D 6H 8D 4C 7D TC 7C TD AH 6S AS 7H 5S KD 3H 5H AC 4C 8D 8S AH KS QS 2C AD 6H 7D 5D 6H 9H 9S 2H QS 8S 9C 5D 2D KD TS QC 5S JH 7D 7S TH 9S 9H AC 7H 3H 6S KC 4D 6D 5C 4S QD TS TD 2S 7C QD 3H JH 9D 4H 7S 7H KS 3D 4H 5H TC 2S AS 2D 6D 7D 8H 3C 7H TD 3H AD KC TH 9C KH TC 4C 2C 9S 9D 9C 5C 2H JD 3C 3H AC TS 5D AD 8D 6H QC 6S 8C 2S TS 3S JD 7H 8S QH 4C 5S 8D AC 4S 6C 3C KH 3D 7C 2D 8S 2H 4H 6C 8S TH 2H 4S 8H 9S 3H 7S 7C 4C 9C 2C 5C AS 5D KD 4D QH 9H 4H TS AS 7D 8D 5D 9S 8C 2H QC KD AC AD 2H 7S AS 3S 2D 9S 2H QC 8H TC 6D QD QS 5D KH 3C TH JD QS 4C 2S 5S AD 7H 3S AS 7H JS 3D 6C 3S 6D AS 9S AC QS 9C TS AS 8C TC 8S 6H 9D 8D 6C 4D JD 9C KC 7C 6D KS 3S 8C AS 3H 6S TC 8D TS 3S KC 9S 7C AS 8C QC 4H 4S 8S 6C 3S TC AH AC 4D 7D 5C AS 2H 6S TS QC AD TC QD QC 8S 4S TH 3D AH TS JH 4H 5C 2D 9S 2C 3H 3C 9D QD QH 7D KC 9H 6C KD 7S 3C 4D AS TC 2D 3D JS 4D 9D KS 7D TH QC 3H 3C 8D 5S 2H 9D 3H 8C 4C 4H 3C TH JC TH 4S 6S JD 2D 4D 6C 3D 4C TS 3S 2D 4H AC 2C 6S 2H JH 6H TD 8S AD TC AH AC JH 9S 6S 7S 6C KC 4S JD 8D 9H 5S 7H QH AH KD 8D TS JH 5C 5H 3H AD AS JS 2D 4H 3D 6C 8C 7S AD 5D 5C 8S TD 5D 7S 9C 4S 5H 6C 8C 4C 8S JS QH 9C AS 5C QS JC 3D QC 7C JC 9C KH JH QS QC 2C TS 3D AD 5D JH AC 5C 9S TS 4C JD 8C KS KC AS 2D KH 9H 2C 5S 4D 3D 6H TH AH 2D 8S JC 3D 8C QH 7S 3S 8H QD 4H JC AS KH KS 3C 9S 6D 9S QH 7D 9C 4S AC 7H KH 4D KD AH AD TH 6D 9C 9S KD KS QH 4H QD 6H 9C 7C QS 6D 6S 9D 5S JH AH 8D 5H QD 2H JC KS 4H KH 5S 5C 2S JS 8D 9C 8C 3D AS KC AH JD 9S 2H QS 8H 5S 8C TH 5C 4C QC QS 8C 2S 2C 3S 9C 4C KS KH 2D 5D 8S AH AD TD 2C JS KS 8C TC 5S 5H 8H QC 9H 6H JD 4H 9S 3C JH 4H 9H AH 4S 2H 4C 8D AC 8S TH 4D 7D 6D QD QS 7S TC 7C KH 6D 2D JD 5H JS QD JH 4H 4S 9C 7S JH 4S 3S TS QC 8C TC 4H QH 9D 4D JH QS 3S 2C 7C 6C 2D 4H 9S JD 5C 5H AH 9D TS 2D 4C KS JH TS 5D 2D AH JS 7H AS 8D JS AH 8C AD KS 5S 8H 2C 6C TH 2H 5D AD AC KS 3D 8H TS 6H QC 6D 4H TS 9C 5H JS JH 6S JD 4C JH QH 4H 2C 6D 3C 5D 4C QS KC 6H 4H 6C 7H 6S 2S 8S KH QC 8C 3H 3D 5D KS 4H TD AD 3S 4D TS 5S 7C 8S 7D 2C KS 7S 6C 8C JS 5D 2H 3S 7C 5C QD 5H 6D 9C 9H JS 2S KD 9S 8D TD TS AC 8C 9D 5H QD 2S AC 8C 9H KS 7C 4S 3C KH AS 3H 8S 9C JS QS 4S AD 4D AS 2S TD AD 4D 9H JC 4C 5H QS 5D 7C 4H TC 2D 6C JS 4S KC 3S 4C 2C 5D AC 9H 3D JD 8S QS QH 2C 8S 6H 3C QH 6D TC KD AC AH QC 6C 3S QS 4S AC 8D 5C AD KH 5S 4C AC KH AS QC 2C 5C 8D 9C 8H JD 3C KH 8D 5C 9C QD QH 9D 7H TS 2C 8C 4S TD JC 9C 5H QH JS 4S 2C 7C TH 6C AS KS 7S JD JH 7C 9H 7H TC 5H 3D 6D 5D 4D 2C QD JH 2H 9D 5S 3D TD AD KS JD QH 3S 4D TH 7D 6S QS KS 4H TC KS 5S 8D 8H AD 2S 2D 4C JH 5S JH TC 3S 2D QS 9D 4C KD 9S AC KH 3H AS 9D KC 9H QD 6C 6S 9H 7S 3D 5C 7D KC TD 8H 4H 6S 3C 7H 8H TC QD 4D 7S 6S QH 6C 6D AD 4C QD 6C 5D 7D 9D KS TS JH 2H JD 9S 7S TS KH 8D 5D 8H 2D 9S 4C 7D 9D 5H QD 6D AC 6S 7S 6D JC QD JH 4C 6S QS 2H 7D 8C TD JH KD 2H 5C QS 2C JS 7S TC 5H 4H JH QD 3S 5S 5D 8S KH KS KH 7C 2C 5D JH 6S 9C 6D JC 5H AH JD 9C JS KC 2H 6H 4D 5S AS 3C TH QC 6H 9C 8S 8C TD 7C KC 2C QD 9C KH 4D 7S 3C TS 9H 9C QC 2S TS 8C TD 9S QD 3S 3C 4D 9D TH JH AH 6S 2S JD QH JS QD 9H 6C KD 7D 7H 5D 6S 8H AH 8H 3C 4S 2H 5H QS QH 7S 4H AC QS 3C 7S 9S 4H 3S AH KS 9D 7C AD 5S 6S 2H 2D 5H TC 4S 3C 8C QH TS 6S 4D JS KS JH AS 8S 6D 2C 8S 2S TD 5H AS TC TS 6C KC KC TS 8H 2H 3H 7C 4C 5S TH TD KD AD KH 7H 7S 5D 5H 5S 2D 9C AD 9S 3D 7S 8C QC 7C 9C KD KS 3C QC 9S 8C 4D 5C AS QD 6C 2C 2H KC 8S JD 7S AC 8D 5C 2S 4D 9D QH 3D 2S TC 3S KS 3C 9H TD KD 6S AC 2C 7H 5H 3S 6C 6H 8C QH TC 8S 6S KH TH 4H 5D TS 4D 8C JS 4H 6H 2C 2H 7D AC QD 3D QS KC 6S 2D 5S 4H TD 3H JH 4C 7S 5H 7H 8H KH 6H QS TH KD 7D 5H AD KD 7C KH 5S TD 6D 3C 6C 8C 9C 5H JD 7C KC KH 7H 2H 3S 7S 4H AD 4D 8S QS TH 3D 7H 5S 8D TC KS KD 9S 6D AD JD 5C 2S 7H 8H 6C QD 2H 6H 9D TC 9S 7C 8D 6D 4C 7C 6C 3C TH KH JS JH 5S 3S 8S JS 9H AS AD 8H 7S KD JH 7C 2C KC 5H AS AD 9C 9S JS AD AC 2C 6S QD 7C 3H TH KS KD 9D JD 4H 8H 4C KH 7S TS 8C KC 3S 5S 2H 7S 6H 7D KS 5C 6D AD 5S 8C 9H QS 7H 7S 2H 6C 7D TD QS 5S TD AC 9D KC 3D TC 2D 4D TD 2H 7D JD QD 4C 7H 5D KC 3D 4C 3H 8S KD QH 5S QC 9H TC 5H 9C QD TH 5H TS 5C 9H AH QH 2C 4D 6S 3C AC 6C 3D 2C 2H TD TH AC 9C 5D QC 4D AD 8D 6D 8C KC AD 3C 4H AC 8D 8H 7S 9S TD JC 4H 9H QH JS 2D TH TD TC KD KS 5S 6S 9S 8D TH AS KH 5H 5C 8S JD 2S 9S 6S 5S 8S 5D 7S 7H 9D 5D 8C 4C 9D AD TS 2C 7D KD TC 8S QS 4D KC 5C 8D 4S KH JD KD AS 5C AD QH 7D 2H 9S 7H 7C TC 2S 8S JD KH 7S 6C 6D AD 5D QC 9H 6H 3S 8C 8H AH TC 4H JS TD 2C TS 4D 7H 2D QC 9C 5D TH 7C 6C 8H QC 5D TS JH 5C 5H 9H 4S 2D QC 7H AS JS 8S 2H 4C 4H 8D JS 6S AC KD 3D 3C 4S 7H TH KC QH KH 6S QS 5S 4H 3C QD 3S 3H 7H AS KH 8C 4H 9C 5S 3D 6S TS 9C 7C 3H 5S QD 2C 3D AD AC 5H JH TD 2D 4C TS 3H KH AD 3S 7S AS 4C 5H 4D 6S KD JC 3C 6H 2D 3H 6S 8C 2D TH 4S AH QH AD 5H 7C 2S 9H 7H KC 5C 6D 5S 3H JC 3C TC 9C 4H QD TD JH 6D 9H 5S 7C 6S 5C 5D 6C 4S 7H 9H 6H AH AD 2H 7D KC 2C 4C 2S 9S 7H 3S TH 4C 8S 6S 3S AD KS AS JH TD 5C TD 4S 4D AD 6S 5D TC 9C 7D 8H 3S 4D 4S 5S 6H 5C AC 3H 3D 9H 3C AC 4S QS 8S 9D QH 5H 4D JC 6C 5H TS AC 9C JD 8C 7C QD 8S 8H 9C JD 2D QC QH 6H 3C 8D KS JS 2H 6H 5H QH QS 3H 7C 6D TC 3H 4S 7H QC 2H 3S 8C JS KH AH 8H 5S 4C 9H JD 3H 7S JC AC 3C 2D 4C 5S 6C 4S QS 3S JD 3D 5H 2D TC AH KS 6D 7H AD 8C 6H 6C 7S 3C JD 7C 8H KS KH AH 6D AH 7D 3H 8H 8S 7H QS 5H 9D 2D JD AC 4H 7S 8S 9S KS AS 9D QH 7S 2C 8S 5S JH QS JC AH KD 4C AH 2S 9H 4H 8D TS TD 6H QH JD 4H JC 3H QS 6D 7S 9C 8S 9D 8D 5H TD 4S 9S 4C 8C 8D 7H 3H 3D QS KH 3S 2C 2S 3C 7S TD 4S QD 7C TD 4D 5S KH AC AS 7H 4C 6C 2S 5H 6D JD 9H QS 8S 2C 2H TD 2S TS 6H 9H 7S 4H JC 4C 5D 5S 2C 5H 7D 4H 3S QH JC JS 6D 8H 4C QH 7C QD 3S AD TH 8S 5S TS 9H TC 2S TD JC 7D 3S 3D TH QH 7D 4C 8S 5C JH 8H 6S 3S KC 3H JC 3H KH TC QH TH 6H 2C AC 5H QS 2H 9D 2C AS 6S 6C 2S 8C 8S 9H 7D QC TH 4H KD QS AC 7S 3C 4D JH 6S 5S 8H KS 9S QC 3S AS JD 2D 6S 7S TC 9H KC 3H 7D KD 2H KH 7C 4D 4S 3H JS QD 7D KC 4C JC AS 9D 3C JS 6C 8H QD 4D AH JS 3S 6C 4C 3D JH 6D 9C 9H 9H 2D 8C 7H 5S KS 6H 9C 2S TC 6C 8C AD 7H 6H 3D KH AS 5D TH KS 8C 3S TS 8S 4D 5S 9S 6C 4H 9H 4S 4H 5C 7D KC 2D 2H 9D JH 5C JS TC 9D 9H 5H 7S KH JC 6S 7C 9H 8H 4D JC KH JD 2H TD TC 8H 6C 2H 2C KH 6H 9D QS QH 5H AC 7D 2S 3D QD JC 2D 8D JD JH 2H JC 2D 7H 2C 3C 8D KD TD 4H 3S 4H 6D 8D TS 3H TD 3D 6H TH JH JC 3S AC QH 9H 7H 8S QC 2C 7H TD QS 4S 8S 9C 2S 5D 4D 2H 3D TS 3H 2S QC 8H 6H KC JC KS 5D JD 7D TC 8C 6C 9S 3D 8D AC 8H 6H JH 6C 5D 8D 8S 4H AD 2C 9D 4H 2D 2C 3S TS AS TC 3C 5D 4D TH 5H KS QS 6C 4S 2H 3D AD 5C KC 6H 2C 5S 3C 4D 2D 9H 9S JD 4C 3H TH QH 9H 5S AH 8S AC 7D 9S 6S 2H TD 9C 4H 8H QS 4C 3C 6H 5D 4H 8C 9C KC 6S QD QS 3S 9H KD TC 2D JS 8C 6S 4H 4S 2S 4C 8S QS 6H KH 3H TH 8C 5D 2C KH 5S 3S 7S 7H 6C 9D QD 8D 8H KS AC 2D KH TS 6C JS KC 7H 9C KS 5C TD QC AH 6C 5H 9S 7C 5D 4D 3H 4H 6S 7C 7S AH QD TD 2H 7D QC 6S TC TS AH 7S 9D 3H TH 5H QD 9S KS 7S 7C 6H 8C TD TH 2D 4D QC 5C 7D JD AH 9C 4H 4H 3H AH 8D 6H QC QH 9H 2H 2C 2D AD 4C TS 6H 7S TH 4H QS TD 3C KD 2H 3H QS JD TC QC 5D 8H KS JC QD TH 9S KD 8D 8C 2D 9C 3C QD KD 6D 4D 8D AH AD QC 8S 8H 3S 9D 2S 3H KS 6H 4C 7C KC TH 9S 5C 3D 7D 6H AC 7S 4D 2C 5C 3D JD 4D 2D 6D 5H 9H 4C KH AS 7H TD 6C 2H 3D QD KS 4C 4S JC 3C AC 7C JD JS 8H 9S QC 5D JD 6S 5S 2H AS 8C 7D 5H JH 3D 8D TC 5S 9S 8S 3H JC 5H 7S AS 5C TD 3D 7D 4H 8D 7H 4D 5D JS QS 9C KS TD 2S 8S 5C 2H 4H AS TH 7S 4H 7D 3H JD KD 5D 2S KC JD 7H 4S 8H 4C JS 6H QH 5S 4H 2C QS 8C 5S 3H QC 2S 6C QD AD 8C 3D JD TC 4H 2H AD 5S AC 2S 5D 2C JS 2D AD 9D 3D 4C 4S JH 8D 5H 5D 6H 7S 4D KS 9D TD JD 3D 6D 9C 2S AS 7D 5S 5C 8H JD 7C 8S 3S 6S 5H JD TC AD 7H 7S 2S 9D TS 4D AC 8D 6C QD JD 3H 9S KH 2C 3C AC 3D 5H 6H 8D 5D KS 3D 2D 6S AS 4C 2S 7C 7H KH AC 2H 3S JC 5C QH 4D 2D 5H 7S TS AS JD 8C 6H JC 8S 5S 2C 5D 7S QH 7H 6C QC 8H 2D 7C JD 2S 2C QD 2S 2H JC 9C 5D 2D JD JH 7C 5C 9C 8S 7D 6D 8D 6C 9S JH 2C AD 6S 5H 3S KS 7S 9D KH 4C 7H 6C 2C 5C TH 9D 8D 3S QC AH 5S KC 6H TC 5H 8S TH 6D 3C AH 9C KD 4H AD TD 9S 4S 7D 6H 5D 7H 5C 5H 6D AS 4C KD KH 4H 9D 3C 2S 5C 6C JD QS 2H 9D 7D 3H AC 2S 6S 7S JS QD 5C QS 6H AD 5H TH QC 7H TC 3S 7C 6D KC 3D 4H 3D QC 9S 8H 2C 3S JC KS 5C 4S 6S 2C 6H 8S 3S 3D 9H 3H JS 4S 8C 4D 2D 8H 9H 7D 9D AH TS 9S 2C 9H 4C 8D AS 7D 3D 6D 5S 6S 4C 7H 8C 3H 5H JC AH 9D 9C 2S 7C 5S JD 8C 3S 3D 4D 7D 6S 3C KC 4S 5D 7D 3D JD 7H 3H 4H 9C 9H 4H 4D TH 6D QD 8S 9S 7S 2H AC 8S 4S AD 8C 2C AH 7D TC TS 9H 3C AD KS TC 3D 8C 8H JD QC 8D 2C 3C 7D 7C JD 9H 9C 6C AH 6S JS JH 5D AS QC 2C JD TD 9H KD 2H 5D 2D 3S 7D TC AH TS TD 8H AS 5D AH QC AC 6S TC 5H KS 4S 7H 4D 8D 9C TC 2H 6H 3H 3H KD 4S QD QH 3D 8H 8C TD 7S 8S JD TC AH JS QS 2D KH KS 4D 3C AD JC KD JS KH 4S TH 9H 2C QC 5S JS 9S KS AS 7C QD 2S JD KC 5S QS 3S 2D AC 5D 9H 8H KS 6H 9C TC AD 2C 6D 5S JD 6C 7C QS KH TD QD 2C 3H 8S 2S QC AH 9D 9H JH TC QH 3C 2S JS 5C 7H 6C 3S 3D 2S 4S QD 2D TH 5D 2C 2D 6H 6D 2S JC QH AS 7H 4H KH 5H 6S KS AD TC TS 7C AC 4S 4H AD 3C 4H QS 8C 9D KS 2H 2D 4D 4S 9D 6C 6D 9C AC 8D 3H 7H KD JC AH 6C TS JD 6D AD 3S 5D QD JC JH JD 3S 7S 8S JS QC 3H 4S JD TH 5C 2C AD JS 7H 9S 2H 7S 8D 3S JH 4D QC AS JD 2C KC 6H 2C AC 5H KD 5S 7H QD JH AH 2D JC QH 8D 8S TC 5H 5C AH 8C 6C 3H JS 8S QD JH 3C 4H 6D 5C 3S 6D 4S 4C AH 5H 5S 3H JD 7C 8D 8H AH 2H 3H JS 3C 7D QC 4H KD 6S 2H KD 5H 8H 2D 3C 8S 7S QD 2S 7S KC QC AH TC QS 6D 4C 8D 5S 9H 2C 3S QD 7S 6C 2H 7C 9D 3C 6C 5C 5S JD JC KS 3S 5D TS 7C KS 6S 5S 2S 2D TC 2H 5H QS AS 7H 6S TS 5H 9S 9D 3C KD 2H 4S JS QS 3S 4H 7C 2S AC 6S 9D 8C JH 2H 5H 7C 5D QH QS KH QC 3S TD 3H 7C KC 8D 5H 8S KH 8C 4H KH JD TS 3C 7H AS QC JS 5S AH 9D 2C 8D 4D 2D 6H 6C KC 6S 2S 6H 9D 3S 7H 4D KH 8H KD 3D 9C TC AC JH KH 4D JD 5H TD 3S 7S 4H 9D AS 4C 7D QS 9S 2S KH 3S 8D 8S KS 8C JC 5C KH 2H 5D 8S QH 2C 4D KC JS QC 9D AC 6H 8S 8C 7C JS JD 6S 4C 9C AC 4S QH 5D 2C 7D JC 8S 2D JS JH 4C JS 4C 7S TS JH KC KH 5H QD 4S QD 8C 8D 2D 6S TD 9D AC QH 5S QH QC JS 3D 3C 5C 4H KH 8S 7H 7C 2C 5S JC 8S 3H QC 5D 2H KC 5S 8D KD 6H 4H QD QH 6D AH 3D 7S KS 6C 2S 4D AC QS 5H TS JD 7C 2D TC 5D QS AC JS QC 6C KC 2C KS 4D 3H TS 8S AD 4H 7S 9S QD 9H QH 5H 4H 4D KH 3S JC AD 4D AC KC 8D 6D 4C 2D KH 2C JD 2C 9H 2D AH 3H 6D 9C 7D TC KS 8C 3H KD 7C 5C 2S 4S 5H AS AH TH JD 4H KD 3H TC 5C 3S AC KH 6D 7H AH 7S QC 6H 2D TD JD AS JH 5D 7H TC 9S 7D JC AS 5S KH 2H 8C AD TH 6H QD KD 9H 6S 6C QH KC 9D 4D 3S JS JH 4H 2C 9H TC 7H KH 4H JC 7D 9S 3H QS 7S AD 7D JH 6C 7H 4H 3S 3H 4D QH JD 2H 5C AS 6C QC 4D 3C TC JH AC JD 3H 6H 4C JC AD 7D 7H 9H 4H TC TS 2C 8C 6S KS 2H JD 9S 4C 3H QS QC 9S 9H 6D KC 9D 9C 5C AD 8C 2C QH TH QD JC 8D 8H QC 2C 2S QD 9C 4D 3S 8D JH QS 9D 3S 2C 7S 7C JC TD 3C TC 9H 3C TS 8H 5C 4C 2C 6S 8D 7C 4H KS 7H 2H TC 4H 2C 3S AS AH QS 8C 2D 2H 2C 4S 4C 6S 7D 5S 3S TH QC 5D TD 3C QS KD KC KS AS 4D AH KD 9H KS 5C 4C 6H JC 7S KC 4H 5C QS TC 2H JC 9S AH QH 4S 9H 3H 5H 3C QD 2H QC JH 8H 5D AS 7H 2C 3D JH 6H 4C 6S 7D 9C JD 9H AH JS 8S QH 3H KS 8H 3S AC QC TS 4D AD 3D AH 8S 9H 7H 3H QS 9C 9S 5H JH JS AH AC 8D 3C JD 2H AC 9C 7H 5S 4D 8H 7C JH 9H 6C JS 9S 7H 8C 9D 4H 2D AS 9S 6H 4D JS JH 9H AD QD 6H 7S JH KH AH 7H TD 5S 6S 2C 8H JH 6S 5H 5S 9D TC 4C QC 9S 7D 2C KD 3H 5H AS QD 7H JS 4D TS QH 6C 8H TH 5H 3C 3H 9C 9D AD KH JS 5D 3H AS AC 9S 5C KC 2C KH 8C JC QS 6D AH 2D KC TC 9D 3H 2S 7C 4D 6D KH KS 8D 7D 9H 2S TC JH AC QC 3H 5S 3S 8H 3S AS KD 8H 4C 3H 7C JH QH TS 7S 6D 7H 9D JH 4C 3D 3S 6C AS 4S 2H 2C 4C 8S 5H KC 8C QC QD 3H 3S 6C QS QC 2D 6S 5D 2C 9D 2H 8D JH 2S 3H 2D 6C 5C 7S AD 9H JS 5D QH 8S TS 2H 7S 6S AD 6D QC 9S 7H 5H 5C 7D KC JD 4H QC 5S 9H 9C 4D 6S KS 2S 4C 7C 9H 7C 4H 8D 3S 6H 5C 8H JS 7S 2D 6H JS TD 4H 4D JC TH 5H KC AC 7C 8D TH 3H 9S 2D 4C KC 4D KD QS 9C 7S 3D KS AD TS 4C 4H QH 9C 8H 2S 7D KS 7H 5D KD 4C 9C 2S 2H JC 6S 6C TC QC JH 5C 7S AC 8H KC 8S 6H QS JC 3D 6S JS 2D JH 8C 4S 6H 8H 6D 5D AD 6H 7D 2S 4H 9H 7C AS AC 8H 5S 3C JS 4S 6D 5H 2S QH 6S 9C 2C 3D 5S 6S 9S 4C QS 8D QD 8S TC 9C 3D AH 9H 5S 2C 7D AD JC 3S 7H TC AS 3C 6S 6D 7S KH KC 9H 3S TC 8H 6S 5H JH 8C 7D AC 2S QD 9D 9C 3S JC 8C KS 8H 5D 4D JS AH JD 6D 9D 8C 9H 9S 8H 3H 2D 6S 4C 4D 8S AD 4S TC AH 9H TS AC QC TH KC 6D 4H 7S 8C 2H 3C QD JS 9D 5S JC AH 2H TS 9H 3H 4D QH 5D 9C 5H 7D 4S JC 3S 8S TH 3H 7C 2H JD JS TS AC 8D 9C 2H TD KC JD 2S 8C 5S AD 2C 3D KD 7C 5H 4D QH QD TC 6H 7D 7H 2C KC 5S KD 6H AH QC 7S QH 6H 5C AC 5H 2C 9C 2D 7C TD 2S 4D 9D AH 3D 7C JD 4H 8C 4C KS TH 3C JS QH 8H 4C AS 3D QS QC 4D 7S 5H JH 6D 7D 6H JS KH 3C QD 8S 7D 2H 2C 7C JC 2S 5H 8C QH 8S 9D TC 2H AD 7C 8D QD 6S 3S 7C AD 9H 2H 9S JD TS 4C 2D 3S AS 4H QC 2C 8H 8S 7S TD TC JH TH TD 3S 4D 4H 5S 5D QS 2C 8C QD QH TC 6D 4S 9S 9D 4H QC 8C JS 9D 6H JD 3H AD 6S TD QC KC 8S 3D 7C TD 7D 8D 9H 4S 3S 6C 4S 3D 9D KD TC KC KS AC 5S 7C 6S QH 3D JS KD 6H 6D 2D 8C JD 2S 5S 4H 8S AC 2D 6S TS 5C 5H 8C 5S 3C 4S 3D 7C 8D AS 3H AS TS 7C 3H AD 7D JC QS 6C 6H 3S 9S 4C AC QH 5H 5D 9H TS 4H 6C 5C 7H 7S TD AD JD 5S 2H 2S 7D 6C KC 3S JD 8D 8S TS QS KH 8S QS 8D 6C TH AC AH 2C 8H 9S 7H TD KH QH 8S 3D 4D AH JD AS TS 3D 2H JC 2S JH KH 6C QC JS KC TH 2D 6H 7S 2S TC 8C 9D QS 3C 9D 6S KH 8H 6D 5D TH 2C 2H 6H TC 7D AD 4D 8S TS 9H TD 7S JS 6D JD JC 2H AC 6C 3D KH 8D KH JD 9S 5D 4H 4C 3H 7S QS 5C 4H JD 5D 3S 3C 4D KH QH QS 7S JD TS 8S QD AH 4C 6H 3S 5S 2C QS 3D JD AS 8D TH 7C 6S QC KS 7S 2H 8C QC 7H AC 6D 2D TH KH 5S 6C 7H KH 7D AH 8C 5C 7S 3D 3C KD AD 7D 6C 4D KS 2D 8C 4S 7C 8D 5S 2D 2S AH AD 2C 9D TD 3C AD 4S KS JH 7C 5C 8C 9C TH AS TD 4D 7C JD 8C QH 3C 5H 9S 3H 9C 8S 9S 6S QD KS AH 5H JH QC 9C 5S 4H 2H TD 7D AS 8C 9D 8C 2C 9D KD TC 7S 3D KH QC 3C 4D AS 4C QS 5S 9D 6S JD QH KS 6D AH 6C 4C 5H TS 9H 7D 3D 5S QS JD 7C 8D 9C AC 3S 6S 6C KH 8H JH 5D 9S 6D AS 6S 3S QC 7H QD AD 5C JH 2H AH 4H AS KC 2C JH 9C 2C 6H 2D JS 5D 9H KC 6D 7D 9D KD TH 3H AS 6S QC 6H AD JD 4H 7D KC 3H JS 3C TH 3D QS 4C 3H 8C QD 5H 6H AS 8H AD JD TH 8S KD 5D QC 7D JS 5S 5H TS 7D KC 9D QS 3H 3C 6D TS 7S AH 7C 4H 7H AH QC AC 4D 5D 6D TH 3C 4H 2S KD 8H 5H JH TC 6C JD 4S 8C 3D 4H JS TD 7S JH QS KD 7C QC KD 4D 7H 6S AD TD TC KH 5H 9H KC 3H 4D 3D AD 6S QD 6H TH 7C 6H TS QH 5S 2C KC TD 6S 7C 4D 5S JD JH 7D AC KD KH 4H 7D 6C 8D 8H 5C JH 8S QD TH JD 8D 7D 6C 7C 9D KD AS 5C QH JH 9S 2C 8C 3C 4C KS JH 2D 8D 4H 7S 6C JH KH 8H 3H 9D 2D AH 6D 4D TC 9C 8D 7H TD KS TH KD 3C JD 9H 8D QD AS KD 9D 2C 2S 9C 8D 3H 5C 7H KS 5H QH 2D 8C 9H 2D TH 6D QD 6C KC 3H 3S AD 4C 4H 3H JS 9D 3C TC 5H QH QC JC 3D 5C 6H 3S 3C JC 5S 7S 2S QH AC 5C 8C 4D 5D 4H 2S QD 3C 3H 2C TD AH 9C KD JS 6S QD 4C QC QS 8C 3S 4H TC JS 3H 7C JC AD 5H 4D 9C KS JC TD 9S TS 8S 9H QD TS 7D AS AC 2C TD 6H 8H AH 6S AD 8C 4S 9H 8D 9D KH 8S 3C QS 4D 2D 7S KH JS JC AD 4C 3C QS 9S 7H KC TD TH 5H JS AC JH 6D AC 2S QS 7C AS KS 6S KH 5S 6D 8H KH 3C QS 2H 5C 9C 9D 6C JS 2C 4C 6H 7D JC AC QD TD 3H 4H QC 8H JD 4C KD KS 5C KC 7S 6D 2D 3H 2S QD 5S 7H AS TH 6S AS 6D 8D 2C 8S TD 8H QD JC AH 9C 9H 2D TD QH 2H 5C TC 3D 8H KC 8S 3D KH 2S TS TC 6S 4D JH 9H 9D QS AC KC 6H 5D 4D 8D AH 9S 5C QS 4H 7C 7D 2H 8S AD JS 3D AC 9S AS 2C 2D 2H 3H JC KH 7H QH KH JD TC KS 5S 8H 4C 8D 2H 7H 3S 2S 5H QS 3C AS 9H KD AD 3D JD 6H 5S 9C 6D AC 9S 3S 3D 5D 9C 2D AC 4S 2S AD 6C 6S QC 4C 2D 3H 6S KC QH QD 2H JH QC 3C 8S 4D 9S 2H 5C 8H QS QD 6D KD 6S 7H 3S KH 2H 5C JC 6C 3S 9S TC 6S 8H 2D AD 7S 8S TS 3C 6H 9C 3H 5C JC 8H QH TD QD 3C JS QD 5D TD 2C KH 9H TH AS 9S TC JD 3D 5C 5H AD QH 9H KC TC 7H 4H 8H 3H TD 6S AC 7C 2S QS 9D 5D 3C JC KS 4D 6C JH 2S 9S 6S 3C 7H TS 4C KD 6D 3D 9C 2D 9H AH AC 7H 2S JH 3S 7C QC QD 9H 3C 2H AC AS 8S KD 8C KH 2D 7S TD TH 6D JD 8D 4D 2H 5S 8S QH KD JD QS JH 4D KC 5H 3S 3C KH QC 6D 8H 3S AH 7D TD 2D 5S 9H QH 4S 6S 6C 6D TS TH 7S 6C 4C 6D QS JS 9C TS 3H 8D 8S JS 5C 7S AS 2C AH 2H AD 5S TC KD 6C 9C 9D TS 2S JC 4H 2C QD QS 9H TC 3H KC KS 4H 3C AD TH KH 9C 2H KD 9D TC 7S KC JH 2D 7C 3S KC AS 8C 5D 9C 9S QH 3H 2D 8C TD 4C 2H QC 5D TC 2C 7D KS 4D 6C QH TD KH 5D 7C AD 8D 2S 9S 8S 4C 8C 3D 6H QD 7C 7H 6C 8S QH 5H TS 5C 3C 4S 2S 2H 8S 6S 2H JC 3S 3H 9D 8C 2S 7H QC 2C 8H 9C AC JD 4C 4H 6S 3S 3H 3S 7D 4C 9S 5H 8H JC 3D TC QH 2S 2D 9S KD QD 9H AD 6D 9C 8D 2D KS 9S JC 4C JD KC 4S TH KH TS 6D 4D 5C KD 5H AS 9H AD QD JS 7C 6D 5D 5C TH 5H QH QS 9D QH KH 5H JH 4C 4D TC TH 6C KH AS TS 9D KD 9C 7S 4D 8H 5S KH AS 2S 7D 9D 4C TS TH AH 7C KS 4D AC 8S 9S 8D TH QH 9D 5C 5D 5C 8C QS TC 4C 3D 3S 2C 8D 9D KS 2D 3C KC 4S 8C KH 6C JC 8H AH 6H 7D 7S QD 3C 4C 6C KC 3H 2C QH 8H AS 7D 4C 8C 4H KC QD 5S 4H 2C TD AH JH QH 4C 8S 3H QS 5S JS 8H 2S 9H 9C 3S 2C 6H TS 7S JC QD AC TD KC 5S 3H QH AS QS 7D JC KC 2C 4C 5C 5S QH 3D AS JS 4H 8D 7H JC 2S 9C 5D 4D 2S 4S 9D 9C 2D QS 8H 7H 6D 7H 3H JS TS AC 2D JH 7C 8S JH 5H KC 3C TC 5S 9H 4C 8H 9D 8S KC 5H 9H AD KS 9D KH 8D AH JC 2H 9H KS 6S 3H QC 5H AH 9C 5C KH 5S AD 6C JC 9H QC 9C TD 5S 5D JC QH 2D KS 8H QS 2H TS JH 5H 5S AH 7H 3C 8S AS TD KH 6H 3D JD 2C 4C KC 7S AH 6C JH 4C KS 9D AD 7S KC 7D 8H 3S 9C 7H 5C 5H 3C 8H QC 3D KH 6D JC 2D 4H 5D 7D QC AD AH 9H QH 8H KD 8C JS 9D 3S 3C 2H 5D 6D 2S 8S 6S TS 3C 6H 8D 5S 3H TD 6C KS 3D JH 9C 7C 9S QS 5S 4H 6H 7S 6S TH 4S KC KD 3S JC JH KS 7C 3C 2S 6D QH 2C 7S 5H 8H AH KC 8D QD 6D KH 5C 7H 9D 3D 9C 6H 2D 8S JS 9S 2S 6D KC 7C TC KD 9C JH 7H KC 8S 2S 7S 3D 6H 4H 9H 2D 4C 8H 7H 5S 8S 2H 8D AD 7C 3C 7S 5S 4D 9H 3D JC KH 5D AS 7D 6D 9C JC 4C QH QS KH KD JD 7D 3D QS QC 8S 6D JS QD 6S 8C 5S QH TH 9H AS AC 2C JD QC KS QH 7S 3C 4C 5C KC 5D AH 6C 4H 9D AH 2C 3H KD 3D TS 5C TD 8S QS AS JS 3H KD AC 4H KS 7D 5D TS 9H 4H 4C 9C 2H 8C QC 2C 7D 9H 4D KS 4C QH AD KD JS QD AD AH KH 9D JS 9H JC KD JD 8S 3C 4S TS 7S 4D 5C 2S 6H 7C JS 7S 5C KD 6D QH 8S TD 2H 6S QH 6C TC 6H TD 4C 9D 2H QC 8H 3D TS 4D 2H 6H 6S 2C 7H 8S 6C 9H 9D JD JH 3S AH 2C 6S 3H 8S 2C QS 8C 5S 3H 2S 7D 3C AD 4S 5C QC QH AS TS 4S 6S 4C 5H JS JH 5C TD 4C 6H JS KD KH QS 4H TC KH JC 4D 9H 9D 8D KC 3C 8H 2H TC 8S AD 9S 4H TS 7H 2C 5C 4H 2S 6C 5S KS AH 9C 7C 8H KD TS QH TD QS 3C JH AH 2C 8D 7D 5D KC 3H 5S AC 4S 7H QS 4C 2H 3D 7D QC KH JH 6D 6C TD TH KD 5S 8D TH 6C 9D 7D KH 8C 9S 6D JD QS 7S QC 2S QH JC 4S KS 8D 7S 5S 9S JD KD 9C JC AD 2D 7C 4S 5H AH JH 9C 5D TD 7C 2D 6S KC 6C 7H 6S 9C QD 5S 4H KS TD 6S 8D KS 2D TH TD 9H JD TS 3S KH JS 4H 5D 9D TC TD QC JD TS QS QD AC AD 4C 6S 2D AS 3H KC 4C 7C 3C TD QS 9C KC AS 8D AD KC 7H QC 6D 8H 6S 5S AH 7S 8C 3S AD 9H JC 6D JD AS KH 6S JH AD 3D TS KS 7H JH 2D JS QD AC 9C JD 7C 6D TC 6H 6C JC 3D 3S QC KC 3S JC KD 2C 8D AH QS TS AS KD 3D JD 8H 7C 8C 5C QD 6C
8C TS KC 9H 4S 7D 2S 5D 3S AC 5C AD 5D AC 9C 7C 5H 8D TD KS 3H 7H 6S KC JS QH TD JC 2D 8S TH 8H 5C QS TC 9H 4D JC KS JS 7C 5H KC QH JD AS KH 4C AD 4S 5H KS 9C 7D 9H 8D 3S 5D 5C AH 6H 4H 5C 3H 2H 3S QH 5S 6S AS TD 8C 4H 7C TC KC 4C 3H 7S KS 7C 9C 6D KD 3H 4C QS QC AC KH JC 6S 5H 2H 2D KD 9D 7C AS JS AD QH TH 9D 8H TS 6D 3S AS AC 2H 4S 5C 5S TC KC JD 6C TS 3C QD AS 6H JS 2C 3D 9H KC 4H 8S KD 8S 9S 7C 2S 3S 6D 6S 4H KC 3C 8C 2D 7D 4D 9S 4S QH 4H JD 8C KC 7S TC 2D TS 8H QD AC 5C 3D KH QD 6C 6S AD AS 8H 2H QS 6S 8D 4C 8S 6C QH TC 6D 7D 9D 2S 8D 8C 4C TS 9S 9D 9C AC 3D 3C QS 2S 4H JH 3D 2D TD 8S 9H 5H QS 8S 6D 3C 8C JD AS 7H 7D 6H TD 9D AS JH 6C QC 9S KD JC AH 8S QS 4D TH AC TS 3C 3D 5C 5S 4D JS 3D 8H 6C TS 3S AD 8C 6D 7C 5D 5H 3S 5C JC 2H 5S 3D 5H 6H 2S KS 3D 5D JD 7H JS 8H KH 4H AS JS QS QC TC 6D 7C KS 3D QS TS 2H JS 4D AS 9S JC KD QD 5H 4D 5D KH 7H 3D JS KD 4H 2C 9H 6H 5C 9D 6C JC 2D TH 9S 7D 6D AS QD JH 4D JS 7C QS 5C 3H KH QD AD 8C 8H 3S TH 9D 5S AH 9S 4D 9D 8S 4H JS 3C TC 8D 2C KS 5H QD 3S TS 9H AH AD 8S 5C 7H 5D KD 9H 4D 3D 2D KS AD KS KC 9S 6D 2C QH 9D 9H TS TC 9C 6H 5D QH 4D AD 6D QC JS KH 9S 3H 9D JD 5C 4D 9H AS TC QH 2C 6D JC 9C 3C AD 9S KH 9D 7D KC 9C 7C JC JS KD 3H AS 3C 7D QD KH QS 2C 3S 8S 8H 9H 9C JC QH 8D 3C KC 4C 4H 6D AD 9H 9D 3S KS QS 7H KH 7D 5H 5D JD AD 2H 2C 6H TH TC 7D 8D 4H 8C AS 4S 2H AC QC 3S 6D TH 4D 4C KH 4D TC KS AS 7C 3C 6D 2D 9H 6C 8C TD 5D QS 2C 7H 4C 9C 3H 9H 5H JH TS 7S TD 6H AD QD 8H 8S 5S AD 9C 8C 7C 8D 5H 9D 8S 2S 4H KH KS 9S 2S KC 5S AD 4S 7D QS 9C QD 6H JS 5D AC 8D 2S AS KH AC JC 3S 9D 9S 3C 9C 5S JS AD 3C 3D KS 3S 5C 9C 8C TS 4S JH 8D 5D 6H KD QS QD 3D 6C KC 8S JD 6C 3S 8C TC QC 3C QH JS KC JC 8H 2S 9H 9C JH 8S 8C 9S 8S 2H QH 4D QC 9D KC AS TH 3C 8S 6H TH 7C 2H 6S 3C 3H AS 7S QH 5S JS 4H 5H TS 8H AH AC JC 9D 8H 2S 4S TC JC 3C 7H 3H 5C 3D AD 3C 3S 4C QC AS 5D TH 8C 6S 9D 4C JS KH AH TS JD 8H AD 4C 6S 9D 7S AC 4D 3D 3S TC JD AD 7H 6H 4H JH KC TD TS 7D 6S 8H JH TC 3S 8D 8C 9S 2C 5C 4D 2C 9D KC QH TH QS JC 9C 4H TS QS 3C QD 8H KH 4H 8D TD 8S AC 7C 3C TH 5S 8H 8C 9C JD TC KD QC TC JD TS 8C 3H 6H KD 7C TD JH QS KS 9C 6D 6S AS 9H KH 6H 2H 4D AH 2D JH 6H TD 5D 4H JD KD 8C 9S JH QD JS 2C QS 5C 7C 4S TC 7H 8D 2S 6H 7S 9C 7C KC 8C 5D 7H 4S TD QC 8S JS 4H KS AD 8S JH 6D TD KD 7C 6C 2D 7D JC 6H 6S JS 4H QH 9H AH 4C 3C 6H 5H AS 7C 7S 3D KH KC 5D 5C JC 3D TD AS 4D 6D 6S QH JD KS 8C 7S 8S QH 2S JD 5C 7H AH QD 8S 3C 6H 6C 2C 8D TD 7D 4C 4D 5D QH KH 7C 2S 7H JS 6D QC QD AD 6C 6S 7D TH 6H 2H 8H KH 4H KS JS KD 5D 2D KH 7D 9C 8C 3D 9C 6D QD 3C KS 3S 7S AH JD 2D AH QH AS JC 8S 8H 4C KC TH 7D JC 5H TD 7C 5D KD 4C AD 8H JS KC 2H AC AH 7D JH KH 5D 7S 6D 9S 5S 9C 6H 8S TD JD 9H 6C AC 7D 8S 6D TS KD 7H AC 5S 7C 5D AH QC JC 4C TC 8C 2H TS 2C 7D KD KC 6S 3D 7D 2S 8S 3H 5S 5C 8S 5D 8H 4C 6H KC 3H 7C 5S KD JH 8C 3D 3C 6C KC TD 7H 7C 4C JC KC 6H TS QS TD KS 8H 8C 9S 6C 5S 9C QH 7D AH KS KC 9S 2C 4D 4S 8H TD 9C 3S 7D 9D AS TH 6S 7D 3C 6H 5D KD 2C 5C 9D 9C 2H KC 3D AD 3H QD QS 8D JC 4S 8C 3H 9C 7C AD 5D JC 9D JS AS 5D 9H 5C 7H 6S 6C QC JC QD 9S JC QS JH 2C 6S 9C QC 3D 4S TC 4H 5S 8D 3D 4D 2S KC 2H JS 2C TD 3S TH KD 4D 7H JH JS KS AC 7S 8C 9S 2D 8S 7D 5C AD 9D AS 8C 7H 2S 6C TH 3H 4C 3S 8H AC KD 5H JC 8H JD 2D 4H TD JH 5C 3D AS QH KS 7H JD 8S 5S 6D 5H 9S 6S TC QS JC 5C 5D 9C TH 8C 5H 3S JH 9H 2S 2C 6S 7S AS KS 8C QD JC QS TC QC 4H AC KH 6C TC 5H 7D JH 4H 2H 8D JC KS 4D 5S 9C KH KD 9H 5C TS 3D 7D 2D 5H AS TC 4D 8C 2C TS 9D 3H 8D 6H 8D 2D 9H JD 6C 4S 5H 5S 6D AD 9C JC 7D 6H 9S 6D JS 9H 3C AD JH TC QS 4C 5D 9S 7C 9C AH KD 6H 2H TH 8S QD KS 9D 9H AS 4H 8H 8D 5H 6C AH 5S AS AD 8S QS 5D 4S 2H TD KS 5H AC 3H JC 9C 7D QD KD AC 6D 5H QH 6H 5S KC AH QH 2H 7D QS 3H KS 7S JD 6C 8S 3H 6D KS QD 5D 5C 8H TC 9H 4D 4S 6S 9D KH QC 4H 6C JD TD 2D QH 4S 6H JH KD 3C QD 8C 4S 6H 7C QD 9D AS AH 6S AD 3C 2C KC TH 6H 8D AH 5C 6D 8S 5D TD TS 7C AD JC QD 9H 3C KC 7H 5D 4D 5S 8H 4H 7D 3H JD KD 2D JH TD 6H QS 4S KD 5C 8S 7D 8H AC 3D AS 8C TD 7H KH 5D 6C JD 9D KS 7C 6D QH TC JD KD AS KC JH 8S 5S 7S 7D AS 2D 3D AD 2H 2H 5D AS 3C QD KC 6H 9H 9S 2C 9D 5D TH 4C JH 3H 8D TC 8H 9H 6H KD 2C TD 2H 6C 9D 2D JS 8C KD 7S 3C 7C AS QH TS AD 8C 2S QS 8H 6C JS 4C 9S QC AD TD TS 2H 7C TS TC 8C 3C 9H 2D 6D JC TC 2H 8D JH KS 6D 3H TD TH 8H 9D TD 9H QC 5D 6C 8H 8C KC TS 2H 8C 3D AH 4D TH TC 7D 8H KC TS 5C 2D 8C 6S KH AH 5H 6H KC 5S 5D AH TC 4C JD 8D 6H 8C 6C KC QD 3D 8H 2D JC 9H 4H AD 2S TD 6S 7D JS KD 4H QS 2S 3S 8C 4C 9H JH TS 3S 4H QC 5S 9S 9C 2C KD 9H JS 9S 3H JC TS 5D AC AS 2H 5D AD 5H JC 7S TD JS 4C 2D 4S 8H 3D 7D 2C AD KD 9C TS 7H QD JH 5H JS AC 3D TH 4C 8H 6D KH KC QD 5C AD 7C 2D 4H AC 3D 9D TC 8S QD 2C JC 4H JD AH 6C TD 5S TC 8S AH 2C 5D AS AC TH 7S 3D AS 6C 4C 7H 7D 4H AH 5C 2H KS 6H 7S 4H 5H 3D 3C 7H 3C 9S AC 7S QH 2H 3D 6S 3S 3H 2D 3H AS 2C 6H TC JS 6S 9C 6C QH KD QD 6D AC 6H KH 2C TS 8C 8H 7D 3S 9H 5D 3H 4S QC 9S 5H 2D 9D 7H 6H 3C 8S 5H 4D 3S 4S KD 9S 4S TC 7S QC 3S 8S 2H 7H TC 3D 8C 3H 6C 2H 6H KS KD 4D KC 3D 9S 3H JS 4S 8H 2D 6C 8S 6H QS 6C TC QD 9H 7D 7C 5H 4D TD 9D 8D 6S 6C TC 5D TS JS 8H 4H KC JD 9H TC 2C 6S 5H 8H AS JS 9C 5C 6S 9D JD 8H KC 4C 6D 4D 8D 8S 6C 7C 6H 7H 8H 5C KC TC 3D JC 6D KS 9S 6H 7S 9C 2C 6C 3S KD 5H TS 7D 9H 9S 6H KH 3D QD 4C 6H TS AC 3S 5C 2H KD 4C AS JS 9S 7C TS 7H 9H JC KS 4H 8C JD 3H 6H AD 9S 4S 5S KS 4C 2C 7D 3D AS 9C 2S QS KC 6C 8S 5H 3D 2S AC 9D 6S 3S 4D TD QD TH 7S TS 3D AC 7H 6C 5D QC TC QD AD 9C QS 5C 8D KD 3D 3C 9D 8H AS 3S 7C 8S JD 2D 8D KC 4C TH AC QH JS 8D 7D 7S 9C KH 9D 8D 4C JH 2C 2S QD KD TS 4H 4D 6D 5D 2D JH 3S 8S 3H TC KH AD 4D 2C QS 8C KD JH JD AH 5C 5C 6C 5H 2H JH 4H KS 7C TC 3H 3C 4C QC 5D JH 9C QD KH 8D TC 3H 9C JS 7H QH AS 7C 9H 5H JC 2D 5S QD 4S 3C KC 6S 6C 5C 4C 5D KH 2D TS 8S 9C AS 9S 7C 4C 7C AH 8C 8D 5S KD QH QS JH 2C 8C 9D AH 2H AC QC 5S 8H 7H 2C QD 9H 5S QS QC 9C 5H JC TH 4H 6C 6S 3H 5H 3S 6H KS 8D AC 7S AC QH 7H 8C 4S KC 6C 3D 3S TC 9D 3D JS TH AC 5H 3H 8S 3S TC QD KH JS KS 9S QC 8D AH 3C AC 5H 6C KH 3S 9S JH 2D QD AS 8C 6C 4D 7S 7H 5S JC 6S 9H 4H JH AH 5S 6H 9S AD 3S TH 2H 9D 8C 4C 8D 9H 7C QC AD 4S 9C KC 5S 9D 6H 4D TC 4C JH 2S 5D 3S AS 2H 6C 7C KH 5C AD QS TH JD 8S 3S 4S 7S AH AS KC JS 2S AD TH JS KC 2S 7D 8C 5C 9C TS 5H 9D 7S 9S 4D TD JH JS KH 6H 5D 2C JD JS JC TH 2D 3D QD 8C AC 5H 7S KH 5S 9D 5D TD 4S 6H 3C 2D 4S 5D AC 8D 4D 7C AD AS AH 9C 6S TH TS KS 2C QC AH AS 3C 4S 2H 8C 3S JC 5C 7C 3H 3C KH JH 7S 3H JC 5S 6H 4C 2S 4D KC 7H 4D 7C 4H 9S 8S 6S AD TC 6C JC KH QS 3S TC 4C 8H 8S AC 3C TS QD QS TH 3C TS 7H 7D AH TD JC TD JD QC 4D 9S 7S TS AD 7D AC AH 7H 4S 6D 7C 2H 9D KS JC TD 7C AH JD 4H 6D QS TS 2H 2C 5C TC KC 8C 9S 4C JS 3C JC 6S AH AS 7D QC 3D 5S JC JD 9D TD KH TH 3C 2S 6H AH AC 5H 5C 7S 8H QC 2D AC QD 2S 3S JD QS 6S 8H KC 4H 3C 9D JS 6H 3S 8S AS 8C 7H KC 7D JD 2H JC QH 5S 3H QS 9H TD 3S 8H 7S AC 5C 6C AH 7C 8D 9H AH JD TD QS 7D 3S 9C 8S AH QH 3C JD KC 4S 5S 5D TD KS 9H 7H 6S JH TH 4C 7C AD 5C 2D 7C KD 5S TC 9D 6S 6C 5D 2S TH KC 9H 8D 5H 7H 4H QC 3D 7C AS 6S 8S QC TD 4S 5C TH QS QD 2S 8S 5H TH QC 9H 6S KC 7D 7C 5C 7H KD AH 4D KH 5C 4S 2D KC QH 6S 2C TD JC AS 4D 6C 8C 4H 5S JC TC JD 5S 6S 8D AS 9D AD 3S 6D 6H 5D 5S TC 3D 7D QS 9D QD 4S 6C 8S 3S 7S AD KS 2D 7D 7C KC QH JC AC QD 5D 8D QS 7H 7D JS AH 8S 5H 3D TD 3H 4S 6C JH 4S QS 7D AS 9H JS KS 6D TC 5C 2D 5C 6H TC 4D QH 3D 9H 8S 6C 6D 7H TC TH 5S JD 5C 9C KS KD 8D TD QH 6S 4S 6C 8S KC 5C TC 5S 3D KS AC 4S 7D QD 4C TH 2S TS 8H 9S 6S 7S QH 3C AH 7H 8C 4C 8C TS JS QC 3D 7D 5D 7S JH 8S 7S 9D QC AC 7C 6D 2H JH KC JS KD 3C 6S 4S 7C AH QC KS 5H KS 6S 4H JD QS TC 8H KC 6H AS KH 7C TC 6S TD JC 5C 7D AH 3S 3H 4C 4H TC TH 6S 7H 6D 9C QH 7D 5H 4S 8C JS 4D 3D 8S QH KC 3H 6S AD 7H 3S QC 8S 4S 7S JS 3S JD KH TH 6H QS 9C 6C 2D QD 4S QH 4D 5H KC 7D 6D 8D TH 5S TD AD 6S 7H KD KH 9H 5S KC JC 3H QC AS TS 4S QD KS 9C 7S KC TS 6S QC 6C TH TC 9D 5C 5D KD JS 3S 4H KD 4C QD 6D 9S JC 9D 8S JS 6D 4H JH 6H 6S 6C KS KH AC 7D 5D TC 9S KH 6S QD 6H AS AS 7H 6D QH 8D TH 2S KH 5C 5H 4C 7C 3D QC TC 4S KH 8C 2D JS 6H 5D 7S 5H 9C 9H JH 8S TH 7H AS JS 2S QD KH 8H 4S AC 8D 8S 3H 4C TD KD 8C JC 5C QS 2D JD TS 7D 5D 6C 2C QS 2H 3C AH KS 4S 7C 9C 7D JH 6C 5C 8H 9D QD 2S TD 7S 6D 9C 9S QS KH QH 5C JC 6S 9C QH JH 8D 7S JS KH 2H 8D 5H TH KC 4D 4S 3S 6S 3D QS 2D JD 4C TD 7C 6D TH 7S JC AH QS 7S 4C TH 9D TS AD 4D 3H 6H 2D 3H 7D JD 3D AS 2S 9C QC 8S 4H 9H 9C 2C 7S JH KD 5C 5D 6H TC 9H 8H JC 3C 9S 8D KS AD KC TS 5H JD QS QH QC 8D 5D KH AH 5D AS 8S 6S 4C AH QC QD TH 7H 3H 4H 7D 6S 4S 9H AS 8H JS 9D JD 8C 2C 9D 7D 5H 5S 9S JC KD KD 9C 4S QD AH 7C AD 9D AC TD 6S 4H 4S 9C 8D KS TC 9D JH 7C 5S JC 5H 4S QH AC 2C JS 2S 9S 8C 5H AS QD AD 5C 7D 8S QC TD JC 4C 8D 5C KH QS 4D 6H 2H 2C TH 4S 2D KC 3H QD AC 7H AD 9D KH QD AS 8H TH KC 8D 7S QH 8C JC 6C 7D 8C KH AD QS 2H 6S 2D JC KH 2D 7D JS QC 5H 4C 5D AD TS 3S AD 4S TD 2D TH 6S 9H JH 9H 2D QS 2C 4S 3D KH AS AC 9D KH 6S 8H 4S KD 7D 9D TS QD QC JH 5H AH KS AS AD JC QC 5S KH 5D 7D 6D KS KD 3D 7C 4D JD 3S AC JS 8D 5H 9C 3H 4H 4D TS 2C 6H KS KH 9D 7C 2S 6S 8S 2H 3D 6H AC JS 7S 3S TD 8H 3H 4H TH 9H TC QC KC 5C KS 6H 4H AC 8S TC 7D QH 4S JC TS 6D 6C AC KH QH 7D 7C JH QS QD TH 3H 5D KS 3D 5S 8D JS 4C 2C KS 7H 9C 4H 5H 8S 4H TD 2C 3S QD QC 3H KC QC JS KD 9C AD 5S 9D 7D 7H TS 8C JC KH 7C 7S 6C TS 2C QD TH 5S 9D TH 3C 7S QH 8S 9C 2H 5H 5D 9H 6H 2S JS KH 3H 7C 2H 5S JD 5D 5S 2C TC 2S 6S 6C 3C 8S 4D KH 8H 4H 2D KS 3H 5C 2S 9H 3S 2D TD 7H 8S 6H JD KC 9C 8D 6S QD JH 7C 9H 5H 8S 8H TH TD QS 7S TD 7D TS JC KD 7C 3C 2C 3C JD 8S 4H 2D 2S TD AS 4D AC AH KS 6C 4C 4S 7D 8C 9H 6H AS 5S 3C 9S 2C QS KD 4D 4S AC 5D 2D TS 2C JS KH QH 5D 8C AS KC KD 3H 6C TH 8S 7S KH 6H 9S AC 6H 7S 6C QS AH 2S 2H 4H 5D 5H 5H JC QD 2C 2S JD AS QC 6S 7D 6C TC AS KD 8H 9D 2C 7D JH 9S 2H 4C 6C AH 8S TD 3H TH 7C TS KD 4S TS 6C QH 8D 9D 9C AH 7D 6D JS 5C QD QC 9C 5D 8C 2H KD 3C QH JH AD 6S AH KC 8S 6D 6H 3D 7C 4C 7S 5S 3S 6S 5H JC 3C QH 7C 5H 3C 3S 8C TS 4C KD 9C QD 3S 7S 5H 7H QH JC 7C 8C KD 3C KD KH 2S 4C TS AC 6S 2C 7C 2C KH 3C 4C 6H 4D 5H 5S 7S QD 4D 7C 8S QD TS 9D KS 6H KD 3C QS 4D TS 7S 4C 3H QD 8D 9S TC TS QH AC 6S 3C 9H 9D QS 8S 6H 3S 7S 5D 4S JS 2D 6C QH 6S TH 4C 4H AS JS 5D 3D TS 9C AC 8S 6S 9C 7C 3S 5C QS AD AS 6H 3C 9S 8C 7H 3H 6S 7C AS 9H JD KH 3D 3H 7S 4D 6C 7C AC 2H 9C TH 4H 5S 3H AC TC TH 9C 9H 9S 8D 8D 9H 5H 4D 6C 2H QD 6S 5D 3S 4C 5C JD QS 4D 3H TH AC QH 8C QC 5S 3C 7H AD 4C KS 4H JD 6D QS AH 3H KS 9H 2S JS JH 5H 2H 2H 5S TH 6S TS 3S KS 3C 5H JS 2D 9S 7H 3D KC JH 6D 7D JS TD AC JS 8H 2C 8C JH JC 2D TH 7S 5D 9S 8H 2H 3D TC AH JC KD 9C 9D QD JC 2H 6D KH TS 9S QH TH 2C 8D 4S JD 5H 3H TH TC 9C KC AS 3D 9H 7D 4D TH KH 2H 7S 3H 4H 7S KS 2S JS TS 8S 2H QD 8D 5S 6H JH KS 8H 2S QC AC 6S 3S JC AS AD QS 8H 6C KH 4C 4D QD 2S 3D TS TD 9S KS 6S QS 5C 8D 3C 6D 4S QC KC JH QD TH KH AD 9H AH 4D KS 2S 8D JH JC 7C QS 2D 6C TH 3C 8H QD QH 2S 3S KS 6H 5D 9S 4C TS TD JS QD 9D JD 5H 8H KH 8S KS 7C TD AD 4S KD 2C 7C JC 5S AS 6C 7D 8S 5H 9C 6S QD 9S TS KH QS 5S QH 3C KC 7D 3H 3C KD 5C AS JH 7H 6H JD 9D 5C 9H KC 8H KS 4S AD 4D 2S 3S JD QD 8D 2S 7C 5S 6S 5H TS 6D 9S KC TD 3S 6H QD JD 5C 8D 5H 9D TS KD 8D 6H TD QC 4C 7D 6D 4S JD 9D AH 9S AS TD 9H QD 2D 5S 2H 9C 6H 9S TD QC 7D TC 3S 2H KS TS 2C 9C 8S JS 9D 7D 3C KC 6D 5D 6C 6H 8S AS 7S QS JH 9S 2H 8D 4C 8H 9H AD TH KH QC AS 2S JS 5C 6H KD 3H 7H 2C QD 8H 2S 8D 3S 6D AH 2C TC 5C JD JS TS 8S 3H 5D TD KC JC 6H 6S QS TC 3H 5D AH JC 7C 7D 4H 7C 5D 8H 9C 2H 9H JH KH 5S 2C 9C 7H 6S TH 3S QC QD 4C AC JD 2H 5D 9S 7D KC 3S QS 2D AS KH 2S 4S 2H 7D 5C TD TH QH 9S 4D 6D 3S TS 6H 4H KS 9D 8H 5S 2D 9H KS 4H 3S 5C 5D KH 6H 6S JS KC AS 8C 4C JC KH QC TH QD AH 6S KH 9S 2C 5H TC 3C 7H JC 4D JD 4S 6S 5S 8D 7H 7S 4D 4C 2H 7H 9H 5D KH 9C 7C TS TC 7S 5H 4C 8D QC TS 4S 9H 3D AD JS 7C 8C QS 5C 5D 3H JS AH KC 4S 9D TS JD 8S QS TH JH KH 2D QD JS JD QC 5D 6S 9H 3S 2C 8H 9S TS 2S 4C AD 7H JC 5C 2D 6D 4H 3D 7S JS 2C 4H 8C AD QD 9C 3S TD JD TS 4C 6H 9H 7D QD 6D 3C AS AS 7C 4C 6S 5D 5S 5C JS QC 4S KD 6S 9S 7C 3C 5S 7D JH QD JS 4S 7S JH 2C 8S 5D 7H 3D QH AD TD 6H 2H 8D 4H 2D 7C AD KH 5D TS 3S 5H 2C QD AH 2S 5C KH TD KC 4D 8C 5D AS 6C 2H 2S 9H 7C KD JS QC TS QS KH JH 2C 5D AD 3S 5H KC 6C 9H 3H 2H AD 7D 7S 7S JS JH KD 8S 7D 2S 9H 7C 2H 9H 2D 8D QC 6S AD AS 8H 5H 6C 2S 7H 6C 6D 7D 8C 5D 9D JC 3C 7C 9C 7H JD 2H KD 3S KH AD 4S QH AS 9H 4D JD KS KD TS KH 5H 4C 8H 5S 3S 3D 7D TD AD 7S KC JS 8S 5S JC 8H TH 9C 4D 5D KC 7C 5S 9C QD 2C QH JS 5H 8D KH TD 2S KS 3D AD KC 7S TC 3C 5D 4C 2S AD QS 6C 9S QD TH QH 5C 8C AD QS 2D 2S KC JD KS 6C JC 8D 4D JS 2H 5D QD 7S 7D QH TS 6S 7H 3S 8C 8S 9D QS 8H 6C 9S 4S TC 2S 5C QD 4D QS 6D TH 6S 3S 5C 9D 6H 8D 4C 7D TC 7C TD AH 6S AS 7H 5S KD 3H 5H AC 4C 8D 8S AH KS QS 2C AD 6H 7D 5D 6H 9H 9S 2H QS 8S 9C 5D 2D KD TS QC 5S JH 7D 7S TH 9S 9H AC 7H 3H 6S KC 4D 6D 5C 4S QD TS TD 2S 7C QD 3H JH 9D 4H 7S 7H KS 3D 4H 5H TC 2S AS 2D 6D 7D 8H 3C 7H TD 3H AD KC TH 9C KH TC 4C 2C 9S 9D 9C 5C 2H JD 3C 3H AC TS 5D AD 8D 6H QC 6S 8C 2S TS 3S JD 7H 8S QH 4C 5S 8D AC 4S 6C 3C KH 3D 7C 2D 8S 2H 4H 6C 8S TH 2H 4S 8H 9S 3H 7S 7C 4C 9C 2C 5C AS 5D KD 4D QH 9H 4H TS AS 7D 8D 5D 9S 8C 2H QC KD AC AD 2H 7S AS 3S 2D 9S 2H QC 8H TC 6D QD QS 5D KH 3C TH JD QS 4C 2S 5S AD 7H 3S AS 7H JS 3D 6C 3S 6D AS 9S AC QS 9C TS AS 8C TC 8S 6H 9D 8D 6C 4D JD 9C KC 7C 6D KS 3S 8C AS 3H 6S TC 8D TS 3S KC 9S 7C AS 8C QC 4H 4S 8S 6C 3S TC AH AC 4D 7D 5C AS 2H 6S TS QC AD TC QD QC 8S 4S TH 3D AH TS JH 4H 5C 2D 9S 2C 3H 3C 9D QD QH 7D KC 9H 6C KD 7S 3C 4D AS TC 2D 3D JS 4D 9D KS 7D TH QC 3H 3C 8D 5S 2H 9D 3H 8C 4C 4H 3C TH JC TH 4S 6S JD 2D 4D 6C 3D 4C TS 3S 2D 4H AC 2C 6S 2H JH 6H TD 8S AD TC AH AC JH 9S 6S 7S 6C KC 4S JD 8D 9H 5S 7H QH AH KD 8D TS JH 5C 5H 3H AD AS JS 2D 4H 3D 6C 8C 7S AD 5D 5C 8S TD 5D 7S 9C 4S 5H 6C 8C 4C 8S JS QH 9C AS 5C QS JC 3D QC 7C JC 9C KH JH QS QC 2C TS 3D AD 5D JH AC 5C 9S TS 4C JD 8C KS KC AS 2D KH 9H 2C 5S 4D 3D 6H TH AH 2D 8S JC 3D 8C QH 7S 3S 8H QD 4H JC AS KH KS 3C 9S 6D 9S QH 7D 9C 4S AC 7H KH 4D KD AH AD TH 6D 9C 9S KD KS QH 4H QD 6H 9C 7C QS 6D 6S 9D 5S JH AH 8D 5H QD 2H JC KS 4H KH 5S 5C 2S JS 8D 9C 8C 3D AS KC AH JD 9S 2H QS 8H 5S 8C TH 5C 4C QC QS 8C 2S 2C 3S 9C 4C KS KH 2D 5D 8S AH AD TD 2C JS KS 8C TC 5S 5H 8H QC 9H 6H JD 4H 9S 3C JH 4H 9H AH 4S 2H 4C 8D AC 8S TH 4D 7D 6D QD QS 7S TC 7C KH 6D 2D JD 5H JS QD JH 4H 4S 9C 7S JH 4S 3S TS QC 8C TC 4H QH 9D 4D JH QS 3S 2C 7C 6C 2D 4H 9S JD 5C 5H AH 9D TS 2D 4C KS JH TS 5D 2D AH JS 7H AS 8D JS AH 8C AD KS 5S 8H 2C 6C TH 2H 5D AD AC KS 3D 8H TS 6H QC 6D 4H TS 9C 5H JS JH 6S JD 4C JH QH 4H 2C 6D 3C 5D 4C QS KC 6H 4H 6C 7H 6S 2S 8S KH QC 8C 3H 3D 5D KS 4H TD AD 3S 4D TS 5S 7C 8S 7D 2C KS 7S 6C 8C JS 5D 2H 3S 7C 5C QD 5H 6D 9C 9H JS 2S KD 9S 8D TD TS AC 8C 9D 5H QD 2S AC 8C 9H KS 7C 4S 3C KH AS 3H 8S 9C JS QS 4S AD 4D AS 2S TD AD 4D 9H JC 4C 5H QS 5D 7C 4H TC 2D 6C JS 4S KC 3S 4C 2C 5D AC 9H 3D JD 8S QS QH 2C 8S 6H 3C QH 6D TC KD AC AH QC 6C 3S QS 4S AC 8D 5C AD KH 5S 4C AC KH AS QC 2C 5C 8D 9C 8H JD 3C KH 8D 5C 9C QD QH 9D 7H TS 2C 8C 4S TD JC 9C 5H QH JS 4S 2C 7C TH 6C AS KS 7S JD JH 7C 9H 7H TC 5H 3D 6D 5D 4D 2C QD JH 2H 9D 5S 3D TD AD KS JD QH 3S 4D TH 7D 6S QS KS 4H TC KS 5S 8D 8H AD 2S 2D 4C JH 5S JH TC 3S 2D QS 9D 4C KD 9S AC KH 3H AS 9D KC 9H QD 6C 6S 9H 7S 3D 5C 7D KC TD 8H 4H 6S 3C 7H 8H TC QD 4D 7S 6S QH 6C 6D AD 4C QD 6C 5D 7D 9D KS TS JH 2H JD 9S 7S TS KH 8D 5D 8H 2D 9S 4C 7D 9D 5H QD 6D AC 6S 7S 6D JC QD JH 4C 6S QS 2H 7D 8C TD JH KD 2H 5C QS 2C JS 7S TC 5H 4H JH QD 3S 5S 5D 8S KH KS KH 7C 2C 5D JH 6S 9C 6D JC 5H AH JD 9C JS KC 2H 6H 4D 5S AS 3C TH QC 6H 9C 8S 8C TD 7C KC 2C QD 9C KH 4D 7S 3C TS 9H 9C QC 2S TS 8C TD 9S QD 3S 3C 4D 9D TH JH AH 6S 2S JD QH JS QD 9H 6C KD 7D 7H 5D 6S 8H AH 8H 3C 4S 2H 5H QS QH 7S 4H AC QS 3C 7S 9S 4H 3S AH KS 9D 7C AD 5S 6S 2H 2D 5H TC 4S 3C 8C QH TS 6S 4D JS KS JH AS 8S 6D 2C 8S 2S TD 5H AS TC TS 6C KC KC TS 8H 2H 3H 7C 4C 5S TH TD KD AD KH 7H 7S 5D 5H 5S 2D 9C AD 9S 3D 7S 8C QC 7C 9C KD KS 3C QC 9S 8C 4D 5C AS QD 6C 2C 2H KC 8S JD 7S AC 8D 5C 2S 4D 9D QH 3D 2S TC 3S KS 3C 9H TD KD 6S AC 2C 7H 5H 3S 6C 6H 8C QH TC 8S 6S KH TH 4H 5D TS 4D 8C JS 4H 6H 2C 2H 7D AC QD 3D QS KC 6S 2D 5S 4H TD 3H JH 4C 7S 5H 7H 8H KH 6H QS TH KD 7D 5H AD KD 7C KH 5S TD 6D 3C 6C 8C 9C 5H JD 7C KC KH 7H 2H 3S 7S 4H AD 4D 8S QS TH 3D 7H 5S 8D TC KS KD 9S 6D AD JD 5C 2S 7H 8H 6C QD 2H 6H 9D TC 9S 7C 8D 6D 4C 7C 6C 3C TH KH JS JH 5S 3S 8S JS 9H AS AD 8H 7S KD JH 7C 2C KC 5H AS AD 9C 9S JS AD AC 2C 6S QD 7C 3H TH KS KD 9D JD 4H 8H 4C KH 7S TS 8C KC 3S 5S 2H 7S 6H 7D KS 5C 6D AD 5S 8C 9H QS 7H 7S 2H 6C 7D TD QS 5S TD AC 9D KC 3D TC 2D 4D TD 2H 7D JD QD 4C 7H 5D KC 3D 4C 3H 8S KD QH 5S QC 9H TC 5H 9C QD TH 5H TS 5C 9H AH QH 2C 4D 6S 3C AC 6C 3D 2C 2H TD TH AC 9C 5D QC 4D AD 8D 6D 8C KC AD 3C 4H AC 8D 8H 7S 9S TD JC 4H 9H QH JS 2D TH TD TC KD KS 5S 6S 9S 8D TH AS KH 5H 5C 8S JD 2S 9S 6S 5S 8S 5D 7S 7H 9D 5D 8C 4C 9D AD TS 2C 7D KD TC 8S QS 4D KC 5C 8D 4S KH JD KD AS 5C AD QH 7D 2H 9S 7H 7C TC 2S 8S JD KH 7S 6C 6D AD 5D QC 9H 6H 3S 8C 8H AH TC 4H JS TD 2C TS 4D 7H 2D QC 9C 5D TH 7C 6C 8H QC 5D TS JH 5C 5H 9H 4S 2D QC 7H AS JS 8S 2H 4C 4H 8D JS 6S AC KD 3D 3C 4S 7H TH KC QH KH 6S QS 5S 4H 3C QD 3S 3H 7H AS KH 8C 4H 9C 5S 3D 6S TS 9C 7C 3H 5S QD 2C 3D AD AC 5H JH TD 2D 4C TS 3H KH AD 3S 7S AS 4C 5H 4D 6S KD JC 3C 6H 2D 3H 6S 8C 2D TH 4S AH QH AD 5H 7C 2S 9H 7H KC 5C 6D 5S 3H JC 3C TC 9C 4H QD TD JH 6D 9H 5S 7C 6S 5C 5D 6C 4S 7H 9H 6H AH AD 2H 7D KC 2C 4C 2S 9S 7H 3S TH 4C 8S 6S 3S AD KS AS JH TD 5C TD 4S 4D AD 6S 5D TC 9C 7D 8H 3S 4D 4S 5S 6H 5C AC 3H 3D 9H 3C AC 4S QS 8S 9D QH 5H 4D JC 6C 5H TS AC 9C JD 8C 7C QD 8S 8H 9C JD 2D QC QH 6H 3C 8D KS JS 2H 6H 5H QH QS 3H 7C 6D TC 3H 4S 7H QC 2H 3S 8C JS KH AH 8H 5S 4C 9H JD 3H 7S JC AC 3C 2D 4C 5S 6C 4S QS 3S JD 3D 5H 2D TC AH KS 6D 7H AD 8C 6H 6C 7S 3C JD 7C 8H KS KH AH 6D AH 7D 3H 8H 8S 7H QS 5H 9D 2D JD AC 4H 7S 8S 9S KS AS 9D QH 7S 2C 8S 5S JH QS JC AH KD 4C AH 2S 9H 4H 8D TS TD 6H QH JD 4H JC 3H QS 6D 7S 9C 8S 9D 8D 5H TD 4S 9S 4C 8C 8D 7H 3H 3D QS KH 3S 2C 2S 3C 7S TD 4S QD 7C TD 4D 5S KH AC AS 7H 4C 6C 2S 5H 6D JD 9H QS 8S 2C 2H TD 2S TS 6H 9H 7S 4H JC 4C 5D 5S 2C 5H 7D 4H 3S QH JC JS 6D 8H 4C QH 7C QD 3S AD TH 8S 5S TS 9H TC 2S TD JC 7D 3S 3D TH QH 7D 4C 8S 5C JH 8H 6S 3S KC 3H JC 3H KH TC QH TH 6H 2C AC 5H QS 2H 9D 2C AS 6S 6C 2S 8C 8S 9H 7D QC TH 4H KD QS AC 7S 3C 4D JH 6S 5S 8H KS 9S QC 3S AS JD 2D 6S 7S TC 9H KC 3H 7D KD 2H KH 7C 4D 4S 3H JS QD 7D KC 4C JC AS 9D 3C JS 6C 8H QD 4D AH JS 3S 6C 4C 3D JH 6D 9C 9H 9H 2D 8C 7H 5S KS 6H 9C 2S TC 6C 8C AD 7H 6H 3D KH AS 5D TH KS 8C 3S TS 8S 4D 5S 9S 6C 4H 9H 4S 4H 5C 7D KC 2D 2H 9D JH 5C JS TC 9D 9H 5H 7S KH JC 6S 7C 9H 8H 4D JC KH JD 2H TD TC 8H 6C 2H 2C KH 6H 9D QS QH 5H AC 7D 2S 3D QD JC 2D 8D JD JH 2H JC 2D 7H 2C 3C 8D KD TD 4H 3S 4H 6D 8D TS 3H TD 3D 6H TH JH JC 3S AC QH 9H 7H 8S QC 2C 7H TD QS 4S 8S 9C 2S 5D 4D 2H 3D TS 3H 2S QC 8H 6H KC JC KS 5D JD 7D TC 8C 6C 9S 3D 8D AC 8H 6H JH 6C 5D 8D 8S 4H AD 2C 9D 4H 2D 2C 3S TS AS TC 3C 5D 4D TH 5H KS QS 6C 4S 2H 3D AD 5C KC 6H 2C 5S 3C 4D 2D 9H 9S JD 4C 3H TH QH 9H 5S AH 8S AC 7D 9S 6S 2H TD 9C 4H 8H QS 4C 3C 6H 5D 4H 8C 9C KC 6S QD QS 3S 9H KD TC 2D JS 8C 6S 4H 4S 2S 4C 8S QS 6H KH 3H TH 8C 5D 2C KH 5S 3S 7S 7H 6C 9D QD 8D 8H KS AC 2D KH TS 6C JS KC 7H 9C KS 5C TD QC AH 6C 5H 9S 7C 5D 4D 3H 4H 6S 7C 7S AH QD TD 2H 7D QC 6S TC TS AH 7S 9D 3H TH 5H QD 9S KS 7S 7C 6H 8C TD TH 2D 4D QC 5C 7D JD AH 9C 4H 4H 3H AH 8D 6H QC QH 9H 2H 2C 2D AD 4C TS 6H 7S TH 4H QS TD 3C KD 2H 3H QS JD TC QC 5D 8H KS JC QD TH 9S KD 8D 8C 2D 9C 3C QD KD 6D 4D 8D AH AD QC 8S 8H 3S 9D 2S 3H KS 6H 4C 7C KC TH 9S 5C 3D 7D 6H AC 7S 4D 2C 5C 3D JD 4D 2D 6D 5H 9H 4C KH AS 7H TD 6C 2H 3D QD KS 4C 4S JC 3C AC 7C JD JS 8H 9S QC 5D JD 6S 5S 2H AS 8C 7D 5H JH 3D 8D TC 5S 9S 8S 3H JC 5H 7S AS 5C TD 3D 7D 4H 8D 7H 4D 5D JS QS 9C KS TD 2S 8S 5C 2H 4H AS TH 7S 4H 7D 3H JD KD 5D 2S KC JD 7H 4S 8H 4C JS 6H QH 5S 4H 2C QS 8C 5S 3H QC 2S 6C QD AD 8C 3D JD TC 4H 2H AD 5S AC 2S 5D 2C JS 2D AD 9D 3D 4C 4S JH 8D 5H 5D 6H 7S 4D KS 9D TD JD 3D 6D 9C 2S AS 7D 5S 5C 8H JD 7C 8S 3S 6S 5H JD TC AD 7H 7S 2S 9D TS 4D AC 8D 6C QD JD 3H 9S KH 2C 3C AC 3D 5H 6H 8D 5D KS 3D 2D 6S AS 4C 2S 7C 7H KH AC 2H 3S JC 5C QH 4D 2D 5H 7S TS AS JD 8C 6H JC 8S 5S 2C 5D 7S QH 7H 6C QC 8H 2D 7C JD 2S 2C QD 2S 2H JC 9C 5D 2D JD JH 7C 5C 9C 8S 7D 6D 8D 6C 9S JH 2C AD 6S 5H 3S KS 7S 9D KH 4C 7H 6C 2C 5C TH 9D 8D 3S QC AH 5S KC 6H TC 5H 8S TH 6D 3C AH 9C KD 4H AD TD 9S 4S 7D 6H 5D 7H 5C 5H 6D AS 4C KD KH 4H 9D 3C 2S 5C 6C JD QS 2H 9D 7D 3H AC 2S 6S 7S JS QD 5C QS 6H AD 5H TH QC 7H TC 3S 7C 6D KC 3D 4H 3D QC 9S 8H 2C 3S JC KS 5C 4S 6S 2C 6H 8S 3S 3D 9H 3H JS 4S 8C 4D 2D 8H 9H 7D 9D AH TS 9S 2C 9H 4C 8D AS 7D 3D 6D 5S 6S 4C 7H 8C 3H 5H JC AH 9D 9C 2S 7C 5S JD 8C 3S 3D 4D 7D 6S 3C KC 4S 5D 7D 3D JD 7H 3H 4H 9C 9H 4H 4D TH 6D QD 8S 9S 7S 2H AC 8S 4S AD 8C 2C AH 7D TC TS 9H 3C AD KS TC 3D 8C 8H JD QC 8D 2C 3C 7D 7C JD 9H 9C 6C AH 6S JS JH 5D AS QC 2C JD TD 9H KD 2H 5D 2D 3S 7D TC AH TS TD 8H AS 5D AH QC AC 6S TC 5H KS 4S 7H 4D 8D 9C TC 2H 6H 3H 3H KD 4S QD QH 3D 8H 8C TD 7S 8S JD TC AH JS QS 2D KH KS 4D 3C AD JC KD JS KH 4S TH 9H 2C QC 5S JS 9S KS AS 7C QD 2S JD KC 5S QS 3S 2D AC 5D 9H 8H KS 6H 9C TC AD 2C 6D 5S JD 6C 7C QS KH TD QD 2C 3H 8S 2S QC AH 9D 9H JH TC QH 3C 2S JS 5C 7H 6C 3S 3D 2S 4S QD 2D TH 5D 2C 2D 6H 6D 2S JC QH AS 7H 4H KH 5H 6S KS AD TC TS 7C AC 4S 4H AD 3C 4H QS 8C 9D KS 2H 2D 4D 4S 9D 6C 6D 9C AC 8D 3H 7H KD JC AH 6C TS JD 6D AD 3S 5D QD JC JH JD 3S 7S 8S JS QC 3H 4S JD TH 5C 2C AD JS 7H 9S 2H 7S 8D 3S JH 4D QC AS JD 2C KC 6H 2C AC 5H KD 5S 7H QD JH AH 2D JC QH 8D 8S TC 5H 5C AH 8C 6C 3H JS 8S QD JH 3C 4H 6D 5C 3S 6D 4S 4C AH 5H 5S 3H JD 7C 8D 8H AH 2H 3H JS 3C 7D QC 4H KD 6S 2H KD 5H 8H 2D 3C 8S 7S QD 2S 7S KC QC AH TC QS 6D 4C 8D 5S 9H 2C 3S QD 7S 6C 2H 7C 9D 3C 6C 5C 5S JD JC KS 3S 5D TS 7C KS 6S 5S 2S 2D TC 2H 5H QS AS 7H 6S TS 5H 9S 9D 3C KD 2H 4S JS QS 3S 4H 7C 2S AC 6S 9D 8C JH 2H 5H 7C 5D QH QS KH QC 3S TD 3H 7C KC 8D 5H 8S KH 8C 4H KH JD TS 3C 7H AS QC JS 5S AH 9D 2C 8D 4D 2D 6H 6C KC 6S 2S 6H 9D 3S 7H 4D KH 8H KD 3D 9C TC AC JH KH 4D JD 5H TD 3S 7S 4H 9D AS 4C 7D QS 9S 2S KH 3S 8D 8S KS 8C JC 5C KH 2H 5D 8S QH 2C 4D KC JS QC 9D AC 6H 8S 8C 7C JS JD 6S 4C 9C AC 4S QH 5D 2C 7D JC 8S 2D JS JH 4C JS 4C 7S TS JH KC KH 5H QD 4S QD 8C 8D 2D 6S TD 9D AC QH 5S QH QC JS 3D 3C 5C 4H KH 8S 7H 7C 2C 5S JC 8S 3H QC 5D 2H KC 5S 8D KD 6H 4H QD QH 6D AH 3D 7S KS 6C 2S 4D AC QS 5H TS JD 7C 2D TC 5D QS AC JS QC 6C KC 2C KS 4D 3H TS 8S AD 4H 7S 9S QD 9H QH 5H 4H 4D KH 3S JC AD 4D AC KC 8D 6D 4C 2D KH 2C JD 2C 9H 2D AH 3H 6D 9C 7D TC KS 8C 3H KD 7C 5C 2S 4S 5H AS AH TH JD 4H KD 3H TC 5C 3S AC KH 6D 7H AH 7S QC 6H 2D TD JD AS JH 5D 7H TC 9S 7D JC AS 5S KH 2H 8C AD TH 6H QD KD 9H 6S 6C QH KC 9D 4D 3S JS JH 4H 2C 9H TC 7H KH 4H JC 7D 9S 3H QS 7S AD 7D JH 6C 7H 4H 3S 3H 4D QH JD 2H 5C AS 6C QC 4D 3C TC JH AC JD 3H 6H 4C JC AD 7D 7H 9H 4H TC TS 2C 8C 6S KS 2H JD 9S 4C 3H QS QC 9S 9H 6D KC 9D 9C 5C AD 8C 2C QH TH QD JC 8D 8H QC 2C 2S QD 9C 4D 3S 8D JH QS 9D 3S 2C 7S 7C JC TD 3C TC 9H 3C TS 8H 5C 4C 2C 6S 8D 7C 4H KS 7H 2H TC 4H 2C 3S AS AH QS 8C 2D 2H 2C 4S 4C 6S 7D 5S 3S TH QC 5D TD 3C QS KD KC KS AS 4D AH KD 9H KS 5C 4C 6H JC 7S KC 4H 5C QS TC 2H JC 9S AH QH 4S 9H 3H 5H 3C QD 2H QC JH 8H 5D AS 7H 2C 3D JH 6H 4C 6S 7D 9C JD 9H AH JS 8S QH 3H KS 8H 3S AC QC TS 4D AD 3D AH 8S 9H 7H 3H QS 9C 9S 5H JH JS AH AC 8D 3C JD 2H AC 9C 7H 5S 4D 8H 7C JH 9H 6C JS 9S 7H 8C 9D 4H 2D AS 9S 6H 4D JS JH 9H AD QD 6H 7S JH KH AH 7H TD 5S 6S 2C 8H JH 6S 5H 5S 9D TC 4C QC 9S 7D 2C KD 3H 5H AS QD 7H JS 4D TS QH 6C 8H TH 5H 3C 3H 9C 9D AD KH JS 5D 3H AS AC 9S 5C KC 2C KH 8C JC QS 6D AH 2D KC TC 9D 3H 2S 7C 4D 6D KH KS 8D 7D 9H 2S TC JH AC QC 3H 5S 3S 8H 3S AS KD 8H 4C 3H 7C JH QH TS 7S 6D 7H 9D JH 4C 3D 3S 6C AS 4S 2H 2C 4C 8S 5H KC 8C QC QD 3H 3S 6C QS QC 2D 6S 5D 2C 9D 2H 8D JH 2S 3H 2D 6C 5C 7S AD 9H JS 5D QH 8S TS 2H 7S 6S AD 6D QC 9S 7H 5H 5C 7D KC JD 4H QC 5S 9H 9C 4D 6S KS 2S 4C 7C 9H 7C 4H 8D 3S 6H 5C 8H JS 7S 2D 6H JS TD 4H 4D JC TH 5H KC AC 7C 8D TH 3H 9S 2D 4C KC 4D KD QS 9C 7S 3D KS AD TS 4C 4H QH 9C 8H 2S 7D KS 7H 5D KD 4C 9C 2S 2H JC 6S 6C TC QC JH 5C 7S AC 8H KC 8S 6H QS JC 3D 6S JS 2D JH 8C 4S 6H 8H 6D 5D AD 6H 7D 2S 4H 9H 7C AS AC 8H 5S 3C JS 4S 6D 5H 2S QH 6S 9C 2C 3D 5S 6S 9S 4C QS 8D QD 8S TC 9C 3D AH 9H 5S 2C 7D AD JC 3S 7H TC AS 3C 6S 6D 7S KH KC 9H 3S TC 8H 6S 5H JH 8C 7D AC 2S QD 9D 9C 3S JC 8C KS 8H 5D 4D JS AH JD 6D 9D 8C 9H 9S 8H 3H 2D 6S 4C 4D 8S AD 4S TC AH 9H TS AC QC TH KC 6D 4H 7S 8C 2H 3C QD JS 9D 5S JC AH 2H TS 9H 3H 4D QH 5D 9C 5H 7D 4S JC 3S 8S TH 3H 7C 2H JD JS TS AC 8D 9C 2H TD KC JD 2S 8C 5S AD 2C 3D KD 7C 5H 4D QH QD TC 6H 7D 7H 2C KC 5S KD 6H AH QC 7S QH 6H 5C AC 5H 2C 9C 2D 7C TD 2S 4D 9D AH 3D 7C JD 4H 8C 4C KS TH 3C JS QH 8H 4C AS 3D QS QC 4D 7S 5H JH 6D 7D 6H JS KH 3C QD 8S 7D 2H 2C 7C JC 2S 5H 8C QH 8S 9D TC 2H AD 7C 8D QD 6S 3S 7C AD 9H 2H 9S JD TS 4C 2D 3S AS 4H QC 2C 8H 8S 7S TD TC JH TH TD 3S 4D 4H 5S 5D QS 2C 8C QD QH TC 6D 4S 9S 9D 4H QC 8C JS 9D 6H JD 3H AD 6S TD QC KC 8S 3D 7C TD 7D 8D 9H 4S 3S 6C 4S 3D 9D KD TC KC KS AC 5S 7C 6S QH 3D JS KD 6H 6D 2D 8C JD 2S 5S 4H 8S AC 2D 6S TS 5C 5H 8C 5S 3C 4S 3D 7C 8D AS 3H AS TS 7C 3H AD 7D JC QS 6C 6H 3S 9S 4C AC QH 5H 5D 9H TS 4H 6C 5C 7H 7S TD AD JD 5S 2H 2S 7D 6C KC 3S JD 8D 8S TS QS KH 8S QS 8D 6C TH AC AH 2C 8H 9S 7H TD KH QH 8S 3D 4D AH JD AS TS 3D 2H JC 2S JH KH 6C QC JS KC TH 2D 6H 7S 2S TC 8C 9D QS 3C 9D 6S KH 8H 6D 5D TH 2C 2H 6H TC 7D AD 4D 8S TS 9H TD 7S JS 6D JD JC 2H AC 6C 3D KH 8D KH JD 9S 5D 4H 4C 3H 7S QS 5C 4H JD 5D 3S 3C 4D KH QH QS 7S JD TS 8S QD AH 4C 6H 3S 5S 2C QS 3D JD AS 8D TH 7C 6S QC KS 7S 2H 8C QC 7H AC 6D 2D TH KH 5S 6C 7H KH 7D AH 8C 5C 7S 3D 3C KD AD 7D 6C 4D KS 2D 8C 4S 7C 8D 5S 2D 2S AH AD 2C 9D TD 3C AD 4S KS JH 7C 5C 8C 9C TH AS TD 4D 7C JD 8C QH 3C 5H 9S 3H 9C 8S 9S 6S QD KS AH 5H JH QC 9C 5S 4H 2H TD 7D AS 8C 9D 8C 2C 9D KD TC 7S 3D KH QC 3C 4D AS 4C QS 5S 9D 6S JD QH KS 6D AH 6C 4C 5H TS 9H 7D 3D 5S QS JD 7C 8D 9C AC 3S 6S 6C KH 8H JH 5D 9S 6D AS 6S 3S QC 7H QD AD 5C JH 2H AH 4H AS KC 2C JH 9C 2C 6H 2D JS 5D 9H KC 6D 7D 9D KD TH 3H AS 6S QC 6H AD JD 4H 7D KC 3H JS 3C TH 3D QS 4C 3H 8C QD 5H 6H AS 8H AD JD TH 8S KD 5D QC 7D JS 5S 5H TS 7D KC 9D QS 3H 3C 6D TS 7S AH 7C 4H 7H AH QC AC 4D 5D 6D TH 3C 4H 2S KD 8H 5H JH TC 6C JD 4S 8C 3D 4H JS TD 7S JH QS KD 7C QC KD 4D 7H 6S AD TD TC KH 5H 9H KC 3H 4D 3D AD 6S QD 6H TH 7C 6H TS QH 5S 2C KC TD 6S 7C 4D 5S JD JH 7D AC KD KH 4H 7D 6C 8D 8H 5C JH 8S QD TH JD 8D 7D 6C 7C 9D KD AS 5C QH JH 9S 2C 8C 3C 4C KS JH 2D 8D 4H 7S 6C JH KH 8H 3H 9D 2D AH 6D 4D TC 9C 8D 7H TD KS TH KD 3C JD 9H 8D QD AS KD 9D 2C 2S 9C 8D 3H 5C 7H KS 5H QH 2D 8C 9H 2D TH 6D QD 6C KC 3H 3S AD 4C 4H 3H JS 9D 3C TC 5H QH QC JC 3D 5C 6H 3S 3C JC 5S 7S 2S QH AC 5C 8C 4D 5D 4H 2S QD 3C 3H 2C TD AH 9C KD JS 6S QD 4C QC QS 8C 3S 4H TC JS 3H 7C JC AD 5H 4D 9C KS JC TD 9S TS 8S 9H QD TS 7D AS AC 2C TD 6H 8H AH 6S AD 8C 4S 9H 8D 9D KH 8S 3C QS 4D 2D 7S KH JS JC AD 4C 3C QS 9S 7H KC TD TH 5H JS AC JH 6D AC 2S QS 7C AS KS 6S KH 5S 6D 8H KH 3C QS 2H 5C 9C 9D 6C JS 2C 4C 6H 7D JC AC QD TD 3H 4H QC 8H JD 4C KD KS 5C KC 7S 6D 2D 3H 2S QD 5S 7H AS TH 6S AS 6D 8D 2C 8S TD 8H QD JC AH 9C 9H 2D TD QH 2H 5C TC 3D 8H KC 8S 3D KH 2S TS TC 6S 4D JH 9H 9D QS AC KC 6H 5D 4D 8D AH 9S 5C QS 4H 7C 7D 2H 8S AD JS 3D AC 9S AS 2C 2D 2H 3H JC KH 7H QH KH JD TC KS 5S 8H 4C 8D 2H 7H 3S 2S 5H QS 3C AS 9H KD AD 3D JD 6H 5S 9C 6D AC 9S 3S 3D 5D 9C 2D AC 4S 2S AD 6C 6S QC 4C 2D 3H 6S KC QH QD 2H JH QC 3C 8S 4D 9S 2H 5C 8H QS QD 6D KD 6S 7H 3S KH 2H 5C JC 6C 3S 9S TC 6S 8H 2D AD 7S 8S TS 3C 6H 9C 3H 5C JC 8H QH TD QD 3C JS QD 5D TD 2C KH 9H TH AS 9S TC JD 3D 5C 5H AD QH 9H KC TC 7H 4H 8H 3H TD 6S AC 7C 2S QS 9D 5D 3C JC KS 4D 6C JH 2S 9S 6S 3C 7H TS 4C KD 6D 3D 9C 2D 9H AH AC 7H 2S JH 3S 7C QC QD 9H 3C 2H AC AS 8S KD 8C KH 2D 7S TD TH 6D JD 8D 4D 2H 5S 8S QH KD JD QS JH 4D KC 5H 3S 3C KH QC 6D 8H 3S AH 7D TD 2D 5S 9H QH 4S 6S 6C 6D TS TH 7S 6C 4C 6D QS JS 9C TS 3H 8D 8S JS 5C 7S AS 2C AH 2H AD 5S TC KD 6C 9C 9D TS 2S JC 4H 2C QD QS 9H TC 3H KC KS 4H 3C AD TH KH 9C 2H KD 9D TC 7S KC JH 2D 7C 3S KC AS 8C 5D 9C 9S QH 3H 2D 8C TD 4C 2H QC 5D TC 2C 7D KS 4D 6C QH TD KH 5D 7C AD 8D 2S 9S 8S 4C 8C 3D 6H QD 7C 7H 6C 8S QH 5H TS 5C 3C 4S 2S 2H 8S 6S 2H JC 3S 3H 9D 8C 2S 7H QC 2C 8H 9C AC JD 4C 4H 6S 3S 3H 3S 7D 4C 9S 5H 8H JC 3D TC QH 2S 2D 9S KD QD 9H AD 6D 9C 8D 2D KS 9S JC 4C JD KC 4S TH KH TS 6D 4D 5C KD 5H AS 9H AD QD JS 7C 6D 5D 5C TH 5H QH QS 9D QH KH 5H JH 4C 4D TC TH 6C KH AS TS 9D KD 9C 7S 4D 8H 5S KH AS 2S 7D 9D 4C TS TH AH 7C KS 4D AC 8S 9S 8D TH QH 9D 5C 5D 5C 8C QS TC 4C 3D 3S 2C 8D 9D KS 2D 3C KC 4S 8C KH 6C JC 8H AH 6H 7D 7S QD 3C 4C 6C KC 3H 2C QH 8H AS 7D 4C 8C 4H KC QD 5S 4H 2C TD AH JH QH 4C 8S 3H QS 5S JS 8H 2S 9H 9C 3S 2C 6H TS 7S JC QD AC TD KC 5S 3H QH AS QS 7D JC KC 2C 4C 5C 5S QH 3D AS JS 4H 8D 7H JC 2S 9C 5D 4D 2S 4S 9D 9C 2D QS 8H 7H 6D 7H 3H JS TS AC 2D JH 7C 8S JH 5H KC 3C TC 5S 9H 4C 8H 9D 8S KC 5H 9H AD KS 9D KH 8D AH JC 2H 9H KS 6S 3H QC 5H AH 9C 5C KH 5S AD 6C JC 9H QC 9C TD 5S 5D JC QH 2D KS 8H QS 2H TS JH 5H 5S AH 7H 3C 8S AS TD KH 6H 3D JD 2C 4C KC 7S AH 6C JH 4C KS 9D AD 7S KC 7D 8H 3S 9C 7H 5C 5H 3C 8H QC 3D KH 6D JC 2D 4H 5D 7D QC AD AH 9H QH 8H KD 8C JS 9D 3S 3C 2H 5D 6D 2S 8S 6S TS 3C 6H 8D 5S 3H TD 6C KS 3D JH 9C 7C 9S QS 5S 4H 6H 7S 6S TH 4S KC KD 3S JC JH KS 7C 3C 2S 6D QH 2C 7S 5H 8H AH KC 8D QD 6D KH 5C 7H 9D 3D 9C 6H 2D 8S JS 9S 2S 6D KC 7C TC KD 9C JH 7H KC 8S 2S 7S 3D 6H 4H 9H 2D 4C 8H 7H 5S 8S 2H 8D AD 7C 3C 7S 5S 4D 9H 3D JC KH 5D AS 7D 6D 9C JC 4C QH QS KH KD JD 7D 3D QS QC 8S 6D JS QD 6S 8C 5S QH TH 9H AS AC 2C JD QC KS QH 7S 3C 4C 5C KC 5D AH 6C 4H 9D AH 2C 3H KD 3D TS 5C TD 8S QS AS JS 3H KD AC 4H KS 7D 5D TS 9H 4H 4C 9C 2H 8C QC 2C 7D 9H 4D KS 4C QH AD KD JS QD AD AH KH 9D JS 9H JC KD JD 8S 3C 4S TS 7S 4D 5C 2S 6H 7C JS 7S 5C KD 6D QH 8S TD 2H 6S QH 6C TC 6H TD 4C 9D 2H QC 8H 3D TS 4D 2H 6H 6S 2C 7H 8S 6C 9H 9D JD JH 3S AH 2C 6S 3H 8S 2C QS 8C 5S 3H 2S 7D 3C AD 4S 5C QC QH AS TS 4S 6S 4C 5H JS JH 5C TD 4C 6H JS KD KH QS 4H TC KH JC 4D 9H 9D 8D KC 3C 8H 2H TC 8S AD 9S 4H TS 7H 2C 5C 4H 2S 6C 5S KS AH 9C 7C 8H KD TS QH TD QS 3C JH AH 2C 8D 7D 5D KC 3H 5S AC 4S 7H QS 4C 2H 3D 7D QC KH JH 6D 6C TD TH KD 5S 8D TH 6C 9D 7D KH 8C 9S 6D JD QS 7S QC 2S QH JC 4S KS 8D 7S 5S 9S JD KD 9C JC AD 2D 7C 4S 5H AH JH 9C 5D TD 7C 2D 6S KC 6C 7H 6S 9C QD 5S 4H KS TD 6S 8D KS 2D TH TD 9H JD TS 3S KH JS 4H 5D 9D TC TD QC JD TS QS QD AC AD 4C 6S 2D AS 3H KC 4C 7C 3C TD QS 9C KC AS 8D AD KC 7H QC 6D 8H 6S 5S AH 7S 8C 3S AD 9H JC 6D JD AS KH 6S JH AD 3D TS KS 7H JH 2D JS QD AC 9C JD 7C 6D TC 6H 6C JC 3D 3S QC KC 3S JC KD 2C 8D AH QS TS AS KD 3D JD 8H 7C 8C 5C QD 6C
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-,16,12,21,-,-,- 16,-,-,17,20,-,- 12,-,-,28,-,31,- 21,17,28,-,18,19,23 -,20,-,18,-,-,11 -,-,31,19,-,-,27 -,-,-,23,11,27,-
-,16,12,21,-,-,- 16,-,-,17,20,-,- 12,-,-,28,-,31,- 21,17,28,-,18,19,23 -,20,-,18,-,-,11 -,-,31,19,-,-,27 -,-,-,23,11,27,-
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# A naive recursive implementation of 0-1 Knapsack Problem This overview is taken from: https://en.wikipedia.org/wiki/Knapsack_problem --- ## Overview The knapsack problem is a problem in combinatorial optimization: Given a set of items, each with a weight and a value, determine the number of each item to include in a collection so that the total weight is less than or equal to a given limit and the total value is as large as possible. It derives its name from the problem faced by someone who is constrained by a fixed-size knapsack and must fill it with the most valuable items. The problem often arises in resource allocation where the decision makers have to choose from a set of non-divisible projects or tasks under a fixed budget or time constraint, respectively. The knapsack problem has been studied for more than a century, with early works dating as far back as 1897 The name "knapsack problem" dates back to the early works of mathematician Tobias Dantzig (1884–1956), and refers to the commonplace problem of packing the most valuable or useful items without overloading the luggage. --- ## Documentation This module uses docstrings to enable the use of Python's in-built `help(...)` function. For instance, try `help(Vector)`, `help(unit_basis_vector)`, and `help(CLASSNAME.METHODNAME)`. --- ## Usage Import the module `knapsack.py` from the **.** directory into your project. --- ## Tests `.` contains Python unit tests which can be run with `python3 -m unittest -v`.
# A naive recursive implementation of 0-1 Knapsack Problem This overview is taken from: https://en.wikipedia.org/wiki/Knapsack_problem --- ## Overview The knapsack problem is a problem in combinatorial optimization: Given a set of items, each with a weight and a value, determine the number of each item to include in a collection so that the total weight is less than or equal to a given limit and the total value is as large as possible. It derives its name from the problem faced by someone who is constrained by a fixed-size knapsack and must fill it with the most valuable items. The problem often arises in resource allocation where the decision makers have to choose from a set of non-divisible projects or tasks under a fixed budget or time constraint, respectively. The knapsack problem has been studied for more than a century, with early works dating as far back as 1897 The name "knapsack problem" dates back to the early works of mathematician Tobias Dantzig (1884–1956), and refers to the commonplace problem of packing the most valuable or useful items without overloading the luggage. --- ## Documentation This module uses docstrings to enable the use of Python's in-built `help(...)` function. For instance, try `help(Vector)`, `help(unit_basis_vector)`, and `help(CLASSNAME.METHODNAME)`. --- ## Usage Import the module `knapsack.py` from the **.** directory into your project. --- ## Tests `.` contains Python unit tests which can be run with `python3 -m unittest -v`.
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-,-,-,427,668,495,377,678,-,177,-,-,870,-,869,624,300,609,131,-,251,-,-,-,856,221,514,-,591,762,182,56,-,884,412,273,636,-,-,774 -,-,262,-,-,508,472,799,-,956,578,363,940,143,-,162,122,910,-,729,802,941,922,573,531,539,667,607,-,920,-,-,315,649,937,-,185,102,636,289 -,262,-,-,926,-,958,158,647,47,621,264,81,-,402,813,649,386,252,391,264,637,349,-,-,-,108,-,727,225,578,699,-,898,294,-,575,168,432,833 427,-,-,-,366,-,-,635,-,32,962,468,893,854,718,427,448,916,258,-,760,909,529,311,404,-,-,588,680,875,-,615,-,409,758,221,-,-,76,257 668,-,926,366,-,-,-,250,268,-,503,944,-,677,-,727,793,457,981,191,-,-,-,351,969,925,987,328,282,589,-,873,477,-,-,19,450,-,-,- 495,508,-,-,-,-,-,765,711,819,305,302,926,-,-,582,-,861,-,683,293,-,-,66,-,27,-,-,290,-,786,-,554,817,33,-,54,506,386,381 377,472,958,-,-,-,-,-,-,120,42,-,134,219,457,639,538,374,-,-,-,966,-,-,-,-,-,449,120,797,358,232,550,-,305,997,662,744,686,239 678,799,158,635,250,765,-,-,-,35,-,106,385,652,160,-,890,812,605,953,-,-,-,79,-,712,613,312,452,-,978,900,-,901,-,-,225,533,770,722 -,-,647,-,268,711,-,-,-,283,-,172,-,663,236,36,403,286,986,-,-,810,761,574,53,793,-,-,777,330,936,883,286,-,174,-,-,-,828,711 177,956,47,32,-,819,120,35,283,-,50,-,565,36,767,684,344,489,565,-,-,103,810,463,733,665,494,644,863,25,385,-,342,470,-,-,-,730,582,468 -,578,621,962,503,305,42,-,-,50,-,155,519,-,-,256,990,801,154,53,474,650,402,-,-,-,966,-,-,406,989,772,932,7,-,823,391,-,-,933 -,363,264,468,944,302,-,106,172,-,155,-,-,-,380,438,-,41,266,-,-,104,867,609,-,270,861,-,-,165,-,675,250,686,995,366,191,-,433,- 870,940,81,893,-,926,134,385,-,565,519,-,-,313,851,-,-,-,248,220,-,826,359,829,-,234,198,145,409,68,359,-,814,218,186,-,-,929,203,- -,143,-,854,677,-,219,652,663,36,-,-,313,-,132,-,433,598,-,-,168,870,-,-,-,128,437,-,383,364,966,227,-,-,807,993,-,-,526,17 869,-,402,718,-,-,457,160,236,767,-,380,851,132,-,-,596,903,613,730,-,261,-,142,379,885,89,-,848,258,112,-,900,-,-,818,639,268,600,- 624,162,813,427,727,582,639,-,36,684,256,438,-,-,-,-,539,379,664,561,542,-,999,585,-,-,321,398,-,-,950,68,193,-,697,-,390,588,848,- 300,122,649,448,793,-,538,890,403,344,990,-,-,433,596,539,-,-,73,-,318,-,-,500,-,968,-,291,-,-,765,196,504,757,-,542,-,395,227,148 609,910,386,916,457,861,374,812,286,489,801,41,-,598,903,379,-,-,-,946,136,399,-,941,707,156,757,258,251,-,807,-,-,-,461,501,-,-,616,- 131,-,252,258,981,-,-,605,986,565,154,266,248,-,613,664,73,-,-,686,-,-,575,627,817,282,-,698,398,222,-,649,-,-,-,-,-,654,-,- -,729,391,-,191,683,-,953,-,-,53,-,220,-,730,561,-,946,686,-,-,389,729,553,304,703,455,857,260,-,991,182,351,477,867,-,-,889,217,853 251,802,264,760,-,293,-,-,-,-,474,-,-,168,-,542,318,136,-,-,-,-,392,-,-,-,267,407,27,651,80,927,-,974,977,-,-,457,117,- -,941,637,909,-,-,966,-,810,103,650,104,826,870,261,-,-,399,-,389,-,-,-,202,-,-,-,-,867,140,403,962,785,-,511,-,1,-,707,- -,922,349,529,-,-,-,-,761,810,402,867,359,-,-,999,-,-,575,729,392,-,-,388,939,-,959,-,83,463,361,-,-,512,931,-,224,690,369,- -,573,-,311,351,66,-,79,574,463,-,609,829,-,142,585,500,941,627,553,-,202,388,-,164,829,-,620,523,639,936,-,-,490,-,695,-,505,109,- 856,531,-,404,969,-,-,-,53,733,-,-,-,-,379,-,-,707,817,304,-,-,939,164,-,-,616,716,728,-,889,349,-,963,150,447,-,292,586,264 221,539,-,-,925,27,-,712,793,665,-,270,234,128,885,-,968,156,282,703,-,-,-,829,-,-,-,822,-,-,-,736,576,-,697,946,443,-,205,194 514,667,108,-,987,-,-,613,-,494,966,861,198,437,89,321,-,757,-,455,267,-,959,-,616,-,-,-,349,156,339,-,102,790,359,-,439,938,809,260 -,607,-,588,328,-,449,312,-,644,-,-,145,-,-,398,291,258,698,857,407,-,-,620,716,822,-,-,293,486,943,-,779,-,6,880,116,775,-,947 591,-,727,680,282,290,120,452,777,863,-,-,409,383,848,-,-,251,398,260,27,867,83,523,728,-,349,293,-,212,684,505,341,384,9,992,507,48,-,- 762,920,225,875,589,-,797,-,330,25,406,165,68,364,258,-,-,-,222,-,651,140,463,639,-,-,156,486,212,-,-,349,723,-,-,186,-,36,240,752 182,-,578,-,-,786,358,978,936,385,989,-,359,966,112,950,765,807,-,991,80,403,361,936,889,-,339,943,684,-,-,965,302,676,725,-,327,134,-,147 56,-,699,615,873,-,232,900,883,-,772,675,-,227,-,68,196,-,649,182,927,962,-,-,349,736,-,-,505,349,965,-,474,178,833,-,-,555,853,- -,315,-,-,477,554,550,-,286,342,932,250,814,-,900,193,504,-,-,351,-,785,-,-,-,576,102,779,341,723,302,474,-,689,-,-,-,451,-,- 884,649,898,409,-,817,-,901,-,470,7,686,218,-,-,-,757,-,-,477,974,-,512,490,963,-,790,-,384,-,676,178,689,-,245,596,445,-,-,343 412,937,294,758,-,33,305,-,174,-,-,995,186,807,-,697,-,461,-,867,977,511,931,-,150,697,359,6,9,-,725,833,-,245,-,949,-,270,-,112 273,-,-,221,19,-,997,-,-,-,823,366,-,993,818,-,542,501,-,-,-,-,-,695,447,946,-,880,992,186,-,-,-,596,949,-,91,-,768,273 636,185,575,-,450,54,662,225,-,-,391,191,-,-,639,390,-,-,-,-,-,1,224,-,-,443,439,116,507,-,327,-,-,445,-,91,-,248,-,344 -,102,168,-,-,506,744,533,-,730,-,-,929,-,268,588,395,-,654,889,457,-,690,505,292,-,938,775,48,36,134,555,451,-,270,-,248,-,371,680 -,636,432,76,-,386,686,770,828,582,-,433,203,526,600,848,227,616,-,217,117,707,369,109,586,205,809,-,-,240,-,853,-,-,-,768,-,371,-,540 774,289,833,257,-,381,239,722,711,468,933,-,-,17,-,-,148,-,-,853,-,-,-,-,264,194,260,947,-,752,147,-,-,343,112,273,344,680,540,-
-,-,-,427,668,495,377,678,-,177,-,-,870,-,869,624,300,609,131,-,251,-,-,-,856,221,514,-,591,762,182,56,-,884,412,273,636,-,-,774 -,-,262,-,-,508,472,799,-,956,578,363,940,143,-,162,122,910,-,729,802,941,922,573,531,539,667,607,-,920,-,-,315,649,937,-,185,102,636,289 -,262,-,-,926,-,958,158,647,47,621,264,81,-,402,813,649,386,252,391,264,637,349,-,-,-,108,-,727,225,578,699,-,898,294,-,575,168,432,833 427,-,-,-,366,-,-,635,-,32,962,468,893,854,718,427,448,916,258,-,760,909,529,311,404,-,-,588,680,875,-,615,-,409,758,221,-,-,76,257 668,-,926,366,-,-,-,250,268,-,503,944,-,677,-,727,793,457,981,191,-,-,-,351,969,925,987,328,282,589,-,873,477,-,-,19,450,-,-,- 495,508,-,-,-,-,-,765,711,819,305,302,926,-,-,582,-,861,-,683,293,-,-,66,-,27,-,-,290,-,786,-,554,817,33,-,54,506,386,381 377,472,958,-,-,-,-,-,-,120,42,-,134,219,457,639,538,374,-,-,-,966,-,-,-,-,-,449,120,797,358,232,550,-,305,997,662,744,686,239 678,799,158,635,250,765,-,-,-,35,-,106,385,652,160,-,890,812,605,953,-,-,-,79,-,712,613,312,452,-,978,900,-,901,-,-,225,533,770,722 -,-,647,-,268,711,-,-,-,283,-,172,-,663,236,36,403,286,986,-,-,810,761,574,53,793,-,-,777,330,936,883,286,-,174,-,-,-,828,711 177,956,47,32,-,819,120,35,283,-,50,-,565,36,767,684,344,489,565,-,-,103,810,463,733,665,494,644,863,25,385,-,342,470,-,-,-,730,582,468 -,578,621,962,503,305,42,-,-,50,-,155,519,-,-,256,990,801,154,53,474,650,402,-,-,-,966,-,-,406,989,772,932,7,-,823,391,-,-,933 -,363,264,468,944,302,-,106,172,-,155,-,-,-,380,438,-,41,266,-,-,104,867,609,-,270,861,-,-,165,-,675,250,686,995,366,191,-,433,- 870,940,81,893,-,926,134,385,-,565,519,-,-,313,851,-,-,-,248,220,-,826,359,829,-,234,198,145,409,68,359,-,814,218,186,-,-,929,203,- -,143,-,854,677,-,219,652,663,36,-,-,313,-,132,-,433,598,-,-,168,870,-,-,-,128,437,-,383,364,966,227,-,-,807,993,-,-,526,17 869,-,402,718,-,-,457,160,236,767,-,380,851,132,-,-,596,903,613,730,-,261,-,142,379,885,89,-,848,258,112,-,900,-,-,818,639,268,600,- 624,162,813,427,727,582,639,-,36,684,256,438,-,-,-,-,539,379,664,561,542,-,999,585,-,-,321,398,-,-,950,68,193,-,697,-,390,588,848,- 300,122,649,448,793,-,538,890,403,344,990,-,-,433,596,539,-,-,73,-,318,-,-,500,-,968,-,291,-,-,765,196,504,757,-,542,-,395,227,148 609,910,386,916,457,861,374,812,286,489,801,41,-,598,903,379,-,-,-,946,136,399,-,941,707,156,757,258,251,-,807,-,-,-,461,501,-,-,616,- 131,-,252,258,981,-,-,605,986,565,154,266,248,-,613,664,73,-,-,686,-,-,575,627,817,282,-,698,398,222,-,649,-,-,-,-,-,654,-,- -,729,391,-,191,683,-,953,-,-,53,-,220,-,730,561,-,946,686,-,-,389,729,553,304,703,455,857,260,-,991,182,351,477,867,-,-,889,217,853 251,802,264,760,-,293,-,-,-,-,474,-,-,168,-,542,318,136,-,-,-,-,392,-,-,-,267,407,27,651,80,927,-,974,977,-,-,457,117,- -,941,637,909,-,-,966,-,810,103,650,104,826,870,261,-,-,399,-,389,-,-,-,202,-,-,-,-,867,140,403,962,785,-,511,-,1,-,707,- -,922,349,529,-,-,-,-,761,810,402,867,359,-,-,999,-,-,575,729,392,-,-,388,939,-,959,-,83,463,361,-,-,512,931,-,224,690,369,- -,573,-,311,351,66,-,79,574,463,-,609,829,-,142,585,500,941,627,553,-,202,388,-,164,829,-,620,523,639,936,-,-,490,-,695,-,505,109,- 856,531,-,404,969,-,-,-,53,733,-,-,-,-,379,-,-,707,817,304,-,-,939,164,-,-,616,716,728,-,889,349,-,963,150,447,-,292,586,264 221,539,-,-,925,27,-,712,793,665,-,270,234,128,885,-,968,156,282,703,-,-,-,829,-,-,-,822,-,-,-,736,576,-,697,946,443,-,205,194 514,667,108,-,987,-,-,613,-,494,966,861,198,437,89,321,-,757,-,455,267,-,959,-,616,-,-,-,349,156,339,-,102,790,359,-,439,938,809,260 -,607,-,588,328,-,449,312,-,644,-,-,145,-,-,398,291,258,698,857,407,-,-,620,716,822,-,-,293,486,943,-,779,-,6,880,116,775,-,947 591,-,727,680,282,290,120,452,777,863,-,-,409,383,848,-,-,251,398,260,27,867,83,523,728,-,349,293,-,212,684,505,341,384,9,992,507,48,-,- 762,920,225,875,589,-,797,-,330,25,406,165,68,364,258,-,-,-,222,-,651,140,463,639,-,-,156,486,212,-,-,349,723,-,-,186,-,36,240,752 182,-,578,-,-,786,358,978,936,385,989,-,359,966,112,950,765,807,-,991,80,403,361,936,889,-,339,943,684,-,-,965,302,676,725,-,327,134,-,147 56,-,699,615,873,-,232,900,883,-,772,675,-,227,-,68,196,-,649,182,927,962,-,-,349,736,-,-,505,349,965,-,474,178,833,-,-,555,853,- -,315,-,-,477,554,550,-,286,342,932,250,814,-,900,193,504,-,-,351,-,785,-,-,-,576,102,779,341,723,302,474,-,689,-,-,-,451,-,- 884,649,898,409,-,817,-,901,-,470,7,686,218,-,-,-,757,-,-,477,974,-,512,490,963,-,790,-,384,-,676,178,689,-,245,596,445,-,-,343 412,937,294,758,-,33,305,-,174,-,-,995,186,807,-,697,-,461,-,867,977,511,931,-,150,697,359,6,9,-,725,833,-,245,-,949,-,270,-,112 273,-,-,221,19,-,997,-,-,-,823,366,-,993,818,-,542,501,-,-,-,-,-,695,447,946,-,880,992,186,-,-,-,596,949,-,91,-,768,273 636,185,575,-,450,54,662,225,-,-,391,191,-,-,639,390,-,-,-,-,-,1,224,-,-,443,439,116,507,-,327,-,-,445,-,91,-,248,-,344 -,102,168,-,-,506,744,533,-,730,-,-,929,-,268,588,395,-,654,889,457,-,690,505,292,-,938,775,48,36,134,555,451,-,270,-,248,-,371,680 -,636,432,76,-,386,686,770,828,582,-,433,203,526,600,848,227,616,-,217,117,707,369,109,586,205,809,-,-,240,-,853,-,-,-,768,-,371,-,540 774,289,833,257,-,381,239,722,711,468,933,-,-,17,-,-,148,-,-,853,-,-,-,-,264,194,260,947,-,752,147,-,-,343,112,273,344,680,540,-
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-340,495,-153,-910,835,-947 -175,41,-421,-714,574,-645 -547,712,-352,579,951,-786 419,-864,-83,650,-399,171 -429,-89,-357,-930,296,-29 -734,-702,823,-745,-684,-62 -971,762,925,-776,-663,-157 162,570,628,485,-807,-896 641,91,-65,700,887,759 215,-496,46,-931,422,-30 -119,359,668,-609,-358,-494 440,929,968,214,760,-857 -700,785,838,29,-216,411 -770,-458,-325,-53,-505,633 -752,-805,349,776,-799,687 323,5,561,-36,919,-560 -907,358,264,320,204,274 -728,-466,350,969,292,-345 940,836,272,-533,748,185 411,998,813,520,316,-949 -152,326,658,-762,148,-651 330,507,-9,-628,101,174 551,-496,772,-541,-702,-45 -164,-489,-90,322,631,-59 673,366,-4,-143,-606,-704 428,-609,801,-449,740,-269 453,-924,-785,-346,-853,111 -738,555,-181,467,-426,-20 958,-692,784,-343,505,-569 620,27,263,54,-439,-726 804,87,998,859,871,-78 -119,-453,-709,-292,-115,-56 -626,138,-940,-476,-177,-274 -11,160,142,588,446,158 538,727,550,787,330,810 420,-689,854,-546,337,516 872,-998,-607,748,473,-192 653,440,-516,-985,808,-857 374,-158,331,-940,-338,-641 137,-925,-179,771,734,-715 -314,198,-115,29,-641,-39 759,-574,-385,355,590,-603 -189,-63,-168,204,289,305 -182,-524,-715,-621,911,-255 331,-816,-833,471,168,126 -514,581,-855,-220,-731,-507 129,169,576,651,-87,-458 783,-444,-881,658,-266,298 603,-430,-598,585,368,899 43,-724,962,-376,851,409 -610,-646,-883,-261,-482,-881 -117,-237,978,641,101,-747 579,125,-715,-712,208,534 672,-214,-762,372,874,533 -564,965,38,715,367,242 500,951,-700,-981,-61,-178 -382,-224,-959,903,-282,-60 -355,295,426,-331,-591,655 892,128,958,-271,-993,274 -454,-619,302,138,-790,-874 -642,601,-574,159,-290,-318 266,-109,257,-686,54,975 162,628,-478,840,264,-266 466,-280,982,1,904,-810 721,839,730,-807,777,981 -129,-430,748,263,943,96 434,-94,410,-990,249,-704 237,42,122,-732,44,-51 909,-116,-229,545,292,717 824,-768,-807,-370,-262,30 675,58,332,-890,-651,791 363,825,-717,254,684,240 405,-715,900,166,-589,422 -476,686,-830,-319,634,-807 633,837,-971,917,-764,207 -116,-44,-193,-70,908,809 -26,-252,998,408,70,-713 -601,645,-462,842,-644,-591 -160,653,274,113,-138,687 369,-273,-181,925,-167,-693 -338,135,480,-967,-13,-840 -90,-270,-564,695,161,907 607,-430,869,-713,461,-469 919,-165,-776,522,606,-708 -203,465,288,207,-339,-458 -453,-534,-715,975,838,-677 -973,310,-350,934,546,-805 -835,385,708,-337,-594,-772 -14,914,900,-495,-627,594 833,-713,-213,578,-296,699 -27,-748,484,455,915,291 270,889,739,-57,442,-516 119,811,-679,905,184,130 -678,-469,925,553,612,482 101,-571,-732,-842,644,588 -71,-737,566,616,957,-663 -634,-356,90,-207,936,622 598,443,964,-895,-58,529 847,-467,929,-742,91,10 -633,829,-780,-408,222,-30 -818,57,275,-38,-746,198 -722,-825,-549,597,-391,99 -570,908,430,873,-103,-360 342,-681,512,434,542,-528 297,850,479,609,543,-357 9,784,212,548,56,859 -152,560,-240,-969,-18,713 140,-133,34,-635,250,-163 -272,-22,-169,-662,989,-604 471,-765,355,633,-742,-118 -118,146,942,663,547,-376 583,16,162,264,715,-33 -230,-446,997,-838,561,555 372,397,-729,-318,-276,649 92,982,-970,-390,-922,922 -981,713,-951,-337,-669,670 -999,846,-831,-504,7,-128 455,-954,-370,682,-510,45 822,-960,-892,-385,-662,314 -668,-686,-367,-246,530,-341 -723,-720,-926,-836,-142,757 -509,-134,384,-221,-873,-639 -803,-52,-706,-669,373,-339 933,578,631,-616,770,555 741,-564,-33,-605,-576,275 -715,445,-233,-730,734,-704 120,-10,-266,-685,-490,-17 -232,-326,-457,-946,-457,-116 811,52,639,826,-200,147 -329,279,293,612,943,955 -721,-894,-393,-969,-642,453 -688,-826,-352,-75,371,79 -809,-979,407,497,858,-248 -485,-232,-242,-582,-81,849 141,-106,123,-152,806,-596 -428,57,-992,811,-192,478 864,393,122,858,255,-876 -284,-780,240,457,354,-107 956,605,-477,44,26,-678 86,710,-533,-815,439,327 -906,-626,-834,763,426,-48 201,-150,-904,652,475,412 -247,149,81,-199,-531,-148 923,-76,-353,175,-121,-223 427,-674,453,472,-410,585 931,776,-33,85,-962,-865 -655,-908,-902,208,869,792 -316,-102,-45,-436,-222,885 -309,768,-574,653,745,-975 896,27,-226,993,332,198 323,655,-89,260,240,-902 501,-763,-424,793,813,616 993,375,-938,-621,672,-70 -880,-466,-283,770,-824,143 63,-283,886,-142,879,-116 -964,-50,-521,-42,-306,-161 724,-22,866,-871,933,-383 -344,135,282,966,-80,917 -281,-189,420,810,362,-582 -515,455,-588,814,162,332 555,-436,-123,-210,869,-943 589,577,232,286,-554,876 -773,127,-58,-171,-452,125 -428,575,906,-232,-10,-224 437,276,-335,-348,605,878 -964,511,-386,-407,168,-220 307,513,912,-463,-423,-416 -445,539,273,886,-18,760 -396,-585,-670,414,47,364 143,-506,754,906,-971,-203 -544,472,-180,-541,869,-465 -779,-15,-396,890,972,-220 -430,-564,503,182,-119,456 89,-10,-739,399,506,499 954,162,-810,-973,127,870 890,952,-225,158,828,237 -868,952,349,465,574,750 -915,369,-975,-596,-395,-134 -135,-601,575,582,-667,640 413,890,-560,-276,-555,-562 -633,-269,561,-820,-624,499 371,-92,-784,-593,864,-717 -971,655,-439,367,754,-951 172,-347,36,279,-247,-402 633,-301,364,-349,-683,-387 -780,-211,-713,-948,-648,543 72,58,762,-465,-66,462 78,502,781,-832,713,836 -431,-64,-484,-392,208,-343 -64,101,-29,-860,-329,844 398,391,828,-858,700,395 578,-896,-326,-604,314,180 97,-321,-695,185,-357,852 854,839,283,-375,951,-209 194,96,-564,-847,162,524 -354,532,494,621,580,560 419,-678,-450,926,-5,-924 -661,905,519,621,-143,394 -573,268,296,-562,-291,-319 -211,266,-196,158,564,-183 18,-585,-398,777,-581,864 790,-894,-745,-604,-418,70 848,-339,150,773,11,851 -954,-809,-53,-20,-648,-304 658,-336,-658,-905,853,407 -365,-844,350,-625,852,-358 986,-315,-230,-159,21,180 -15,599,45,-286,-941,847 -613,-68,184,639,-987,550 334,675,-56,-861,923,340 -848,-596,960,231,-28,-34 707,-811,-994,-356,-167,-171 -470,-764,72,576,-600,-204 379,189,-542,-576,585,800 440,540,-445,-563,379,-334 -155,64,514,-288,853,106 -304,751,481,-520,-708,-694 -709,132,594,126,-844,63 723,471,421,-138,-962,892 -440,-263,39,513,-672,-954 775,809,-581,330,752,-107 -376,-158,335,-708,-514,578 -343,-769,456,-187,25,413 548,-877,-172,300,-500,928 938,-102,423,-488,-378,-969 -36,564,-55,131,958,-800 -322,511,-413,503,700,-847 -966,547,-88,-17,-359,-67 637,-341,-437,-181,527,-153 -74,449,-28,3,485,189 -997,658,-224,-948,702,-807 -224,736,-896,127,-945,-850 -395,-106,439,-553,-128,124 -841,-445,-758,-572,-489,212 633,-327,13,-512,952,771 -940,-171,-6,-46,-923,-425 -142,-442,-817,-998,843,-695 340,847,-137,-920,-988,-658 -653,217,-679,-257,651,-719 -294,365,-41,342,74,-892 690,-236,-541,494,408,-516 180,-807,225,790,494,59 707,605,-246,656,284,271 65,294,152,824,442,-442 -321,781,-540,341,316,415 420,371,-2,545,995,248 56,-191,-604,971,615,449 -981,-31,510,592,-390,-362 -317,-968,913,365,97,508 832,63,-864,-510,86,202 -483,456,-636,340,-310,676 981,-847,751,-508,-962,-31 -157,99,73,797,63,-172 220,858,872,924,866,-381 996,-169,805,321,-164,971 896,11,-625,-973,-782,76 578,-280,730,-729,307,-905 -580,-749,719,-698,967,603 -821,874,-103,-623,662,-491 -763,117,661,-644,672,-607 592,787,-798,-169,-298,690 296,644,-526,-762,-447,665 534,-818,852,-120,57,-379 -986,-549,-329,294,954,258 -133,352,-660,-77,904,-356 748,343,215,500,317,-277 311,7,910,-896,-809,795 763,-602,-753,313,-352,917 668,619,-474,-597,-650,650 -297,563,-701,-987,486,-902 -461,-740,-657,233,-482,-328 -446,-250,-986,-458,-629,520 542,-49,-327,-469,257,-947 121,-575,-634,-143,-184,521 30,504,455,-645,-229,-945 -12,-295,377,764,771,125 -686,-133,225,-25,-376,-143 -6,-46,338,270,-405,-872 -623,-37,582,467,963,898 -804,869,-477,420,-475,-303 94,41,-842,-193,-768,720 -656,-918,415,645,-357,460 -47,-486,-911,468,-608,-686 -158,251,419,-394,-655,-895 272,-695,979,508,-358,959 -776,650,-918,-467,-690,-534 -85,-309,-626,167,-366,-429 -880,-732,-186,-924,970,-875 517,645,-274,962,-804,544 721,402,104,640,478,-499 198,684,-134,-723,-452,-905 -245,745,239,238,-826,441 -217,206,-32,462,-981,-895 -51,989,526,-173,560,-676 -480,-659,-976,-580,-727,466 -996,-90,-995,158,-239,642 302,288,-194,-294,17,924 -943,969,-326,114,-500,103 -619,163,339,-880,230,421 -344,-601,-795,557,565,-779 590,345,-129,-202,-125,-58 -777,-195,159,674,775,411 -939,312,-665,810,121,855 -971,254,712,815,452,581 442,-9,327,-750,61,757 -342,869,869,-160,390,-772 620,601,565,-169,-69,-183 -25,924,-817,964,321,-970 -64,-6,-133,978,825,-379 601,436,-24,98,-115,940 -97,502,614,-574,922,513 -125,262,-946,695,99,-220 429,-721,719,-694,197,-558 326,689,-70,-908,-673,338 -468,-856,-902,-254,-358,305 -358,530,542,355,-253,-47 -438,-74,-362,963,988,788 137,717,467,622,319,-380 -86,310,-336,851,918,-288 721,395,646,-53,255,-425 255,175,912,84,-209,878 -632,-485,-400,-357,991,-608 235,-559,992,-297,857,-591 87,-71,148,130,647,578 -290,-584,-639,-788,-21,592 386,984,625,-731,-993,-336 -538,634,-209,-828,-150,-774 -754,-387,607,-781,976,-199 412,-798,-664,295,709,-537 -412,932,-880,-232,561,852 -656,-358,-198,-964,-433,-848 -762,-668,-632,186,-673,-11 -876,237,-282,-312,-83,682 403,73,-57,-436,-622,781 -587,873,798,976,-39,329 -369,-622,553,-341,817,794 -108,-616,920,-849,-679,96 290,-974,234,239,-284,-321 -22,394,-417,-419,264,58 -473,-551,69,923,591,-228 -956,662,-113,851,-581,-794 -258,-681,413,-471,-637,-817 -866,926,992,-653,-7,794 556,-350,602,917,831,-610 188,245,-906,361,492,174 -720,384,-818,329,638,-666 -246,846,890,-325,-59,-850 -118,-509,620,-762,-256,15 -787,-536,-452,-338,-399,813 458,560,525,-311,-608,-419 494,-811,-825,-127,-812,894 -801,890,-629,-860,574,925 -709,-193,-213,138,-410,-403 861,91,708,-187,5,-222 789,646,777,154,90,-49 -267,-830,-114,531,591,-698 -126,-82,881,-418,82,652 -894,130,-726,-935,393,-815 -142,563,654,638,-712,-597 -759,60,-23,977,100,-765 -305,595,-570,-809,482,762 -161,-267,53,963,998,-529 -300,-57,798,353,703,486 -990,696,-764,699,-565,719 -232,-205,566,571,977,369 740,865,151,-817,-204,-293 94,445,-768,229,537,-406 861,620,37,-424,-36,656 390,-369,952,733,-464,569 -482,-604,959,554,-705,-626 -396,-615,-991,108,272,-723 143,780,535,142,-917,-147 138,-629,-217,-908,905,115 915,103,-852,64,-468,-642 570,734,-785,-268,-326,-759 738,531,-332,586,-779,24 870,440,-217,473,-383,415 -296,-333,-330,-142,-924,950 118,120,-35,-245,-211,-652 61,634,153,-243,838,789 726,-582,210,105,983,537 -313,-323,758,234,29,848 -847,-172,-593,733,-56,617 54,255,-512,156,-575,675 -873,-956,-148,623,95,200 700,-370,926,649,-978,157 -639,-202,719,130,747,222 194,-33,955,943,505,114 -226,-790,28,-930,827,783 -392,-74,-28,714,218,-612 209,626,-888,-683,-912,495 487,751,614,933,631,445 -348,-34,-411,-106,835,321 -689,872,-29,-800,312,-542 -52,566,827,570,-862,-77 471,992,309,-402,389,912 24,520,-83,-51,555,503 -265,-317,283,-970,-472,690 606,526,137,71,-651,150 217,-518,663,66,-605,-331 -562,232,-76,-503,205,-323 842,-521,546,285,625,-186 997,-927,344,909,-546,974 -677,419,81,121,-705,771 719,-379,-944,-797,784,-155 -378,286,-317,-797,-111,964 -288,-573,784,80,-532,-646 -77,407,-248,-797,769,-816 -24,-637,287,-858,-927,-333 -902,37,894,-823,141,684 125,467,-177,-516,686,399 -321,-542,641,-590,527,-224 -400,-712,-876,-208,632,-543 -676,-429,664,-242,-269,922 -608,-273,-141,930,687,380 786,-12,498,494,310,326 -739,-617,606,-960,804,188 384,-368,-243,-350,-459,31 -550,397,320,-868,328,-279 969,-179,853,864,-110,514 910,793,302,-822,-285,488 -605,-128,218,-283,-17,-227 16,324,667,708,750,3 485,-813,19,585,71,930 -218,816,-687,-97,-732,-360 -497,-151,376,-23,3,315 -412,-989,-610,-813,372,964 -878,-280,87,381,-311,69 -609,-90,-731,-679,150,585 889,27,-162,605,75,-770 448,617,-988,0,-103,-504 -800,-537,-69,627,608,-668 534,686,-664,942,830,920 -238,775,495,932,-793,497 -343,958,-914,-514,-691,651 568,-136,208,359,728,28 286,912,-794,683,556,-102 -638,-629,-484,445,-64,-497 58,505,-801,-110,872,632 -390,777,353,267,976,369 -993,515,105,-133,358,-572 964,996,355,-212,-667,38 -725,-614,-35,365,132,-196 237,-536,-416,-302,312,477 -664,574,-210,224,48,-925 869,-261,-256,-240,-3,-698 712,385,32,-34,916,-315 895,-409,-100,-346,728,-624 -806,327,-450,889,-781,-939 -586,-403,698,318,-939,899 557,-57,-920,659,333,-51 -441,232,-918,-205,246,1 783,167,-797,-595,245,-736 -36,-531,-486,-426,-813,-160 777,-843,817,313,-228,-572 735,866,-309,-564,-81,190 -413,645,101,719,-719,218 -83,164,767,796,-430,-459 122,779,-15,-295,-96,-892 462,379,70,548,834,-312 -630,-534,124,187,-737,114 -299,-604,318,-591,936,826 -879,218,-642,-483,-318,-866 -691,62,-658,761,-895,-854 -822,493,687,569,910,-202 -223,784,304,-5,541,925 -914,541,737,-662,-662,-195 -622,615,414,358,881,-878 339,745,-268,-968,-280,-227 -364,855,148,-709,-827,472 -890,-532,-41,664,-612,577 -702,-859,971,-722,-660,-920 -539,-605,737,149,973,-802 800,42,-448,-811,152,511 -933,377,-110,-105,-374,-937 -766,152,482,120,-308,390 -568,775,-292,899,732,890 -177,-317,-502,-259,328,-511 612,-696,-574,-660,132,31 -119,563,-805,-864,179,-672 425,-627,183,-331,839,318 -711,-976,-749,152,-916,261 181,-63,497,211,262,406 -537,700,-859,-765,-928,77 892,832,231,-749,-82,613 816,216,-642,-216,-669,-912 -6,624,-937,-370,-344,268 737,-710,-869,983,-324,-274 565,952,-547,-158,374,-444 51,-683,645,-845,515,636 -953,-631,114,-377,-764,-144 -8,470,-242,-399,-675,-730 -540,689,-20,47,-607,590 -329,-710,-779,942,-388,979 123,829,674,122,203,563 46,782,396,-33,386,610 872,-846,-523,-122,-55,-190 388,-994,-525,974,127,596 781,-680,796,-34,-959,-62 -749,173,200,-384,-745,-446 379,618,136,-250,-224,970 -58,240,-921,-760,-901,-626 366,-185,565,-100,515,688 489,999,-893,-263,-637,816 838,-496,-316,-513,419,479 107,676,-15,882,98,-397 -999,941,-903,-424,670,-325 171,-979,835,178,169,-984 -609,-607,378,-681,184,402 -316,903,-575,-800,224,983 591,-18,-460,551,-167,918 -756,405,-117,441,163,-320 456,24,6,881,-836,-539 -489,-585,915,651,-892,-382 -177,-122,73,-711,-386,591 181,724,530,686,-131,241 737,288,886,216,233,33 -548,-386,-749,-153,-85,-982 -835,227,904,160,-99,25 -9,-42,-162,728,840,-963 217,-763,870,771,47,-846 -595,808,-491,556,337,-900 -134,281,-724,441,-134,708 -789,-508,651,-962,661,315 -839,-923,339,402,41,-487 300,-790,48,703,-398,-811 955,-51,462,-685,960,-717 910,-880,592,-255,-51,-776 -885,169,-793,368,-565,458 -905,940,-492,-630,-535,-988 245,797,763,869,-82,550 -310,38,-933,-367,-650,824 -95,32,-83,337,226,990 -218,-975,-191,-208,-785,-293 -672,-953,517,-901,-247,465 681,-148,261,-857,544,-923 640,341,446,-618,195,769 384,398,-846,365,671,815 578,576,-911,907,762,-859 548,-428,144,-630,-759,-146 710,-73,-700,983,-97,-889 -46,898,-973,-362,-817,-717 151,-81,-125,-900,-478,-154 483,615,-537,-932,181,-68 786,-223,518,25,-306,-12 -422,268,-809,-683,635,468 983,-734,-694,-608,-110,4 -786,-196,749,-354,137,-8 -181,36,668,-200,691,-973 -629,-838,692,-736,437,-871 -208,-536,-159,-596,8,197 -3,370,-686,170,913,-376 44,-998,-149,-993,-200,512 -519,136,859,497,536,434 77,-985,972,-340,-705,-837 -381,947,250,360,344,322 -26,131,699,750,707,384 -914,655,299,193,406,955 -883,-921,220,595,-546,794 -599,577,-569,-404,-704,489 -594,-963,-624,-460,880,-760 -603,88,-99,681,55,-328 976,472,139,-453,-531,-860 192,-290,513,-89,666,432 417,487,575,293,567,-668 655,711,-162,449,-980,972 -505,664,-685,-239,603,-592 -625,-802,-67,996,384,-636 365,-593,522,-666,-200,-431 -868,708,560,-860,-630,-355 -702,785,-637,-611,-597,960 -137,-696,-93,-803,408,406 891,-123,-26,-609,-610,518 133,-832,-198,555,708,-110 791,617,-69,487,696,315 -900,694,-565,517,-269,-416 914,135,-781,600,-71,-600 991,-915,-422,-351,-837,313 -840,-398,-302,21,590,146 62,-558,-702,-384,-625,831 -363,-426,-924,-496,792,-908 73,361,-817,-466,400,922 -626,-164,-626,860,-524,286 255,26,-944,809,-606,986 -457,-256,-103,50,-867,-871 -223,803,196,480,612,136 -820,-928,700,780,-977,721 717,332,53,-933,-128,793 -602,-648,562,593,890,702 -469,-875,-527,911,-475,-222 110,-281,-552,-536,-816,596 -981,654,413,-981,-75,-95 -754,-742,-515,894,-220,-344 795,-52,156,408,-603,76 474,-157,423,-499,-807,-791 260,688,40,-52,702,-122 -584,-517,-390,-881,302,-504 61,797,665,708,14,668 366,166,458,-614,564,-983 72,539,-378,796,381,-824 -485,201,-588,842,736,379 -149,-894,-298,705,-303,-406 660,-935,-580,521,93,633 -382,-282,-375,-841,-828,171 -567,743,-100,43,144,122 -281,-786,-749,-551,296,304 11,-426,-792,212,857,-175 594,143,-699,289,315,137 341,596,-390,107,-631,-804 -751,-636,-424,-854,193,651 -145,384,749,675,-786,517 224,-865,-323,96,-916,258 -309,403,-388,826,35,-270 -942,709,222,158,-699,-103 -589,842,-997,29,-195,-210 264,426,566,145,-217,623 217,965,507,-601,-453,507 -206,307,-982,4,64,-292 676,-49,-38,-701,550,883 5,-850,-438,659,745,-773 933,238,-574,-570,91,-33 -866,121,-928,358,459,-843 -568,-631,-352,-580,-349,189 -737,849,-963,-486,-662,970 135,334,-967,-71,-365,-792 789,21,-227,51,990,-275 240,412,-886,230,591,256 -609,472,-853,-754,959,661 401,521,521,314,929,982 -499,784,-208,71,-302,296 -557,-948,-553,-526,-864,793 270,-626,828,44,37,14 -412,224,617,-593,502,699 41,-908,81,562,-849,163 165,917,761,-197,331,-341 -687,314,799,755,-969,648 -164,25,578,439,-334,-576 213,535,874,-177,-551,24 -689,291,-795,-225,-496,-125 465,461,558,-118,-568,-909 567,660,-810,46,-485,878 -147,606,685,-690,-774,984 568,-886,-43,854,-738,616 -800,386,-614,585,764,-226 -518,23,-225,-732,-79,440 -173,-291,-689,636,642,-447 -598,-16,227,410,496,211 -474,-930,-656,-321,-420,36 -435,165,-819,555,540,144 -969,149,828,568,394,648 65,-848,257,720,-625,-851 981,899,275,635,465,-877 80,290,792,760,-191,-321 -605,-858,594,33,706,593 585,-472,318,-35,354,-927 -365,664,803,581,-965,-814 -427,-238,-480,146,-55,-606 879,-193,250,-890,336,117 -226,-322,-286,-765,-836,-218 -913,564,-667,-698,937,283 872,-901,810,-623,-52,-709 473,171,717,38,-429,-644 225,824,-219,-475,-180,234 -530,-797,-948,238,851,-623 85,975,-363,529,598,28 -799,166,-804,210,-769,851 -687,-158,885,736,-381,-461 447,592,928,-514,-515,-661 -399,-777,-493,80,-544,-78 -884,631,171,-825,-333,551 191,268,-577,676,137,-33 212,-853,709,798,583,-56 -908,-172,-540,-84,-135,-56 303,311,406,-360,-240,811 798,-708,824,59,234,-57 491,693,-74,585,-85,877 509,-65,-936,329,-51,722 -122,858,-52,467,-77,-609 850,760,547,-495,-953,-952 -460,-541,890,910,286,724 -914,843,-579,-983,-387,-460 989,-171,-877,-326,-899,458 846,175,-915,540,-1000,-982 -852,-920,-306,496,530,-18 338,-991,160,85,-455,-661 -186,-311,-460,-563,-231,-414 -932,-302,959,597,793,748 -366,-402,-788,-279,514,53 -940,-956,447,-956,211,-285 564,806,-911,-914,934,754 575,-858,-277,15,409,-714 848,462,100,-381,135,242 330,718,-24,-190,860,-78 479,458,941,108,-866,-653 212,980,962,-962,115,841 -827,-474,-206,881,323,765 506,-45,-30,-293,524,-133 832,-173,547,-852,-561,-842 -397,-661,-708,819,-545,-228 521,51,-489,852,36,-258 227,-164,189,465,-987,-882 -73,-997,641,-995,449,-615 151,-995,-638,415,257,-400 -663,-297,-748,537,-734,198 -585,-401,-81,-782,-80,-105 99,-21,238,-365,-704,-368 45,416,849,-211,-371,-1 -404,-443,795,-406,36,-933 272,-363,981,-491,-380,77 713,-342,-366,-849,643,911 -748,671,-537,813,961,-200 -194,-909,703,-662,-601,188 281,500,724,286,267,197 -832,847,-595,820,-316,637 520,521,-54,261,923,-10 4,-808,-682,-258,441,-695 -793,-107,-969,905,798,446 -108,-739,-590,69,-855,-365 380,-623,-930,817,468,713 759,-849,-236,433,-723,-931 95,-320,-686,124,-69,-329 -655,518,-210,-523,284,-866 144,303,639,70,-171,269 173,-333,947,-304,55,40 274,878,-482,-888,-835,375 -982,-854,-36,-218,-114,-230 905,-979,488,-485,-479,114 877,-157,553,-530,-47,-321 350,664,-881,442,-220,-284 434,-423,-365,878,-726,584 535,909,-517,-447,-660,-141 -966,191,50,353,182,-642 -785,-634,123,-907,-162,511 146,-850,-214,814,-704,25 692,1,521,492,-637,274 -662,-372,-313,597,983,-647 -962,-526,68,-549,-819,231 740,-890,-318,797,-666,948 -190,-12,-468,-455,948,284 16,478,-506,-888,628,-154 272,630,-976,308,433,3 -169,-391,-132,189,302,-388 109,-784,474,-167,-265,-31 -177,-532,283,464,421,-73 650,635,592,-138,1,-387 -932,703,-827,-492,-355,686 586,-311,340,-618,645,-434 -951,736,647,-127,-303,590 188,444,903,718,-931,500 -872,-642,-296,-571,337,241 23,65,152,125,880,470 512,823,-42,217,823,-263 180,-831,-380,886,607,762 722,443,-149,-216,-115,759 -19,660,-36,901,923,231 562,-322,-626,-968,194,-825 204,-920,938,784,362,150 -410,-266,-715,559,-672,124 -198,446,-140,454,-461,-447 83,-346,830,-493,-759,-382 -881,601,581,234,-134,-925 -494,914,-42,899,235,629 -390,50,956,437,774,-700 -514,514,44,-512,-576,-313 63,-688,808,-534,-570,-399 -726,572,-896,102,-294,-28 -688,757,401,406,955,-511 -283,423,-485,480,-767,908 -541,952,-594,116,-854,451 -273,-796,236,625,-626,257 -407,-493,373,826,-309,297 -750,955,-476,641,-809,713 8,415,695,226,-111,2 733,209,152,-920,401,995 921,-103,-919,66,871,-947 -907,89,-869,-214,851,-559 -307,748,524,-755,314,-711 188,897,-72,-763,482,103 545,-821,-232,-596,-334,-754 -217,-788,-820,388,-200,-662 779,160,-723,-975,-142,-998 -978,-519,-78,-981,842,904 -504,-736,-295,21,-472,-482 391,115,-705,574,652,-446 813,-988,865,830,-263,487 194,80,774,-493,-761,-872 -415,-284,-803,7,-810,670 -484,-4,881,-872,55,-852 -379,822,-266,324,-48,748 -304,-278,406,-60,959,-89 404,756,577,-643,-332,658 291,460,125,491,-312,83 311,-734,-141,582,282,-557 -450,-661,-981,710,-177,794 328,264,-787,971,-743,-407 -622,518,993,-241,-738,229 273,-826,-254,-917,-710,-111 809,770,96,368,-818,725 -488,773,502,-342,534,745 -28,-414,236,-315,-484,363 179,-466,-566,713,-683,56 560,-240,-597,619,916,-940 893,473,872,-868,-642,-461 799,489,383,-321,-776,-833 980,490,-508,764,-512,-426 917,961,-16,-675,440,559 -812,212,784,-987,-132,554 -886,454,747,806,190,231 910,341,21,-66,708,725 29,929,-831,-494,-303,389 -103,492,-271,-174,-515,529 -292,119,419,788,247,-951 483,543,-347,-673,664,-549 -926,-871,-437,337,162,-877 299,472,-771,5,-88,-643 -103,525,-725,-998,264,22 -505,708,550,-545,823,347 -738,931,59,147,-156,-259 456,968,-162,889,132,-911 535,120,968,-517,-864,-541 24,-395,-593,-766,-565,-332 834,611,825,-576,280,629 211,-548,140,-278,-592,929 -999,-240,-63,-78,793,573 -573,160,450,987,529,322 63,353,315,-187,-461,577 189,-950,-247,656,289,241 209,-297,397,664,-805,484 -655,452,435,-556,917,874 253,-756,262,-888,-778,-214 793,-451,323,-251,-401,-458 -396,619,-651,-287,-668,-781 698,720,-349,742,-807,546 738,280,680,279,-540,858 -789,387,530,-36,-551,-491 162,579,-427,-272,228,710 689,356,917,-580,729,217 -115,-638,866,424,-82,-194 411,-338,-917,172,227,-29 -612,63,630,-976,-64,-204 -200,911,583,-571,682,-579 91,298,396,-183,788,-955 141,-873,-277,149,-396,916 321,958,-136,573,541,-777 797,-909,-469,-877,988,-653 784,-198,129,883,-203,399 -68,-810,223,-423,-467,-512 531,-445,-603,-997,-841,641 -274,-242,174,261,-636,-158 -574,494,-796,-798,-798,99 95,-82,-613,-954,-753,986 -883,-448,-864,-401,938,-392 913,930,-542,-988,310,410 506,-99,43,512,790,-222 724,31,49,-950,260,-134 -287,-947,-234,-700,56,588 -33,782,-144,948,105,-791 548,-546,-652,-293,881,-520 691,-91,76,991,-631,742 -520,-429,-244,-296,724,-48 778,646,377,50,-188,56 -895,-507,-898,-165,-674,652 654,584,-634,177,-349,-620 114,-980,355,62,182,975 516,9,-442,-298,274,-579 -238,262,-431,-896,506,-850 47,748,846,821,-537,-293 839,726,593,285,-297,840 634,-486,468,-304,-887,-567 -864,914,296,-124,335,233 88,-253,-523,-956,-554,803 -587,417,281,-62,-409,-363 -136,-39,-292,-768,-264,876 -127,506,-891,-331,-744,-430 778,584,-750,-129,-479,-94 -876,-771,-987,-757,180,-641 -777,-694,411,-87,329,190 -347,-999,-882,158,-754,232 -105,918,188,237,-110,-591 -209,703,-838,77,838,909 -995,-339,-762,750,860,472 185,271,-289,173,811,-300 2,65,-656,-22,36,-139 765,-210,883,974,961,-905 -212,295,-615,-840,77,474 211,-910,-440,703,-11,859 -559,-4,-196,841,-277,969 -73,-159,-887,126,978,-371 -569,633,-423,-33,512,-393 503,143,-383,-109,-649,-998 -663,339,-317,-523,-2,596 690,-380,570,378,-652,132 72,-744,-930,399,-525,935 865,-983,115,37,995,826 594,-621,-872,443,188,-241 -1000,291,754,234,-435,-869 -868,901,654,-907,59,181 -868,-793,-431,596,-446,-564 900,-944,-680,-796,902,-366 331,430,943,853,-851,-942 315,-538,-354,-909,139,721 170,-884,-225,-818,-808,-657 -279,-34,-533,-871,-972,552 691,-986,-800,-950,654,-747 603,988,899,841,-630,591 876,-949,809,562,602,-536 -693,363,-189,495,738,-1000 -383,431,-633,297,665,959 -740,686,-207,-803,188,-520 -820,226,31,-339,10,121 -312,-844,624,-516,483,621 -822,-529,69,-278,800,328 834,-82,-759,420,811,-264 -960,-240,-921,561,173,46 -324,909,-790,-814,-2,-785 976,334,-290,-891,704,-581 150,-798,689,-823,237,-639 -551,-320,876,-502,-622,-628 -136,845,904,595,-702,-261 -857,-377,-522,-101,-943,-805 -682,-787,-888,-459,-752,-985 -571,-81,623,-133,447,643 -375,-158,72,-387,-324,-696 -660,-650,340,188,569,526 727,-218,16,-7,-595,-988 -966,-684,802,-783,-272,-194 115,-566,-888,47,712,180 -237,-69,45,-272,981,-812 48,897,439,417,50,325 348,616,180,254,104,-784 -730,811,-548,612,-736,790 138,-810,123,930,65,865 -768,-299,-49,-895,-692,-418 487,-531,802,-159,-12,634 808,-179,552,-73,470,717 720,-644,886,-141,625,144 -485,-505,-347,-244,-916,66 600,-565,995,-5,324,227 -771,-35,904,-482,753,-303 -701,65,426,-763,-504,-479 409,733,-823,475,64,718 865,975,368,893,-413,-433 812,-597,-970,819,813,624 193,-642,-381,-560,545,398 711,28,-316,771,717,-865 -509,462,809,-136,786,635 618,-49,484,169,635,547 -747,685,-882,-496,-332,82 -501,-851,870,563,290,570 -279,-829,-509,397,457,816 -508,80,850,-188,483,-326 860,-100,360,119,-205,787 -870,21,-39,-827,-185,932 826,284,-136,-866,-330,-97 -944,-82,745,899,-97,365 929,262,564,632,-115,632 244,-276,713,330,-897,-214 -890,-109,664,876,-974,-907 716,249,816,489,723,141 -96,-560,-272,45,-70,645 762,-503,414,-828,-254,-646 909,-13,903,-422,-344,-10 658,-486,743,545,50,674 -241,507,-367,18,-48,-241 886,-268,884,-762,120,-486 -412,-528,879,-647,223,-393 851,810,234,937,-726,797 -999,942,839,-134,-996,-189 100,979,-527,-521,378,800 544,-844,-832,-530,-77,-641 43,889,31,442,-934,-503 -330,-370,-309,-439,173,547 169,945,62,-753,-542,-597 208,751,-372,-647,-520,70 765,-840,907,-257,379,918 334,-135,-689,730,-427,618 137,-508,66,-695,78,169 -962,-123,400,-417,151,969 328,689,666,427,-555,-642 -907,343,605,-341,-647,582 -667,-363,-571,818,-265,-399 525,-938,904,898,725,692 -176,-802,-858,-9,780,275 580,170,-740,287,691,-97 365,557,-375,361,-288,859 193,737,842,-808,520,282 -871,65,-799,836,179,-720 958,-144,744,-789,797,-48 122,582,662,912,68,757 595,241,-801,513,388,186 -103,-677,-259,-731,-281,-857 921,319,-696,683,-88,-997 775,200,78,858,648,768 316,821,-763,68,-290,-741 564,664,691,504,760,787 694,-119,973,-385,309,-760 777,-947,-57,990,74,19 971,626,-496,-781,-602,-239 -651,433,11,-339,939,294 -965,-728,560,569,-708,-247
-340,495,-153,-910,835,-947 -175,41,-421,-714,574,-645 -547,712,-352,579,951,-786 419,-864,-83,650,-399,171 -429,-89,-357,-930,296,-29 -734,-702,823,-745,-684,-62 -971,762,925,-776,-663,-157 162,570,628,485,-807,-896 641,91,-65,700,887,759 215,-496,46,-931,422,-30 -119,359,668,-609,-358,-494 440,929,968,214,760,-857 -700,785,838,29,-216,411 -770,-458,-325,-53,-505,633 -752,-805,349,776,-799,687 323,5,561,-36,919,-560 -907,358,264,320,204,274 -728,-466,350,969,292,-345 940,836,272,-533,748,185 411,998,813,520,316,-949 -152,326,658,-762,148,-651 330,507,-9,-628,101,174 551,-496,772,-541,-702,-45 -164,-489,-90,322,631,-59 673,366,-4,-143,-606,-704 428,-609,801,-449,740,-269 453,-924,-785,-346,-853,111 -738,555,-181,467,-426,-20 958,-692,784,-343,505,-569 620,27,263,54,-439,-726 804,87,998,859,871,-78 -119,-453,-709,-292,-115,-56 -626,138,-940,-476,-177,-274 -11,160,142,588,446,158 538,727,550,787,330,810 420,-689,854,-546,337,516 872,-998,-607,748,473,-192 653,440,-516,-985,808,-857 374,-158,331,-940,-338,-641 137,-925,-179,771,734,-715 -314,198,-115,29,-641,-39 759,-574,-385,355,590,-603 -189,-63,-168,204,289,305 -182,-524,-715,-621,911,-255 331,-816,-833,471,168,126 -514,581,-855,-220,-731,-507 129,169,576,651,-87,-458 783,-444,-881,658,-266,298 603,-430,-598,585,368,899 43,-724,962,-376,851,409 -610,-646,-883,-261,-482,-881 -117,-237,978,641,101,-747 579,125,-715,-712,208,534 672,-214,-762,372,874,533 -564,965,38,715,367,242 500,951,-700,-981,-61,-178 -382,-224,-959,903,-282,-60 -355,295,426,-331,-591,655 892,128,958,-271,-993,274 -454,-619,302,138,-790,-874 -642,601,-574,159,-290,-318 266,-109,257,-686,54,975 162,628,-478,840,264,-266 466,-280,982,1,904,-810 721,839,730,-807,777,981 -129,-430,748,263,943,96 434,-94,410,-990,249,-704 237,42,122,-732,44,-51 909,-116,-229,545,292,717 824,-768,-807,-370,-262,30 675,58,332,-890,-651,791 363,825,-717,254,684,240 405,-715,900,166,-589,422 -476,686,-830,-319,634,-807 633,837,-971,917,-764,207 -116,-44,-193,-70,908,809 -26,-252,998,408,70,-713 -601,645,-462,842,-644,-591 -160,653,274,113,-138,687 369,-273,-181,925,-167,-693 -338,135,480,-967,-13,-840 -90,-270,-564,695,161,907 607,-430,869,-713,461,-469 919,-165,-776,522,606,-708 -203,465,288,207,-339,-458 -453,-534,-715,975,838,-677 -973,310,-350,934,546,-805 -835,385,708,-337,-594,-772 -14,914,900,-495,-627,594 833,-713,-213,578,-296,699 -27,-748,484,455,915,291 270,889,739,-57,442,-516 119,811,-679,905,184,130 -678,-469,925,553,612,482 101,-571,-732,-842,644,588 -71,-737,566,616,957,-663 -634,-356,90,-207,936,622 598,443,964,-895,-58,529 847,-467,929,-742,91,10 -633,829,-780,-408,222,-30 -818,57,275,-38,-746,198 -722,-825,-549,597,-391,99 -570,908,430,873,-103,-360 342,-681,512,434,542,-528 297,850,479,609,543,-357 9,784,212,548,56,859 -152,560,-240,-969,-18,713 140,-133,34,-635,250,-163 -272,-22,-169,-662,989,-604 471,-765,355,633,-742,-118 -118,146,942,663,547,-376 583,16,162,264,715,-33 -230,-446,997,-838,561,555 372,397,-729,-318,-276,649 92,982,-970,-390,-922,922 -981,713,-951,-337,-669,670 -999,846,-831,-504,7,-128 455,-954,-370,682,-510,45 822,-960,-892,-385,-662,314 -668,-686,-367,-246,530,-341 -723,-720,-926,-836,-142,757 -509,-134,384,-221,-873,-639 -803,-52,-706,-669,373,-339 933,578,631,-616,770,555 741,-564,-33,-605,-576,275 -715,445,-233,-730,734,-704 120,-10,-266,-685,-490,-17 -232,-326,-457,-946,-457,-116 811,52,639,826,-200,147 -329,279,293,612,943,955 -721,-894,-393,-969,-642,453 -688,-826,-352,-75,371,79 -809,-979,407,497,858,-248 -485,-232,-242,-582,-81,849 141,-106,123,-152,806,-596 -428,57,-992,811,-192,478 864,393,122,858,255,-876 -284,-780,240,457,354,-107 956,605,-477,44,26,-678 86,710,-533,-815,439,327 -906,-626,-834,763,426,-48 201,-150,-904,652,475,412 -247,149,81,-199,-531,-148 923,-76,-353,175,-121,-223 427,-674,453,472,-410,585 931,776,-33,85,-962,-865 -655,-908,-902,208,869,792 -316,-102,-45,-436,-222,885 -309,768,-574,653,745,-975 896,27,-226,993,332,198 323,655,-89,260,240,-902 501,-763,-424,793,813,616 993,375,-938,-621,672,-70 -880,-466,-283,770,-824,143 63,-283,886,-142,879,-116 -964,-50,-521,-42,-306,-161 724,-22,866,-871,933,-383 -344,135,282,966,-80,917 -281,-189,420,810,362,-582 -515,455,-588,814,162,332 555,-436,-123,-210,869,-943 589,577,232,286,-554,876 -773,127,-58,-171,-452,125 -428,575,906,-232,-10,-224 437,276,-335,-348,605,878 -964,511,-386,-407,168,-220 307,513,912,-463,-423,-416 -445,539,273,886,-18,760 -396,-585,-670,414,47,364 143,-506,754,906,-971,-203 -544,472,-180,-541,869,-465 -779,-15,-396,890,972,-220 -430,-564,503,182,-119,456 89,-10,-739,399,506,499 954,162,-810,-973,127,870 890,952,-225,158,828,237 -868,952,349,465,574,750 -915,369,-975,-596,-395,-134 -135,-601,575,582,-667,640 413,890,-560,-276,-555,-562 -633,-269,561,-820,-624,499 371,-92,-784,-593,864,-717 -971,655,-439,367,754,-951 172,-347,36,279,-247,-402 633,-301,364,-349,-683,-387 -780,-211,-713,-948,-648,543 72,58,762,-465,-66,462 78,502,781,-832,713,836 -431,-64,-484,-392,208,-343 -64,101,-29,-860,-329,844 398,391,828,-858,700,395 578,-896,-326,-604,314,180 97,-321,-695,185,-357,852 854,839,283,-375,951,-209 194,96,-564,-847,162,524 -354,532,494,621,580,560 419,-678,-450,926,-5,-924 -661,905,519,621,-143,394 -573,268,296,-562,-291,-319 -211,266,-196,158,564,-183 18,-585,-398,777,-581,864 790,-894,-745,-604,-418,70 848,-339,150,773,11,851 -954,-809,-53,-20,-648,-304 658,-336,-658,-905,853,407 -365,-844,350,-625,852,-358 986,-315,-230,-159,21,180 -15,599,45,-286,-941,847 -613,-68,184,639,-987,550 334,675,-56,-861,923,340 -848,-596,960,231,-28,-34 707,-811,-994,-356,-167,-171 -470,-764,72,576,-600,-204 379,189,-542,-576,585,800 440,540,-445,-563,379,-334 -155,64,514,-288,853,106 -304,751,481,-520,-708,-694 -709,132,594,126,-844,63 723,471,421,-138,-962,892 -440,-263,39,513,-672,-954 775,809,-581,330,752,-107 -376,-158,335,-708,-514,578 -343,-769,456,-187,25,413 548,-877,-172,300,-500,928 938,-102,423,-488,-378,-969 -36,564,-55,131,958,-800 -322,511,-413,503,700,-847 -966,547,-88,-17,-359,-67 637,-341,-437,-181,527,-153 -74,449,-28,3,485,189 -997,658,-224,-948,702,-807 -224,736,-896,127,-945,-850 -395,-106,439,-553,-128,124 -841,-445,-758,-572,-489,212 633,-327,13,-512,952,771 -940,-171,-6,-46,-923,-425 -142,-442,-817,-998,843,-695 340,847,-137,-920,-988,-658 -653,217,-679,-257,651,-719 -294,365,-41,342,74,-892 690,-236,-541,494,408,-516 180,-807,225,790,494,59 707,605,-246,656,284,271 65,294,152,824,442,-442 -321,781,-540,341,316,415 420,371,-2,545,995,248 56,-191,-604,971,615,449 -981,-31,510,592,-390,-362 -317,-968,913,365,97,508 832,63,-864,-510,86,202 -483,456,-636,340,-310,676 981,-847,751,-508,-962,-31 -157,99,73,797,63,-172 220,858,872,924,866,-381 996,-169,805,321,-164,971 896,11,-625,-973,-782,76 578,-280,730,-729,307,-905 -580,-749,719,-698,967,603 -821,874,-103,-623,662,-491 -763,117,661,-644,672,-607 592,787,-798,-169,-298,690 296,644,-526,-762,-447,665 534,-818,852,-120,57,-379 -986,-549,-329,294,954,258 -133,352,-660,-77,904,-356 748,343,215,500,317,-277 311,7,910,-896,-809,795 763,-602,-753,313,-352,917 668,619,-474,-597,-650,650 -297,563,-701,-987,486,-902 -461,-740,-657,233,-482,-328 -446,-250,-986,-458,-629,520 542,-49,-327,-469,257,-947 121,-575,-634,-143,-184,521 30,504,455,-645,-229,-945 -12,-295,377,764,771,125 -686,-133,225,-25,-376,-143 -6,-46,338,270,-405,-872 -623,-37,582,467,963,898 -804,869,-477,420,-475,-303 94,41,-842,-193,-768,720 -656,-918,415,645,-357,460 -47,-486,-911,468,-608,-686 -158,251,419,-394,-655,-895 272,-695,979,508,-358,959 -776,650,-918,-467,-690,-534 -85,-309,-626,167,-366,-429 -880,-732,-186,-924,970,-875 517,645,-274,962,-804,544 721,402,104,640,478,-499 198,684,-134,-723,-452,-905 -245,745,239,238,-826,441 -217,206,-32,462,-981,-895 -51,989,526,-173,560,-676 -480,-659,-976,-580,-727,466 -996,-90,-995,158,-239,642 302,288,-194,-294,17,924 -943,969,-326,114,-500,103 -619,163,339,-880,230,421 -344,-601,-795,557,565,-779 590,345,-129,-202,-125,-58 -777,-195,159,674,775,411 -939,312,-665,810,121,855 -971,254,712,815,452,581 442,-9,327,-750,61,757 -342,869,869,-160,390,-772 620,601,565,-169,-69,-183 -25,924,-817,964,321,-970 -64,-6,-133,978,825,-379 601,436,-24,98,-115,940 -97,502,614,-574,922,513 -125,262,-946,695,99,-220 429,-721,719,-694,197,-558 326,689,-70,-908,-673,338 -468,-856,-902,-254,-358,305 -358,530,542,355,-253,-47 -438,-74,-362,963,988,788 137,717,467,622,319,-380 -86,310,-336,851,918,-288 721,395,646,-53,255,-425 255,175,912,84,-209,878 -632,-485,-400,-357,991,-608 235,-559,992,-297,857,-591 87,-71,148,130,647,578 -290,-584,-639,-788,-21,592 386,984,625,-731,-993,-336 -538,634,-209,-828,-150,-774 -754,-387,607,-781,976,-199 412,-798,-664,295,709,-537 -412,932,-880,-232,561,852 -656,-358,-198,-964,-433,-848 -762,-668,-632,186,-673,-11 -876,237,-282,-312,-83,682 403,73,-57,-436,-622,781 -587,873,798,976,-39,329 -369,-622,553,-341,817,794 -108,-616,920,-849,-679,96 290,-974,234,239,-284,-321 -22,394,-417,-419,264,58 -473,-551,69,923,591,-228 -956,662,-113,851,-581,-794 -258,-681,413,-471,-637,-817 -866,926,992,-653,-7,794 556,-350,602,917,831,-610 188,245,-906,361,492,174 -720,384,-818,329,638,-666 -246,846,890,-325,-59,-850 -118,-509,620,-762,-256,15 -787,-536,-452,-338,-399,813 458,560,525,-311,-608,-419 494,-811,-825,-127,-812,894 -801,890,-629,-860,574,925 -709,-193,-213,138,-410,-403 861,91,708,-187,5,-222 789,646,777,154,90,-49 -267,-830,-114,531,591,-698 -126,-82,881,-418,82,652 -894,130,-726,-935,393,-815 -142,563,654,638,-712,-597 -759,60,-23,977,100,-765 -305,595,-570,-809,482,762 -161,-267,53,963,998,-529 -300,-57,798,353,703,486 -990,696,-764,699,-565,719 -232,-205,566,571,977,369 740,865,151,-817,-204,-293 94,445,-768,229,537,-406 861,620,37,-424,-36,656 390,-369,952,733,-464,569 -482,-604,959,554,-705,-626 -396,-615,-991,108,272,-723 143,780,535,142,-917,-147 138,-629,-217,-908,905,115 915,103,-852,64,-468,-642 570,734,-785,-268,-326,-759 738,531,-332,586,-779,24 870,440,-217,473,-383,415 -296,-333,-330,-142,-924,950 118,120,-35,-245,-211,-652 61,634,153,-243,838,789 726,-582,210,105,983,537 -313,-323,758,234,29,848 -847,-172,-593,733,-56,617 54,255,-512,156,-575,675 -873,-956,-148,623,95,200 700,-370,926,649,-978,157 -639,-202,719,130,747,222 194,-33,955,943,505,114 -226,-790,28,-930,827,783 -392,-74,-28,714,218,-612 209,626,-888,-683,-912,495 487,751,614,933,631,445 -348,-34,-411,-106,835,321 -689,872,-29,-800,312,-542 -52,566,827,570,-862,-77 471,992,309,-402,389,912 24,520,-83,-51,555,503 -265,-317,283,-970,-472,690 606,526,137,71,-651,150 217,-518,663,66,-605,-331 -562,232,-76,-503,205,-323 842,-521,546,285,625,-186 997,-927,344,909,-546,974 -677,419,81,121,-705,771 719,-379,-944,-797,784,-155 -378,286,-317,-797,-111,964 -288,-573,784,80,-532,-646 -77,407,-248,-797,769,-816 -24,-637,287,-858,-927,-333 -902,37,894,-823,141,684 125,467,-177,-516,686,399 -321,-542,641,-590,527,-224 -400,-712,-876,-208,632,-543 -676,-429,664,-242,-269,922 -608,-273,-141,930,687,380 786,-12,498,494,310,326 -739,-617,606,-960,804,188 384,-368,-243,-350,-459,31 -550,397,320,-868,328,-279 969,-179,853,864,-110,514 910,793,302,-822,-285,488 -605,-128,218,-283,-17,-227 16,324,667,708,750,3 485,-813,19,585,71,930 -218,816,-687,-97,-732,-360 -497,-151,376,-23,3,315 -412,-989,-610,-813,372,964 -878,-280,87,381,-311,69 -609,-90,-731,-679,150,585 889,27,-162,605,75,-770 448,617,-988,0,-103,-504 -800,-537,-69,627,608,-668 534,686,-664,942,830,920 -238,775,495,932,-793,497 -343,958,-914,-514,-691,651 568,-136,208,359,728,28 286,912,-794,683,556,-102 -638,-629,-484,445,-64,-497 58,505,-801,-110,872,632 -390,777,353,267,976,369 -993,515,105,-133,358,-572 964,996,355,-212,-667,38 -725,-614,-35,365,132,-196 237,-536,-416,-302,312,477 -664,574,-210,224,48,-925 869,-261,-256,-240,-3,-698 712,385,32,-34,916,-315 895,-409,-100,-346,728,-624 -806,327,-450,889,-781,-939 -586,-403,698,318,-939,899 557,-57,-920,659,333,-51 -441,232,-918,-205,246,1 783,167,-797,-595,245,-736 -36,-531,-486,-426,-813,-160 777,-843,817,313,-228,-572 735,866,-309,-564,-81,190 -413,645,101,719,-719,218 -83,164,767,796,-430,-459 122,779,-15,-295,-96,-892 462,379,70,548,834,-312 -630,-534,124,187,-737,114 -299,-604,318,-591,936,826 -879,218,-642,-483,-318,-866 -691,62,-658,761,-895,-854 -822,493,687,569,910,-202 -223,784,304,-5,541,925 -914,541,737,-662,-662,-195 -622,615,414,358,881,-878 339,745,-268,-968,-280,-227 -364,855,148,-709,-827,472 -890,-532,-41,664,-612,577 -702,-859,971,-722,-660,-920 -539,-605,737,149,973,-802 800,42,-448,-811,152,511 -933,377,-110,-105,-374,-937 -766,152,482,120,-308,390 -568,775,-292,899,732,890 -177,-317,-502,-259,328,-511 612,-696,-574,-660,132,31 -119,563,-805,-864,179,-672 425,-627,183,-331,839,318 -711,-976,-749,152,-916,261 181,-63,497,211,262,406 -537,700,-859,-765,-928,77 892,832,231,-749,-82,613 816,216,-642,-216,-669,-912 -6,624,-937,-370,-344,268 737,-710,-869,983,-324,-274 565,952,-547,-158,374,-444 51,-683,645,-845,515,636 -953,-631,114,-377,-764,-144 -8,470,-242,-399,-675,-730 -540,689,-20,47,-607,590 -329,-710,-779,942,-388,979 123,829,674,122,203,563 46,782,396,-33,386,610 872,-846,-523,-122,-55,-190 388,-994,-525,974,127,596 781,-680,796,-34,-959,-62 -749,173,200,-384,-745,-446 379,618,136,-250,-224,970 -58,240,-921,-760,-901,-626 366,-185,565,-100,515,688 489,999,-893,-263,-637,816 838,-496,-316,-513,419,479 107,676,-15,882,98,-397 -999,941,-903,-424,670,-325 171,-979,835,178,169,-984 -609,-607,378,-681,184,402 -316,903,-575,-800,224,983 591,-18,-460,551,-167,918 -756,405,-117,441,163,-320 456,24,6,881,-836,-539 -489,-585,915,651,-892,-382 -177,-122,73,-711,-386,591 181,724,530,686,-131,241 737,288,886,216,233,33 -548,-386,-749,-153,-85,-982 -835,227,904,160,-99,25 -9,-42,-162,728,840,-963 217,-763,870,771,47,-846 -595,808,-491,556,337,-900 -134,281,-724,441,-134,708 -789,-508,651,-962,661,315 -839,-923,339,402,41,-487 300,-790,48,703,-398,-811 955,-51,462,-685,960,-717 910,-880,592,-255,-51,-776 -885,169,-793,368,-565,458 -905,940,-492,-630,-535,-988 245,797,763,869,-82,550 -310,38,-933,-367,-650,824 -95,32,-83,337,226,990 -218,-975,-191,-208,-785,-293 -672,-953,517,-901,-247,465 681,-148,261,-857,544,-923 640,341,446,-618,195,769 384,398,-846,365,671,815 578,576,-911,907,762,-859 548,-428,144,-630,-759,-146 710,-73,-700,983,-97,-889 -46,898,-973,-362,-817,-717 151,-81,-125,-900,-478,-154 483,615,-537,-932,181,-68 786,-223,518,25,-306,-12 -422,268,-809,-683,635,468 983,-734,-694,-608,-110,4 -786,-196,749,-354,137,-8 -181,36,668,-200,691,-973 -629,-838,692,-736,437,-871 -208,-536,-159,-596,8,197 -3,370,-686,170,913,-376 44,-998,-149,-993,-200,512 -519,136,859,497,536,434 77,-985,972,-340,-705,-837 -381,947,250,360,344,322 -26,131,699,750,707,384 -914,655,299,193,406,955 -883,-921,220,595,-546,794 -599,577,-569,-404,-704,489 -594,-963,-624,-460,880,-760 -603,88,-99,681,55,-328 976,472,139,-453,-531,-860 192,-290,513,-89,666,432 417,487,575,293,567,-668 655,711,-162,449,-980,972 -505,664,-685,-239,603,-592 -625,-802,-67,996,384,-636 365,-593,522,-666,-200,-431 -868,708,560,-860,-630,-355 -702,785,-637,-611,-597,960 -137,-696,-93,-803,408,406 891,-123,-26,-609,-610,518 133,-832,-198,555,708,-110 791,617,-69,487,696,315 -900,694,-565,517,-269,-416 914,135,-781,600,-71,-600 991,-915,-422,-351,-837,313 -840,-398,-302,21,590,146 62,-558,-702,-384,-625,831 -363,-426,-924,-496,792,-908 73,361,-817,-466,400,922 -626,-164,-626,860,-524,286 255,26,-944,809,-606,986 -457,-256,-103,50,-867,-871 -223,803,196,480,612,136 -820,-928,700,780,-977,721 717,332,53,-933,-128,793 -602,-648,562,593,890,702 -469,-875,-527,911,-475,-222 110,-281,-552,-536,-816,596 -981,654,413,-981,-75,-95 -754,-742,-515,894,-220,-344 795,-52,156,408,-603,76 474,-157,423,-499,-807,-791 260,688,40,-52,702,-122 -584,-517,-390,-881,302,-504 61,797,665,708,14,668 366,166,458,-614,564,-983 72,539,-378,796,381,-824 -485,201,-588,842,736,379 -149,-894,-298,705,-303,-406 660,-935,-580,521,93,633 -382,-282,-375,-841,-828,171 -567,743,-100,43,144,122 -281,-786,-749,-551,296,304 11,-426,-792,212,857,-175 594,143,-699,289,315,137 341,596,-390,107,-631,-804 -751,-636,-424,-854,193,651 -145,384,749,675,-786,517 224,-865,-323,96,-916,258 -309,403,-388,826,35,-270 -942,709,222,158,-699,-103 -589,842,-997,29,-195,-210 264,426,566,145,-217,623 217,965,507,-601,-453,507 -206,307,-982,4,64,-292 676,-49,-38,-701,550,883 5,-850,-438,659,745,-773 933,238,-574,-570,91,-33 -866,121,-928,358,459,-843 -568,-631,-352,-580,-349,189 -737,849,-963,-486,-662,970 135,334,-967,-71,-365,-792 789,21,-227,51,990,-275 240,412,-886,230,591,256 -609,472,-853,-754,959,661 401,521,521,314,929,982 -499,784,-208,71,-302,296 -557,-948,-553,-526,-864,793 270,-626,828,44,37,14 -412,224,617,-593,502,699 41,-908,81,562,-849,163 165,917,761,-197,331,-341 -687,314,799,755,-969,648 -164,25,578,439,-334,-576 213,535,874,-177,-551,24 -689,291,-795,-225,-496,-125 465,461,558,-118,-568,-909 567,660,-810,46,-485,878 -147,606,685,-690,-774,984 568,-886,-43,854,-738,616 -800,386,-614,585,764,-226 -518,23,-225,-732,-79,440 -173,-291,-689,636,642,-447 -598,-16,227,410,496,211 -474,-930,-656,-321,-420,36 -435,165,-819,555,540,144 -969,149,828,568,394,648 65,-848,257,720,-625,-851 981,899,275,635,465,-877 80,290,792,760,-191,-321 -605,-858,594,33,706,593 585,-472,318,-35,354,-927 -365,664,803,581,-965,-814 -427,-238,-480,146,-55,-606 879,-193,250,-890,336,117 -226,-322,-286,-765,-836,-218 -913,564,-667,-698,937,283 872,-901,810,-623,-52,-709 473,171,717,38,-429,-644 225,824,-219,-475,-180,234 -530,-797,-948,238,851,-623 85,975,-363,529,598,28 -799,166,-804,210,-769,851 -687,-158,885,736,-381,-461 447,592,928,-514,-515,-661 -399,-777,-493,80,-544,-78 -884,631,171,-825,-333,551 191,268,-577,676,137,-33 212,-853,709,798,583,-56 -908,-172,-540,-84,-135,-56 303,311,406,-360,-240,811 798,-708,824,59,234,-57 491,693,-74,585,-85,877 509,-65,-936,329,-51,722 -122,858,-52,467,-77,-609 850,760,547,-495,-953,-952 -460,-541,890,910,286,724 -914,843,-579,-983,-387,-460 989,-171,-877,-326,-899,458 846,175,-915,540,-1000,-982 -852,-920,-306,496,530,-18 338,-991,160,85,-455,-661 -186,-311,-460,-563,-231,-414 -932,-302,959,597,793,748 -366,-402,-788,-279,514,53 -940,-956,447,-956,211,-285 564,806,-911,-914,934,754 575,-858,-277,15,409,-714 848,462,100,-381,135,242 330,718,-24,-190,860,-78 479,458,941,108,-866,-653 212,980,962,-962,115,841 -827,-474,-206,881,323,765 506,-45,-30,-293,524,-133 832,-173,547,-852,-561,-842 -397,-661,-708,819,-545,-228 521,51,-489,852,36,-258 227,-164,189,465,-987,-882 -73,-997,641,-995,449,-615 151,-995,-638,415,257,-400 -663,-297,-748,537,-734,198 -585,-401,-81,-782,-80,-105 99,-21,238,-365,-704,-368 45,416,849,-211,-371,-1 -404,-443,795,-406,36,-933 272,-363,981,-491,-380,77 713,-342,-366,-849,643,911 -748,671,-537,813,961,-200 -194,-909,703,-662,-601,188 281,500,724,286,267,197 -832,847,-595,820,-316,637 520,521,-54,261,923,-10 4,-808,-682,-258,441,-695 -793,-107,-969,905,798,446 -108,-739,-590,69,-855,-365 380,-623,-930,817,468,713 759,-849,-236,433,-723,-931 95,-320,-686,124,-69,-329 -655,518,-210,-523,284,-866 144,303,639,70,-171,269 173,-333,947,-304,55,40 274,878,-482,-888,-835,375 -982,-854,-36,-218,-114,-230 905,-979,488,-485,-479,114 877,-157,553,-530,-47,-321 350,664,-881,442,-220,-284 434,-423,-365,878,-726,584 535,909,-517,-447,-660,-141 -966,191,50,353,182,-642 -785,-634,123,-907,-162,511 146,-850,-214,814,-704,25 692,1,521,492,-637,274 -662,-372,-313,597,983,-647 -962,-526,68,-549,-819,231 740,-890,-318,797,-666,948 -190,-12,-468,-455,948,284 16,478,-506,-888,628,-154 272,630,-976,308,433,3 -169,-391,-132,189,302,-388 109,-784,474,-167,-265,-31 -177,-532,283,464,421,-73 650,635,592,-138,1,-387 -932,703,-827,-492,-355,686 586,-311,340,-618,645,-434 -951,736,647,-127,-303,590 188,444,903,718,-931,500 -872,-642,-296,-571,337,241 23,65,152,125,880,470 512,823,-42,217,823,-263 180,-831,-380,886,607,762 722,443,-149,-216,-115,759 -19,660,-36,901,923,231 562,-322,-626,-968,194,-825 204,-920,938,784,362,150 -410,-266,-715,559,-672,124 -198,446,-140,454,-461,-447 83,-346,830,-493,-759,-382 -881,601,581,234,-134,-925 -494,914,-42,899,235,629 -390,50,956,437,774,-700 -514,514,44,-512,-576,-313 63,-688,808,-534,-570,-399 -726,572,-896,102,-294,-28 -688,757,401,406,955,-511 -283,423,-485,480,-767,908 -541,952,-594,116,-854,451 -273,-796,236,625,-626,257 -407,-493,373,826,-309,297 -750,955,-476,641,-809,713 8,415,695,226,-111,2 733,209,152,-920,401,995 921,-103,-919,66,871,-947 -907,89,-869,-214,851,-559 -307,748,524,-755,314,-711 188,897,-72,-763,482,103 545,-821,-232,-596,-334,-754 -217,-788,-820,388,-200,-662 779,160,-723,-975,-142,-998 -978,-519,-78,-981,842,904 -504,-736,-295,21,-472,-482 391,115,-705,574,652,-446 813,-988,865,830,-263,487 194,80,774,-493,-761,-872 -415,-284,-803,7,-810,670 -484,-4,881,-872,55,-852 -379,822,-266,324,-48,748 -304,-278,406,-60,959,-89 404,756,577,-643,-332,658 291,460,125,491,-312,83 311,-734,-141,582,282,-557 -450,-661,-981,710,-177,794 328,264,-787,971,-743,-407 -622,518,993,-241,-738,229 273,-826,-254,-917,-710,-111 809,770,96,368,-818,725 -488,773,502,-342,534,745 -28,-414,236,-315,-484,363 179,-466,-566,713,-683,56 560,-240,-597,619,916,-940 893,473,872,-868,-642,-461 799,489,383,-321,-776,-833 980,490,-508,764,-512,-426 917,961,-16,-675,440,559 -812,212,784,-987,-132,554 -886,454,747,806,190,231 910,341,21,-66,708,725 29,929,-831,-494,-303,389 -103,492,-271,-174,-515,529 -292,119,419,788,247,-951 483,543,-347,-673,664,-549 -926,-871,-437,337,162,-877 299,472,-771,5,-88,-643 -103,525,-725,-998,264,22 -505,708,550,-545,823,347 -738,931,59,147,-156,-259 456,968,-162,889,132,-911 535,120,968,-517,-864,-541 24,-395,-593,-766,-565,-332 834,611,825,-576,280,629 211,-548,140,-278,-592,929 -999,-240,-63,-78,793,573 -573,160,450,987,529,322 63,353,315,-187,-461,577 189,-950,-247,656,289,241 209,-297,397,664,-805,484 -655,452,435,-556,917,874 253,-756,262,-888,-778,-214 793,-451,323,-251,-401,-458 -396,619,-651,-287,-668,-781 698,720,-349,742,-807,546 738,280,680,279,-540,858 -789,387,530,-36,-551,-491 162,579,-427,-272,228,710 689,356,917,-580,729,217 -115,-638,866,424,-82,-194 411,-338,-917,172,227,-29 -612,63,630,-976,-64,-204 -200,911,583,-571,682,-579 91,298,396,-183,788,-955 141,-873,-277,149,-396,916 321,958,-136,573,541,-777 797,-909,-469,-877,988,-653 784,-198,129,883,-203,399 -68,-810,223,-423,-467,-512 531,-445,-603,-997,-841,641 -274,-242,174,261,-636,-158 -574,494,-796,-798,-798,99 95,-82,-613,-954,-753,986 -883,-448,-864,-401,938,-392 913,930,-542,-988,310,410 506,-99,43,512,790,-222 724,31,49,-950,260,-134 -287,-947,-234,-700,56,588 -33,782,-144,948,105,-791 548,-546,-652,-293,881,-520 691,-91,76,991,-631,742 -520,-429,-244,-296,724,-48 778,646,377,50,-188,56 -895,-507,-898,-165,-674,652 654,584,-634,177,-349,-620 114,-980,355,62,182,975 516,9,-442,-298,274,-579 -238,262,-431,-896,506,-850 47,748,846,821,-537,-293 839,726,593,285,-297,840 634,-486,468,-304,-887,-567 -864,914,296,-124,335,233 88,-253,-523,-956,-554,803 -587,417,281,-62,-409,-363 -136,-39,-292,-768,-264,876 -127,506,-891,-331,-744,-430 778,584,-750,-129,-479,-94 -876,-771,-987,-757,180,-641 -777,-694,411,-87,329,190 -347,-999,-882,158,-754,232 -105,918,188,237,-110,-591 -209,703,-838,77,838,909 -995,-339,-762,750,860,472 185,271,-289,173,811,-300 2,65,-656,-22,36,-139 765,-210,883,974,961,-905 -212,295,-615,-840,77,474 211,-910,-440,703,-11,859 -559,-4,-196,841,-277,969 -73,-159,-887,126,978,-371 -569,633,-423,-33,512,-393 503,143,-383,-109,-649,-998 -663,339,-317,-523,-2,596 690,-380,570,378,-652,132 72,-744,-930,399,-525,935 865,-983,115,37,995,826 594,-621,-872,443,188,-241 -1000,291,754,234,-435,-869 -868,901,654,-907,59,181 -868,-793,-431,596,-446,-564 900,-944,-680,-796,902,-366 331,430,943,853,-851,-942 315,-538,-354,-909,139,721 170,-884,-225,-818,-808,-657 -279,-34,-533,-871,-972,552 691,-986,-800,-950,654,-747 603,988,899,841,-630,591 876,-949,809,562,602,-536 -693,363,-189,495,738,-1000 -383,431,-633,297,665,959 -740,686,-207,-803,188,-520 -820,226,31,-339,10,121 -312,-844,624,-516,483,621 -822,-529,69,-278,800,328 834,-82,-759,420,811,-264 -960,-240,-921,561,173,46 -324,909,-790,-814,-2,-785 976,334,-290,-891,704,-581 150,-798,689,-823,237,-639 -551,-320,876,-502,-622,-628 -136,845,904,595,-702,-261 -857,-377,-522,-101,-943,-805 -682,-787,-888,-459,-752,-985 -571,-81,623,-133,447,643 -375,-158,72,-387,-324,-696 -660,-650,340,188,569,526 727,-218,16,-7,-595,-988 -966,-684,802,-783,-272,-194 115,-566,-888,47,712,180 -237,-69,45,-272,981,-812 48,897,439,417,50,325 348,616,180,254,104,-784 -730,811,-548,612,-736,790 138,-810,123,930,65,865 -768,-299,-49,-895,-692,-418 487,-531,802,-159,-12,634 808,-179,552,-73,470,717 720,-644,886,-141,625,144 -485,-505,-347,-244,-916,66 600,-565,995,-5,324,227 -771,-35,904,-482,753,-303 -701,65,426,-763,-504,-479 409,733,-823,475,64,718 865,975,368,893,-413,-433 812,-597,-970,819,813,624 193,-642,-381,-560,545,398 711,28,-316,771,717,-865 -509,462,809,-136,786,635 618,-49,484,169,635,547 -747,685,-882,-496,-332,82 -501,-851,870,563,290,570 -279,-829,-509,397,457,816 -508,80,850,-188,483,-326 860,-100,360,119,-205,787 -870,21,-39,-827,-185,932 826,284,-136,-866,-330,-97 -944,-82,745,899,-97,365 929,262,564,632,-115,632 244,-276,713,330,-897,-214 -890,-109,664,876,-974,-907 716,249,816,489,723,141 -96,-560,-272,45,-70,645 762,-503,414,-828,-254,-646 909,-13,903,-422,-344,-10 658,-486,743,545,50,674 -241,507,-367,18,-48,-241 886,-268,884,-762,120,-486 -412,-528,879,-647,223,-393 851,810,234,937,-726,797 -999,942,839,-134,-996,-189 100,979,-527,-521,378,800 544,-844,-832,-530,-77,-641 43,889,31,442,-934,-503 -330,-370,-309,-439,173,547 169,945,62,-753,-542,-597 208,751,-372,-647,-520,70 765,-840,907,-257,379,918 334,-135,-689,730,-427,618 137,-508,66,-695,78,169 -962,-123,400,-417,151,969 328,689,666,427,-555,-642 -907,343,605,-341,-647,582 -667,-363,-571,818,-265,-399 525,-938,904,898,725,692 -176,-802,-858,-9,780,275 580,170,-740,287,691,-97 365,557,-375,361,-288,859 193,737,842,-808,520,282 -871,65,-799,836,179,-720 958,-144,744,-789,797,-48 122,582,662,912,68,757 595,241,-801,513,388,186 -103,-677,-259,-731,-281,-857 921,319,-696,683,-88,-997 775,200,78,858,648,768 316,821,-763,68,-290,-741 564,664,691,504,760,787 694,-119,973,-385,309,-760 777,-947,-57,990,74,19 971,626,-496,-781,-602,-239 -651,433,11,-339,939,294 -965,-728,560,569,-708,-247
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
<div align="center"> <!-- Title: --> <a href="https://github.com/TheAlgorithms/"> <img src="https://raw.githubusercontent.com/TheAlgorithms/website/1cd824df116b27029f17c2d1b42d81731f28a920/public/logo.svg" height="100"> </a> <h1><a href="https://github.com/TheAlgorithms/">The Algorithms</a> - Python</h1> <!-- Labels: --> <!-- First row: --> <a href="https://gitpod.io/#https://github.com/TheAlgorithms/Python"> <img src="https://img.shields.io/badge/Gitpod-Ready--to--Code-blue?logo=gitpod&style=flat-square" height="20" alt="Gitpod Ready-to-Code"> </a> <a href="https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md"> <img src="https://img.shields.io/static/v1.svg?label=Contributions&message=Welcome&color=0059b3&style=flat-square" height="20" alt="Contributions Welcome"> </a> <a href="https://www.paypal.me/TheAlgorithms/100"> <img src="https://img.shields.io/badge/Donate-PayPal-green.svg?logo=paypal&style=flat-square" height="20" alt="Donate"> </a> <img src="https://img.shields.io/github/repo-size/TheAlgorithms/Python.svg?label=Repo%20size&style=flat-square" height="20"> <a href="https://discord.gg/c7MnfGFGa6"> <img src="https://img.shields.io/discord/808045925556682782.svg?logo=discord&colorB=7289DA&style=flat-square" height="20" alt="Discord chat"> </a> <a href="https://gitter.im/TheAlgorithms"> <img src="https://img.shields.io/badge/Chat-Gitter-ff69b4.svg?label=Chat&logo=gitter&style=flat-square" height="20" alt="Gitter chat"> </a> <!-- Second row: --> <br> <a href="https://github.com/TheAlgorithms/Python/actions"> <img src="https://img.shields.io/github/workflow/status/TheAlgorithms/Python/build?label=CI&logo=github&style=flat-square" height="20" alt="GitHub Workflow Status"> </a> <a href="https://lgtm.com/projects/g/TheAlgorithms/Python/alerts"> <img src="https://img.shields.io/lgtm/alerts/github/TheAlgorithms/Python.svg?label=LGTM&logo=LGTM&style=flat-square" height="20" alt="LGTM"> </a> <a href="https://github.com/pre-commit/pre-commit"> <img src="https://img.shields.io/badge/pre--commit-enabled-brightgreen?logo=pre-commit&logoColor=white&style=flat-square" height="20" alt="pre-commit"> </a> <a href="https://github.com/psf/black"> <img src="https://img.shields.io/static/v1?label=code%20style&message=black&color=black&style=flat-square" height="20" alt="code style: black"> </a> <!-- Short description: --> <h3>All algorithms implemented in Python - for education</h3> </div> Implementations are for learning purposes only. As they may be less efficient than the implementations in the Python standard library, use them at your discretion. ## Getting Started Read through our [Contribution Guidelines](CONTRIBUTING.md) before you contribute. ## Community Channels We're on [Discord](https://discord.gg/c7MnfGFGa6) and [Gitter](https://gitter.im/TheAlgorithms)! Community channels are great for you to ask questions and get help. Please join us! ## List of Algorithms See our [directory](DIRECTORY.md) for easier navigation and better overview of the project.
<div align="center"> <!-- Title: --> <a href="https://github.com/TheAlgorithms/"> <img src="https://raw.githubusercontent.com/TheAlgorithms/website/1cd824df116b27029f17c2d1b42d81731f28a920/public/logo.svg" height="100"> </a> <h1><a href="https://github.com/TheAlgorithms/">The Algorithms</a> - Python</h1> <!-- Labels: --> <!-- First row: --> <a href="https://gitpod.io/#https://github.com/TheAlgorithms/Python"> <img src="https://img.shields.io/badge/Gitpod-Ready--to--Code-blue?logo=gitpod&style=flat-square" height="20" alt="Gitpod Ready-to-Code"> </a> <a href="https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md"> <img src="https://img.shields.io/static/v1.svg?label=Contributions&message=Welcome&color=0059b3&style=flat-square" height="20" alt="Contributions Welcome"> </a> <a href="https://www.paypal.me/TheAlgorithms/100"> <img src="https://img.shields.io/badge/Donate-PayPal-green.svg?logo=paypal&style=flat-square" height="20" alt="Donate"> </a> <img src="https://img.shields.io/github/repo-size/TheAlgorithms/Python.svg?label=Repo%20size&style=flat-square" height="20"> <a href="https://discord.gg/c7MnfGFGa6"> <img src="https://img.shields.io/discord/808045925556682782.svg?logo=discord&colorB=7289DA&style=flat-square" height="20" alt="Discord chat"> </a> <a href="https://gitter.im/TheAlgorithms"> <img src="https://img.shields.io/badge/Chat-Gitter-ff69b4.svg?label=Chat&logo=gitter&style=flat-square" height="20" alt="Gitter chat"> </a> <!-- Second row: --> <br> <a href="https://github.com/TheAlgorithms/Python/actions"> <img src="https://img.shields.io/github/workflow/status/TheAlgorithms/Python/build?label=CI&logo=github&style=flat-square" height="20" alt="GitHub Workflow Status"> </a> <a href="https://lgtm.com/projects/g/TheAlgorithms/Python/alerts"> <img src="https://img.shields.io/lgtm/alerts/github/TheAlgorithms/Python.svg?label=LGTM&logo=LGTM&style=flat-square" height="20" alt="LGTM"> </a> <a href="https://github.com/pre-commit/pre-commit"> <img src="https://img.shields.io/badge/pre--commit-enabled-brightgreen?logo=pre-commit&logoColor=white&style=flat-square" height="20" alt="pre-commit"> </a> <a href="https://github.com/psf/black"> <img src="https://img.shields.io/static/v1?label=code%20style&message=black&color=black&style=flat-square" height="20" alt="code style: black"> </a> <!-- Short description: --> <h3>All algorithms implemented in Python - for education</h3> </div> Implementations are for learning purposes only. As they may be less efficient than the implementations in the Python standard library, use them at your discretion. ## Getting Started Read through our [Contribution Guidelines](CONTRIBUTING.md) before you contribute. ## Community Channels We're on [Discord](https://discord.gg/c7MnfGFGa6) and [Gitter](https://gitter.im/TheAlgorithms)! Community channels are great for you to ask questions and get help. Please join us! ## List of Algorithms See our [directory](DIRECTORY.md) for easier navigation and better overview of the project.
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Computer Vision Computer vision is a field of computer science that works on enabling computers to see, identify and process images in the same way that human does, and provide appropriate output. It is like imparting human intelligence and instincts to a computer. Image processing and computer vision are a little different from each other. Image processing means applying some algorithms for transforming image from one form to the other like smoothing, contrasting, stretching, etc. While computer vision comes from modelling image processing using the techniques of machine learning, computer vision applies machine learning to recognize patterns for interpretation of images (much like the process of visual reasoning of human vision). * <https://en.wikipedia.org/wiki/Computer_vision> * <https://www.algorithmia.com/blog/introduction-to-computer-vision>
# Computer Vision Computer vision is a field of computer science that works on enabling computers to see, identify and process images in the same way that human does, and provide appropriate output. It is like imparting human intelligence and instincts to a computer. Image processing and computer vision are a little different from each other. Image processing means applying some algorithms for transforming image from one form to the other like smoothing, contrasting, stretching, etc. While computer vision comes from modelling image processing using the techniques of machine learning, computer vision applies machine learning to recognize patterns for interpretation of images (much like the process of visual reasoning of human vision). * <https://en.wikipedia.org/wiki/Computer_vision> * <https://www.algorithmia.com/blog/introduction-to-computer-vision>
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Configuration for probot-stale - https://github.com/probot/stale # Number of days of inactivity before an Issue or Pull Request becomes stale daysUntilStale: 30 # Number of days of inactivity before an Issue or Pull Request with the stale label is closed. # Set to false to disable. If disabled, issues still need to be closed manually, but will remain marked as stale. daysUntilClose: 7 # Only issues or pull requests with all of these labels are check if stale. Defaults to `[]` (disabled) onlyLabels: [] # Issues or Pull Requests with these labels will never be considered stale. Set to `[]` to disable exemptLabels: - "Status: on hold" # Set to true to ignore issues in a project (defaults to false) exemptProjects: false # Set to true to ignore issues in a milestone (defaults to false) exemptMilestones: false # Set to true to ignore issues with an assignee (defaults to false) exemptAssignees: false # Label to use when marking as stale staleLabel: stale # Limit the number of actions per hour, from 1-30. Default is 30 limitPerRun: 5 # Comment to post when removing the stale label. # unmarkComment: > # Your comment here. # Optionally, specify configuration settings that are specific to just 'issues' or 'pulls': pulls: # Comment to post when marking as stale. Set to `false` to disable markComment: > This pull request has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs. Thank you for your contributions. # Comment to post when closing a stale Pull Request. closeComment: > Please reopen this pull request once you commit the changes requested or make improvements on the code. If this is not the case and you need some help, feel free to seek help from our [Gitter](https://gitter.im/TheAlgorithms) or ping one of the reviewers. Thank you for your contributions! issues: # Comment to post when marking as stale. Set to `false` to disable markComment: > This issue has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs. Thank you for your contributions. # Comment to post when closing a stale Issue. closeComment: > Please reopen this issue once you add more information and updates here. If this is not the case and you need some help, feel free to seek help from our [Gitter](https://gitter.im/TheAlgorithms) or ping one of the reviewers. Thank you for your contributions!
# Configuration for probot-stale - https://github.com/probot/stale # Number of days of inactivity before an Issue or Pull Request becomes stale daysUntilStale: 30 # Number of days of inactivity before an Issue or Pull Request with the stale label is closed. # Set to false to disable. If disabled, issues still need to be closed manually, but will remain marked as stale. daysUntilClose: 7 # Only issues or pull requests with all of these labels are check if stale. Defaults to `[]` (disabled) onlyLabels: [] # Issues or Pull Requests with these labels will never be considered stale. Set to `[]` to disable exemptLabels: - "Status: on hold" # Set to true to ignore issues in a project (defaults to false) exemptProjects: false # Set to true to ignore issues in a milestone (defaults to false) exemptMilestones: false # Set to true to ignore issues with an assignee (defaults to false) exemptAssignees: false # Label to use when marking as stale staleLabel: stale # Limit the number of actions per hour, from 1-30. Default is 30 limitPerRun: 5 # Comment to post when removing the stale label. # unmarkComment: > # Your comment here. # Optionally, specify configuration settings that are specific to just 'issues' or 'pulls': pulls: # Comment to post when marking as stale. Set to `false` to disable markComment: > This pull request has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs. Thank you for your contributions. # Comment to post when closing a stale Pull Request. closeComment: > Please reopen this pull request once you commit the changes requested or make improvements on the code. If this is not the case and you need some help, feel free to seek help from our [Gitter](https://gitter.im/TheAlgorithms) or ping one of the reviewers. Thank you for your contributions! issues: # Comment to post when marking as stale. Set to `false` to disable markComment: > This issue has been automatically marked as stale because it has not had recent activity. It will be closed if no further activity occurs. Thank you for your contributions. # Comment to post when closing a stale Issue. closeComment: > Please reopen this issue once you add more information and updates here. If this is not the case and you need some help, feel free to seek help from our [Gitter](https://gitter.im/TheAlgorithms) or ping one of the reviewers. Thank you for your contributions!
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
IIII IV IIIIIIIIII X VIIIII
IIII IV IIIIIIIIII X VIIIII
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
all_anagrams = {'aal': ['aal', 'ala'], 'aam': ['aam', 'ama'], 'aaronic': ['aaronic', 'nicarao', 'ocarina'], 'aaronite': ['aaronite', 'aeration'], 'aaru': ['aaru', 'aura'], 'ab': ['ab', 'ba'], 'aba': ['aba', 'baa'], 'abac': ['abac', 'caba'], 'abactor': ['abactor', 'acrobat'], 'abaft': ['abaft', 'bafta'], 'abalone': ['abalone', 'balonea'], 'abandoner': ['abandoner', 'reabandon'], 'abanic': ['abanic', 'bianca'], 'abaris': ['abaris', 'arabis'], 'abas': ['abas', 'saba'], 'abaser': ['abaser', 'abrase'], 'abate': ['abate', 'ateba', 'batea', 'beata'], 'abater': ['abater', 'artabe', 'eartab', 'trabea'], 'abb': ['abb', 'bab'], 'abba': ['abba', 'baba'], 'abbey': ['abbey', 'bebay'], 'abby': ['abby', 'baby'], 'abdat': ['abdat', 'batad'], 'abdiel': ['abdiel', 'baldie'], 'abdominovaginal': ['abdominovaginal', 'vaginoabdominal'], 'abdominovesical': ['abdominovesical', 'vesicoabdominal'], 'abe': ['abe', 'bae', 'bea'], 'abed': ['abed', 'bade', 'bead'], 'abel': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'abele': ['abele', 'albee'], 'abelian': ['abelian', 'nebalia'], 'abenteric': ['abenteric', 'bicrenate'], 'aberia': ['aberia', 'baeria', 'baiera'], 'abet': ['abet', 'bate', 'beat', 'beta'], 'abetment': ['abetment', 'batement'], 'abettor': ['abettor', 'taboret'], 'abhorrent': ['abhorrent', 'earthborn'], 'abhorrer': ['abhorrer', 'harborer'], 'abider': ['abider', 'bardie'], 'abies': ['abies', 'beisa'], 'abilla': ['abilla', 'labial'], 'abilo': ['abilo', 'aboil'], 'abir': ['abir', 'bari', 'rabi'], 'abiston': ['abiston', 'bastion'], 'abiuret': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'abkar': ['abkar', 'arkab'], 'abkhas': ['abkhas', 'kasbah'], 'ablactate': ['ablactate', 'cabaletta'], 'ablare': ['ablare', 'arable', 'arbela'], 'ablastemic': ['ablastemic', 'masticable'], 'ablation': ['ablation', 'obtainal'], 'ablaut': ['ablaut', 'tabula'], 'able': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'ableness': ['ableness', 'blaeness', 'sensable'], 'ablepsia': ['ablepsia', 'epibasal'], 'abler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'ablest': ['ablest', 'stable', 'tables'], 'abloom': ['abloom', 'mabolo'], 'ablow': ['ablow', 'balow', 'bowla'], 'ablude': ['ablude', 'belaud'], 'abluent': ['abluent', 'tunable'], 'ablution': ['ablution', 'abutilon'], 'ably': ['ably', 'blay', 'yalb'], 'abmho': ['abmho', 'abohm'], 'abner': ['abner', 'arneb', 'reban'], 'abnet': ['abnet', 'beant'], 'abo': ['abo', 'boa'], 'aboard': ['aboard', 'aborad', 'abroad'], 'abode': ['abode', 'adobe'], 'abohm': ['abmho', 'abohm'], 'aboil': ['abilo', 'aboil'], 'abolisher': ['abolisher', 'reabolish'], 'abongo': ['abongo', 'gaboon'], 'aborad': ['aboard', 'aborad', 'abroad'], 'aboral': ['aboral', 'arbalo'], 'abord': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'abort': ['abort', 'tabor'], 'aborticide': ['aborticide', 'bacterioid'], 'abortient': ['abortient', 'torbanite'], 'abortin': ['abortin', 'taborin'], 'abortion': ['abortion', 'robotian'], 'abortive': ['abortive', 'bravoite'], 'abouts': ['abouts', 'basuto'], 'abram': ['abram', 'ambar'], 'abramis': ['abramis', 'arabism'], 'abrasax': ['abrasax', 'abraxas'], 'abrase': ['abaser', 'abrase'], 'abrasion': ['abrasion', 'sorabian'], 'abrastol': ['abrastol', 'albatros'], 'abraxas': ['abrasax', 'abraxas'], 'abreact': ['abreact', 'bractea', 'cabaret'], 'abret': ['abret', 'bater', 'berat'], 'abridge': ['abridge', 'brigade'], 'abrim': ['abrim', 'birma'], 'abrin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'abristle': ['abristle', 'libertas'], 'abroad': ['aboard', 'aborad', 'abroad'], 'abrotine': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'abrus': ['abrus', 'bursa', 'subra'], 'absalom': ['absalom', 'balsamo'], 'abscise': ['abscise', 'scabies'], 'absent': ['absent', 'basten'], 'absenter': ['absenter', 'reabsent'], 'absi': ['absi', 'bais', 'bias', 'isba'], 'absit': ['absit', 'batis'], 'absmho': ['absmho', 'absohm'], 'absohm': ['absmho', 'absohm'], 'absorber': ['absorber', 'reabsorb'], 'absorpt': ['absorpt', 'barpost'], 'abthain': ['abthain', 'habitan'], 'abulic': ['abulic', 'baculi'], 'abut': ['abut', 'tabu', 'tuba'], 'abuta': ['abuta', 'bauta'], 'abutilon': ['ablution', 'abutilon'], 'aby': ['aby', 'bay'], 'abysmal': ['abysmal', 'balsamy'], 'academite': ['academite', 'acetamide'], 'acadie': ['acadie', 'acedia', 'adicea'], 'acaleph': ['acaleph', 'acephal'], 'acalepha': ['acalepha', 'acephala'], 'acalephae': ['acalephae', 'apalachee'], 'acalephan': ['acalephan', 'acephalan'], 'acalyptrate': ['acalyptrate', 'calyptratae'], 'acamar': ['acamar', 'camara', 'maraca'], 'acanth': ['acanth', 'anchat', 'tanach'], 'acanthia': ['acanthia', 'achatina'], 'acanthial': ['acanthial', 'calathian'], 'acanthin': ['acanthin', 'chinanta'], 'acara': ['acara', 'araca'], 'acardia': ['acardia', 'acarida', 'arcadia'], 'acarian': ['acarian', 'acarina', 'acrania'], 'acarid': ['acarid', 'cardia', 'carida'], 'acarida': ['acardia', 'acarida', 'arcadia'], 'acarina': ['acarian', 'acarina', 'acrania'], 'acarine': ['acarine', 'acraein', 'arecain'], 'acastus': ['acastus', 'astacus'], 'acatholic': ['acatholic', 'chaotical'], 'acaudate': ['acaudate', 'ecaudata'], 'acca': ['acca', 'caca'], 'accelerator': ['accelerator', 'retrocaecal'], 'acception': ['acception', 'peccation'], 'accessioner': ['accessioner', 'reaccession'], 'accipitres': ['accipitres', 'preascitic'], 'accite': ['accite', 'acetic'], 'acclinate': ['acclinate', 'analectic'], 'accoil': ['accoil', 'calico'], 'accomplisher': ['accomplisher', 'reaccomplish'], 'accompt': ['accompt', 'compact'], 'accorder': ['accorder', 'reaccord'], 'accoy': ['accoy', 'ccoya'], 'accretion': ['accretion', 'anorectic', 'neoarctic'], 'accrual': ['accrual', 'carucal'], 'accurate': ['accurate', 'carucate'], 'accurse': ['accurse', 'accuser'], 'accusable': ['accusable', 'subcaecal'], 'accused': ['accused', 'succade'], 'accuser': ['accurse', 'accuser'], 'acedia': ['acadie', 'acedia', 'adicea'], 'acedy': ['acedy', 'decay'], 'acentric': ['acentric', 'encratic', 'nearctic'], 'acentrous': ['acentrous', 'courtesan', 'nectarous'], 'acephal': ['acaleph', 'acephal'], 'acephala': ['acalepha', 'acephala'], 'acephalan': ['acalephan', 'acephalan'], 'acephali': ['acephali', 'phacelia'], 'acephalina': ['acephalina', 'phalaecian'], 'acer': ['acer', 'acre', 'care', 'crea', 'race'], 'aceraceae': ['aceraceae', 'arecaceae'], 'aceraceous': ['aceraceous', 'arecaceous'], 'acerb': ['acerb', 'brace', 'caber'], 'acerbic': ['acerbic', 'breccia'], 'acerdol': ['acerdol', 'coraled'], 'acerin': ['acerin', 'cearin'], 'acerous': ['acerous', 'carouse', 'euscaro'], 'acervate': ['acervate', 'revacate'], 'acervation': ['acervation', 'vacationer'], 'acervuline': ['acervuline', 'avirulence'], 'acetamide': ['academite', 'acetamide'], 'acetamido': ['acetamido', 'coadamite'], 'acetanilid': ['acetanilid', 'laciniated', 'teniacidal'], 'acetanion': ['acetanion', 'antoecian'], 'acetation': ['acetation', 'itaconate'], 'acetic': ['accite', 'acetic'], 'acetin': ['acetin', 'actine', 'enatic'], 'acetmethylanilide': ['acetmethylanilide', 'methylacetanilide'], 'acetoin': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'acetol': ['acetol', 'colate', 'locate'], 'acetone': ['acetone', 'oceanet'], 'acetonuria': ['acetonuria', 'aeronautic'], 'acetopyrin': ['acetopyrin', 'capernoity'], 'acetous': ['acetous', 'outcase'], 'acetum': ['acetum', 'tecuma'], 'aceturic': ['aceturic', 'cruciate'], 'ach': ['ach', 'cha'], 'achar': ['achar', 'chara'], 'achate': ['achate', 'chaeta'], 'achatina': ['acanthia', 'achatina'], 'ache': ['ache', 'each', 'haec'], 'acheirus': ['acheirus', 'eucharis'], 'achen': ['achen', 'chane', 'chena', 'hance'], 'acher': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'acherontic': ['acherontic', 'anchoretic'], 'acherontical': ['acherontical', 'anchoretical'], 'achete': ['achete', 'hecate', 'teache', 'thecae'], 'acheulean': ['acheulean', 'euchlaena'], 'achill': ['achill', 'cahill', 'chilla'], 'achillea': ['achillea', 'heliacal'], 'acholia': ['acholia', 'alochia'], 'achondrite': ['achondrite', 'ditrochean', 'ordanchite'], 'achor': ['achor', 'chora', 'corah', 'orach', 'roach'], 'achras': ['achras', 'charas'], 'achromat': ['achromat', 'trachoma'], 'achromatin': ['achromatin', 'chariotman', 'machinator'], 'achromatinic': ['achromatinic', 'chromatician'], 'achtel': ['achtel', 'chalet', 'thecal', 'thecla'], 'achy': ['achy', 'chay'], 'aciculated': ['aciculated', 'claudicate'], 'acid': ['acid', 'cadi', 'caid'], 'acidanthera': ['acidanthera', 'cantharidae'], 'acider': ['acider', 'ericad'], 'acidimeter': ['acidimeter', 'mediatrice'], 'acidity': ['acidity', 'adicity'], 'acidly': ['acidly', 'acidyl'], 'acidometry': ['acidometry', 'medicatory', 'radiectomy'], 'acidophilous': ['acidophilous', 'aphidicolous'], 'acidyl': ['acidly', 'acidyl'], 'acier': ['acier', 'aeric', 'ceria', 'erica'], 'acieral': ['acieral', 'aerical'], 'aciform': ['aciform', 'formica'], 'acilius': ['acilius', 'iliacus'], 'acinar': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'acinic': ['acinic', 'incaic'], 'aciniform': ['aciniform', 'formicina'], 'acipenserid': ['acipenserid', 'presidencia'], 'acis': ['acis', 'asci', 'saic'], 'acker': ['acker', 'caker', 'crake', 'creak'], 'ackey': ['ackey', 'cakey'], 'acle': ['acle', 'alec', 'lace'], 'acleistous': ['acleistous', 'ossiculate'], 'aclemon': ['aclemon', 'cloamen'], 'aclinal': ['aclinal', 'ancilla'], 'aclys': ['aclys', 'scaly'], 'acme': ['acme', 'came', 'mace'], 'acmite': ['acmite', 'micate'], 'acne': ['acne', 'cane', 'nace'], 'acnemia': ['acnemia', 'anaemic'], 'acnida': ['acnida', 'anacid', 'dacian'], 'acnodal': ['acnodal', 'canadol', 'locanda'], 'acnode': ['acnode', 'deacon'], 'acoin': ['acoin', 'oncia'], 'acoma': ['acoma', 'macao'], 'acone': ['acone', 'canoe', 'ocean'], 'aconital': ['aconital', 'actional', 'anatolic'], 'aconite': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'aconitic': ['aconitic', 'cationic', 'itaconic'], 'aconitin': ['aconitin', 'inaction', 'nicotian'], 'aconitum': ['aconitum', 'acontium'], 'acontias': ['acontias', 'tacsonia'], 'acontium': ['aconitum', 'acontium'], 'acontius': ['acontius', 'anticous'], 'acopon': ['acopon', 'poonac'], 'acor': ['acor', 'caro', 'cora', 'orca'], 'acorn': ['acorn', 'acron', 'racon'], 'acorus': ['acorus', 'soucar'], 'acosmist': ['acosmist', 'massicot', 'somatics'], 'acquest': ['acquest', 'casquet'], 'acrab': ['acrab', 'braca'], 'acraein': ['acarine', 'acraein', 'arecain'], 'acrania': ['acarian', 'acarina', 'acrania'], 'acraniate': ['acraniate', 'carinatae'], 'acratia': ['acratia', 'cataria'], 'acre': ['acer', 'acre', 'care', 'crea', 'race'], 'acream': ['acream', 'camera', 'mareca'], 'acred': ['acred', 'cader', 'cadre', 'cedar'], 'acrid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'acridan': ['acridan', 'craniad'], 'acridian': ['acridian', 'cnidaria'], 'acrididae': ['acrididae', 'cardiidae', 'cidaridae'], 'acridly': ['acridly', 'acridyl'], 'acridonium': ['acridonium', 'dicoumarin'], 'acridyl': ['acridly', 'acridyl'], 'acrimonious': ['acrimonious', 'isocoumarin'], 'acrisius': ['acrisius', 'sicarius'], 'acrita': ['acrita', 'arctia'], 'acritan': ['acritan', 'arctian'], 'acrite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'acroa': ['acroa', 'caroa'], 'acrobat': ['abactor', 'acrobat'], 'acrocera': ['acrocera', 'caracore'], 'acroclinium': ['acroclinium', 'alcicornium'], 'acrodus': ['acrodus', 'crusado'], 'acrogen': ['acrogen', 'cornage'], 'acrolein': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'acrolith': ['acrolith', 'trochila'], 'acron': ['acorn', 'acron', 'racon'], 'acronical': ['acronical', 'alcoranic'], 'acronym': ['acronym', 'romancy'], 'acropetal': ['acropetal', 'cleopatra'], 'acrose': ['acrose', 'coarse'], 'acrostic': ['acrostic', 'sarcotic', 'socratic'], 'acrostical': ['acrostical', 'socratical'], 'acrostically': ['acrostically', 'socratically'], 'acrosticism': ['acrosticism', 'socraticism'], 'acrotic': ['acrotic', 'carotic'], 'acrotism': ['acrotism', 'rotacism'], 'acrotrophic': ['acrotrophic', 'prothoracic'], 'acryl': ['acryl', 'caryl', 'clary'], 'act': ['act', 'cat'], 'actaeonidae': ['actaeonidae', 'donatiaceae'], 'actian': ['actian', 'natica', 'tanica'], 'actifier': ['actifier', 'artifice'], 'actin': ['actin', 'antic'], 'actinal': ['actinal', 'alantic', 'alicant', 'antical'], 'actine': ['acetin', 'actine', 'enatic'], 'actiniform': ['actiniform', 'naticiform'], 'actinine': ['actinine', 'naticine'], 'actinism': ['actinism', 'manistic'], 'actinogram': ['actinogram', 'morganatic'], 'actinoid': ['actinoid', 'diatonic', 'naticoid'], 'actinon': ['actinon', 'cantion', 'contain'], 'actinopteran': ['actinopteran', 'precantation'], 'actinopteri': ['actinopteri', 'crepitation', 'precitation'], 'actinost': ['actinost', 'oscitant'], 'actinula': ['actinula', 'nautical'], 'action': ['action', 'atonic', 'cation'], 'actional': ['aconital', 'actional', 'anatolic'], 'actioner': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'activable': ['activable', 'biclavate'], 'activate': ['activate', 'cavitate'], 'activation': ['activation', 'cavitation'], 'activin': ['activin', 'civitan'], 'actomyosin': ['actomyosin', 'inocystoma'], 'acton': ['acton', 'canto', 'octan'], 'actor': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'actorship': ['actorship', 'strophaic'], 'acts': ['acts', 'cast', 'scat'], 'actuator': ['actuator', 'autocrat'], 'acture': ['acture', 'cauter', 'curate'], 'acuan': ['acuan', 'aucan'], 'acubens': ['acubens', 'benacus'], 'acumen': ['acumen', 'cueman'], 'acuminose': ['acuminose', 'mniaceous'], 'acutenaculum': ['acutenaculum', 'unaccumulate'], 'acuteness': ['acuteness', 'encaustes'], 'acutorsion': ['acutorsion', 'octonarius'], 'acyl': ['acyl', 'clay', 'lacy'], 'acylation': ['acylation', 'claytonia'], 'acylogen': ['acylogen', 'cynogale'], 'ad': ['ad', 'da'], 'adad': ['adad', 'adda', 'dada'], 'adage': ['adage', 'agade'], 'adam': ['adam', 'dama'], 'adamic': ['adamic', 'cadmia'], 'adamine': ['adamine', 'manidae'], 'adamite': ['adamite', 'amidate'], 'adamsite': ['adamsite', 'diastema'], 'adance': ['adance', 'ecanda'], 'adapter': ['adapter', 'predata', 'readapt'], 'adaption': ['adaption', 'adoptian'], 'adaptionism': ['adaptionism', 'adoptianism'], 'adar': ['adar', 'arad', 'raad', 'rada'], 'adarme': ['adarme', 'adream'], 'adat': ['adat', 'data'], 'adawn': ['adawn', 'wadna'], 'adays': ['adays', 'dasya'], 'add': ['add', 'dad'], 'adda': ['adad', 'adda', 'dada'], 'addendum': ['addendum', 'unmadded'], 'adder': ['adder', 'dread', 'readd'], 'addicent': ['addicent', 'dedicant'], 'addlings': ['addlings', 'saddling'], 'addresser': ['addresser', 'readdress'], 'addu': ['addu', 'dadu', 'daud', 'duad'], 'addy': ['addy', 'dyad'], 'ade': ['ade', 'dae'], 'adeem': ['adeem', 'ameed', 'edema'], 'adela': ['adela', 'dalea'], 'adeline': ['adeline', 'daniele', 'delaine'], 'adeling': ['adeling', 'dealing', 'leading'], 'adelops': ['adelops', 'deposal'], 'ademonist': ['ademonist', 'demoniast', 'staminode'], 'ademption': ['ademption', 'tampioned'], 'adendric': ['adendric', 'riddance'], 'adenectopic': ['adenectopic', 'pentadecoic'], 'adenia': ['adenia', 'idaean'], 'adenochondroma': ['adenochondroma', 'chondroadenoma'], 'adenocystoma': ['adenocystoma', 'cystoadenoma'], 'adenofibroma': ['adenofibroma', 'fibroadenoma'], 'adenolipoma': ['adenolipoma', 'palaemonoid'], 'adenosarcoma': ['adenosarcoma', 'sarcoadenoma'], 'adenylic': ['adenylic', 'lycaenid'], 'adeptness': ['adeptness', 'pedantess'], 'adequation': ['adequation', 'deaquation'], 'adermia': ['adermia', 'madeira'], 'adermin': ['adermin', 'amerind', 'dimeran'], 'adet': ['adet', 'date', 'tade', 'tead', 'teda'], 'adevism': ['adevism', 'vedaism'], 'adhere': ['adhere', 'header', 'hedera', 'rehead'], 'adherent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'adiaphon': ['adiaphon', 'aphodian'], 'adib': ['adib', 'ibad'], 'adicea': ['acadie', 'acedia', 'adicea'], 'adicity': ['acidity', 'adicity'], 'adiel': ['adiel', 'delia', 'ideal'], 'adieux': ['adieux', 'exaudi'], 'adighe': ['adighe', 'hidage'], 'adin': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'adinole': ['adinole', 'idoneal'], 'adion': ['adion', 'danio', 'doina', 'donia'], 'adipocele': ['adipocele', 'cepolidae', 'ploceidae'], 'adipocere': ['adipocere', 'percoidea'], 'adipyl': ['adipyl', 'plaidy'], 'adit': ['adit', 'dita'], 'adital': ['adital', 'altaid'], 'aditus': ['aditus', 'studia'], 'adjuster': ['adjuster', 'readjust'], 'adlai': ['adlai', 'alida'], 'adlay': ['adlay', 'dayal'], 'adlet': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'adlumine': ['adlumine', 'unmailed'], 'adman': ['adman', 'daman', 'namda'], 'admi': ['admi', 'amid', 'madi', 'maid'], 'adminicle': ['adminicle', 'medicinal'], 'admire': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'admired': ['admired', 'diaderm'], 'admirer': ['admirer', 'madrier', 'married'], 'admissive': ['admissive', 'misadvise'], 'admit': ['admit', 'atmid'], 'admittee': ['admittee', 'meditate'], 'admonisher': ['admonisher', 'rhamnoside'], 'admonition': ['admonition', 'domination'], 'admonitive': ['admonitive', 'dominative'], 'admonitor': ['admonitor', 'dominator'], 'adnascence': ['adnascence', 'ascendance'], 'adnascent': ['adnascent', 'ascendant'], 'adnate': ['adnate', 'entada'], 'ado': ['ado', 'dao', 'oda'], 'adobe': ['abode', 'adobe'], 'adolph': ['adolph', 'pholad'], 'adonai': ['adonai', 'adonia'], 'adonia': ['adonai', 'adonia'], 'adonic': ['adonic', 'anodic'], 'adonin': ['adonin', 'nanoid', 'nonaid'], 'adoniram': ['adoniram', 'radioman'], 'adonize': ['adonize', 'anodize'], 'adopter': ['adopter', 'protead', 'readopt'], 'adoptian': ['adaption', 'adoptian'], 'adoptianism': ['adaptionism', 'adoptianism'], 'adoptional': ['adoptional', 'aplodontia'], 'adorability': ['adorability', 'roadability'], 'adorable': ['adorable', 'roadable'], 'adorant': ['adorant', 'ondatra'], 'adore': ['adore', 'oared', 'oread'], 'adorer': ['adorer', 'roader'], 'adorn': ['adorn', 'donar', 'drona', 'radon'], 'adorner': ['adorner', 'readorn'], 'adpao': ['adpao', 'apoda'], 'adpromission': ['adpromission', 'proadmission'], 'adream': ['adarme', 'adream'], 'adrenin': ['adrenin', 'nardine'], 'adrenine': ['adrenine', 'adrienne'], 'adrenolytic': ['adrenolytic', 'declinatory'], 'adrenotropic': ['adrenotropic', 'incorporated'], 'adrian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'adrienne': ['adrenine', 'adrienne'], 'adrip': ['adrip', 'rapid'], 'adroitly': ['adroitly', 'dilatory', 'idolatry'], 'adrop': ['adrop', 'pardo'], 'adry': ['adry', 'dray', 'yard'], 'adscendent': ['adscendent', 'descendant'], 'adsmith': ['adsmith', 'mahdist'], 'adular': ['adular', 'aludra', 'radula'], 'adulation': ['adulation', 'laudation'], 'adulator': ['adulator', 'laudator'], 'adulatory': ['adulatory', 'laudatory'], 'adult': ['adult', 'dulat'], 'adulterine': ['adulterine', 'laurentide'], 'adultness': ['adultness', 'dauntless'], 'adustion': ['adustion', 'sudation'], 'advene': ['advene', 'evadne'], 'adventism': ['adventism', 'vedantism'], 'adventist': ['adventist', 'vedantist'], 'adventure': ['adventure', 'unaverted'], 'advice': ['advice', 'vedaic'], 'ady': ['ady', 'day', 'yad'], 'adz': ['adz', 'zad'], 'adze': ['adze', 'daze'], 'adzer': ['adzer', 'zerda'], 'ae': ['ae', 'ea'], 'aecidioform': ['aecidioform', 'formicoidea'], 'aedilian': ['aedilian', 'laniidae'], 'aedilic': ['aedilic', 'elaidic'], 'aedility': ['aedility', 'ideality'], 'aegipan': ['aegipan', 'apinage'], 'aegirine': ['aegirine', 'erigenia'], 'aegirite': ['aegirite', 'ariegite'], 'aegle': ['aegle', 'eagle', 'galee'], 'aenean': ['aenean', 'enaena'], 'aeolharmonica': ['aeolharmonica', 'chloroanaemia'], 'aeolian': ['aeolian', 'aeolina', 'aeonial'], 'aeolic': ['aeolic', 'coelia'], 'aeolina': ['aeolian', 'aeolina', 'aeonial'], 'aeolis': ['aeolis', 'laiose'], 'aeolist': ['aeolist', 'isolate'], 'aeolistic': ['aeolistic', 'socialite'], 'aeon': ['aeon', 'eoan'], 'aeonial': ['aeolian', 'aeolina', 'aeonial'], 'aeonist': ['aeonist', 'asiento', 'satieno'], 'aer': ['aer', 'are', 'ear', 'era', 'rea'], 'aerage': ['aerage', 'graeae'], 'aerarian': ['aerarian', 'arenaria'], 'aeration': ['aaronite', 'aeration'], 'aerial': ['aerial', 'aralie'], 'aeric': ['acier', 'aeric', 'ceria', 'erica'], 'aerical': ['acieral', 'aerical'], 'aeried': ['aeried', 'dearie'], 'aerogenic': ['aerogenic', 'recoinage'], 'aerographer': ['aerographer', 'areographer'], 'aerographic': ['aerographic', 'areographic'], 'aerographical': ['aerographical', 'areographical'], 'aerography': ['aerography', 'areography'], 'aerologic': ['aerologic', 'areologic'], 'aerological': ['aerological', 'areological'], 'aerologist': ['aerologist', 'areologist'], 'aerology': ['aerology', 'areology'], 'aeromantic': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'aerometer': ['aerometer', 'areometer'], 'aerometric': ['aerometric', 'areometric'], 'aerometry': ['aerometry', 'areometry'], 'aeronautic': ['acetonuria', 'aeronautic'], 'aeronautism': ['aeronautism', 'measuration'], 'aerope': ['aerope', 'operae'], 'aerophilic': ['aerophilic', 'epichorial'], 'aerosol': ['aerosol', 'roseola'], 'aerostatics': ['aerostatics', 'aortectasis'], 'aery': ['aery', 'eyra', 'yare', 'year'], 'aes': ['aes', 'ase', 'sea'], 'aesthetic': ['aesthetic', 'chaetites'], 'aethalioid': ['aethalioid', 'haliotidae'], 'aetian': ['aetian', 'antiae', 'taenia'], 'aetobatus': ['aetobatus', 'eastabout'], 'afebrile': ['afebrile', 'balefire', 'fireable'], 'afenil': ['afenil', 'finale'], 'affair': ['affair', 'raffia'], 'affecter': ['affecter', 'reaffect'], 'affeer': ['affeer', 'raffee'], 'affiance': ['affiance', 'caffeina'], 'affirmer': ['affirmer', 'reaffirm'], 'afflicter': ['afflicter', 'reafflict'], 'affy': ['affy', 'yaff'], 'afghan': ['afghan', 'hafgan'], 'afield': ['afield', 'defial'], 'afire': ['afire', 'feria'], 'aflare': ['aflare', 'rafael'], 'aflat': ['aflat', 'fatal'], 'afresh': ['afresh', 'fasher', 'ferash'], 'afret': ['afret', 'after'], 'afric': ['afric', 'firca'], 'afshar': ['afshar', 'ashraf'], 'aft': ['aft', 'fat'], 'after': ['afret', 'after'], 'afteract': ['afteract', 'artefact', 'farcetta', 'farctate'], 'afterage': ['afterage', 'fregatae'], 'afterblow': ['afterblow', 'batfowler'], 'aftercome': ['aftercome', 'forcemeat'], 'aftercrop': ['aftercrop', 'prefactor'], 'aftergo': ['aftergo', 'fagoter'], 'afterguns': ['afterguns', 'transfuge'], 'aftermath': ['aftermath', 'hamfatter'], 'afterstate': ['afterstate', 'aftertaste'], 'aftertaste': ['afterstate', 'aftertaste'], 'afunctional': ['afunctional', 'unfactional'], 'agade': ['adage', 'agade'], 'agal': ['agal', 'agla', 'alga', 'gala'], 'agalite': ['agalite', 'tailage', 'taliage'], 'agalma': ['agalma', 'malaga'], 'agama': ['agama', 'amaga'], 'agamid': ['agamid', 'madiga'], 'agapeti': ['agapeti', 'agpaite'], 'agapornis': ['agapornis', 'sporangia'], 'agar': ['agar', 'agra', 'gara', 'raga'], 'agaricin': ['agaricin', 'garcinia'], 'agau': ['agau', 'agua'], 'aged': ['aged', 'egad', 'gade'], 'ageless': ['ageless', 'eagless'], 'agen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'agenesic': ['agenesic', 'genesiac'], 'agenesis': ['agenesis', 'assignee'], 'agential': ['agential', 'alginate'], 'agentive': ['agentive', 'negative'], 'ager': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agger': ['agger', 'gager', 'regga'], 'aggeration': ['aggeration', 'agregation'], 'aggry': ['aggry', 'raggy'], 'agialid': ['agialid', 'galidia'], 'agib': ['agib', 'biga', 'gabi'], 'agiel': ['agiel', 'agile', 'galei'], 'agile': ['agiel', 'agile', 'galei'], 'agileness': ['agileness', 'signalese'], 'agistment': ['agistment', 'magnetist'], 'agistor': ['agistor', 'agrotis', 'orgiast'], 'agla': ['agal', 'agla', 'alga', 'gala'], 'aglaos': ['aglaos', 'salago'], 'aglare': ['aglare', 'alegar', 'galera', 'laager'], 'aglet': ['aglet', 'galet'], 'agley': ['agley', 'galey'], 'agmatine': ['agmatine', 'agminate'], 'agminate': ['agmatine', 'agminate'], 'agminated': ['agminated', 'diamagnet'], 'agnail': ['agnail', 'linaga'], 'agname': ['agname', 'manage'], 'agnel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'agnes': ['agnes', 'gesan'], 'agnize': ['agnize', 'ganzie'], 'agnosis': ['agnosis', 'ganosis'], 'agnostic': ['agnostic', 'coasting'], 'agnus': ['agnus', 'angus', 'sugan'], 'ago': ['ago', 'goa'], 'agon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'agonal': ['agonal', 'angola'], 'agone': ['agone', 'genoa'], 'agoniadin': ['agoniadin', 'anangioid', 'ganoidian'], 'agonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'agonista': ['agonista', 'santiago'], 'agonizer': ['agonizer', 'orangize', 'organize'], 'agpaite': ['agapeti', 'agpaite'], 'agra': ['agar', 'agra', 'gara', 'raga'], 'agral': ['agral', 'argal'], 'agrania': ['agrania', 'angaria', 'niagara'], 'agre': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agree': ['agree', 'eager', 'eagre'], 'agreed': ['agreed', 'geared'], 'agregation': ['aggeration', 'agregation'], 'agrege': ['agrege', 'raggee'], 'agrestian': ['agrestian', 'gerastian', 'stangeria'], 'agrestic': ['agrestic', 'ergastic'], 'agria': ['agria', 'igara'], 'agricolist': ['agricolist', 'algoristic'], 'agrilus': ['agrilus', 'gularis'], 'agrin': ['agrin', 'grain'], 'agrito': ['agrito', 'ortiga'], 'agroan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'agrom': ['agrom', 'morga'], 'agrotis': ['agistor', 'agrotis', 'orgiast'], 'aground': ['aground', 'durango'], 'agrufe': ['agrufe', 'gaufer', 'gaufre'], 'agrypnia': ['agrypnia', 'paginary'], 'agsam': ['agsam', 'magas'], 'agua': ['agau', 'agua'], 'ague': ['ague', 'auge'], 'agush': ['agush', 'saugh'], 'agust': ['agust', 'tsuga'], 'agy': ['agy', 'gay'], 'ah': ['ah', 'ha'], 'ahem': ['ahem', 'haem', 'hame'], 'ahet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'ahey': ['ahey', 'eyah', 'yeah'], 'ahind': ['ahind', 'dinah'], 'ahint': ['ahint', 'hiant', 'tahin'], 'ahir': ['ahir', 'hair'], 'ahmed': ['ahmed', 'hemad'], 'ahmet': ['ahmet', 'thema'], 'aho': ['aho', 'hao'], 'ahom': ['ahom', 'moha'], 'ahong': ['ahong', 'hogan'], 'ahorse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ahoy': ['ahoy', 'hoya'], 'ahriman': ['ahriman', 'miranha'], 'ahsan': ['ahsan', 'hansa', 'hasan'], 'aht': ['aht', 'hat', 'tha'], 'ahtena': ['ahtena', 'aneath', 'athena'], 'ahu': ['ahu', 'auh', 'hau'], 'ahum': ['ahum', 'huma'], 'ahunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'aid': ['aid', 'ida'], 'aidance': ['aidance', 'canidae'], 'aide': ['aide', 'idea'], 'aidenn': ['aidenn', 'andine', 'dannie', 'indane'], 'aider': ['aider', 'deair', 'irade', 'redia'], 'aides': ['aides', 'aside', 'sadie'], 'aiel': ['aiel', 'aile', 'elia'], 'aiglet': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ail': ['ail', 'ila', 'lai'], 'ailantine': ['ailantine', 'antialien'], 'ailanto': ['ailanto', 'alation', 'laotian', 'notalia'], 'aile': ['aiel', 'aile', 'elia'], 'aileen': ['aileen', 'elaine'], 'aileron': ['aileron', 'alienor'], 'ailing': ['ailing', 'angili', 'nilgai'], 'ailment': ['ailment', 'aliment'], 'aim': ['aim', 'ami', 'ima'], 'aimer': ['aimer', 'maire', 'marie', 'ramie'], 'aimless': ['aimless', 'melissa', 'seismal'], 'ainaleh': ['ainaleh', 'halenia'], 'aint': ['aint', 'anti', 'tain', 'tina'], 'aion': ['aion', 'naio'], 'air': ['air', 'ira', 'ria'], 'aira': ['aira', 'aria', 'raia'], 'airan': ['airan', 'arain', 'arian'], 'airdrome': ['airdrome', 'armoried'], 'aire': ['aire', 'eria'], 'airer': ['airer', 'arrie'], 'airlike': ['airlike', 'kiliare'], 'airman': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'airplane': ['airplane', 'perianal'], 'airplanist': ['airplanist', 'triplasian'], 'airt': ['airt', 'rita', 'tari', 'tiar'], 'airy': ['airy', 'yair'], 'aisle': ['aisle', 'elias'], 'aisled': ['aisled', 'deasil', 'ladies', 'sailed'], 'aisling': ['aisling', 'sailing'], 'aissor': ['aissor', 'rissoa'], 'ait': ['ait', 'ati', 'ita', 'tai'], 'aitch': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'aition': ['aition', 'itonia'], 'aizle': ['aizle', 'eliza'], 'ajar': ['ajar', 'jara', 'raja'], 'ajhar': ['ajhar', 'rajah'], 'ajuga': ['ajuga', 'jagua'], 'ak': ['ak', 'ka'], 'akal': ['akal', 'kala'], 'akali': ['akali', 'alaki'], 'akan': ['akan', 'kana'], 'ake': ['ake', 'kea'], 'akebi': ['akebi', 'bakie'], 'akha': ['akha', 'kaha'], 'akim': ['akim', 'maki'], 'akin': ['akin', 'kina', 'naik'], 'akka': ['akka', 'kaka'], 'aknee': ['aknee', 'ankee', 'keena'], 'ako': ['ako', 'koa', 'oak', 'oka'], 'akoasma': ['akoasma', 'amakosa'], 'aku': ['aku', 'auk', 'kua'], 'al': ['al', 'la'], 'ala': ['aal', 'ala'], 'alacritous': ['alacritous', 'lactarious', 'lactosuria'], 'alain': ['alain', 'alani', 'liana'], 'alaki': ['akali', 'alaki'], 'alalite': ['alalite', 'tillaea'], 'alamo': ['alamo', 'aloma'], 'alan': ['alan', 'anal', 'lana'], 'alangin': ['alangin', 'anginal', 'anglian', 'nagnail'], 'alangine': ['alangine', 'angelina', 'galenian'], 'alani': ['alain', 'alani', 'liana'], 'alanine': ['alanine', 'linnaea'], 'alans': ['alans', 'lanas', 'nasal'], 'alantic': ['actinal', 'alantic', 'alicant', 'antical'], 'alantolic': ['alantolic', 'allantoic'], 'alanyl': ['alanyl', 'anally'], 'alares': ['alares', 'arales'], 'alaria': ['alaria', 'aralia'], 'alaric': ['alaric', 'racial'], 'alarm': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'alarmable': ['alarmable', 'ambarella'], 'alarmedly': ['alarmedly', 'medallary'], 'alarming': ['alarming', 'marginal'], 'alarmingly': ['alarmingly', 'marginally'], 'alarmist': ['alarmist', 'alastrim'], 'alas': ['alas', 'lasa'], 'alastair': ['alastair', 'salariat'], 'alaster': ['alaster', 'tarsale'], 'alastrim': ['alarmist', 'alastrim'], 'alatern': ['alatern', 'lateran'], 'alaternus': ['alaternus', 'saturnale'], 'alation': ['ailanto', 'alation', 'laotian', 'notalia'], 'alb': ['alb', 'bal', 'lab'], 'alba': ['alba', 'baal', 'bala'], 'alban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'albanite': ['albanite', 'balanite', 'nabalite'], 'albardine': ['albardine', 'drainable'], 'albarium': ['albarium', 'brumalia'], 'albata': ['albata', 'atabal', 'balata'], 'albatros': ['abrastol', 'albatros'], 'albe': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'albedo': ['albedo', 'doable'], 'albee': ['abele', 'albee'], 'albeit': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'albert': ['albert', 'balter', 'labret', 'tabler'], 'alberta': ['alberta', 'latebra', 'ratable'], 'albertina': ['albertina', 'trainable'], 'alberto': ['alberto', 'bloater', 'latrobe'], 'albetad': ['albetad', 'datable'], 'albi': ['albi', 'bail', 'bali'], 'albian': ['albian', 'bilaan'], 'albin': ['albin', 'binal', 'blain'], 'albino': ['albino', 'albion', 'alboin', 'oliban'], 'albion': ['albino', 'albion', 'alboin', 'oliban'], 'albite': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'alboin': ['albino', 'albion', 'alboin', 'oliban'], 'alboranite': ['alboranite', 'rationable'], 'albronze': ['albronze', 'blazoner'], 'albuca': ['albuca', 'bacula'], 'albuminate': ['albuminate', 'antelabium'], 'alburnum': ['alburnum', 'laburnum'], 'alcaic': ['alcaic', 'cicala'], 'alcaide': ['alcaide', 'alcidae'], 'alcamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'alcantarines': ['alcantarines', 'lancasterian'], 'alcedo': ['alcedo', 'dacelo'], 'alces': ['alces', 'casel', 'scale'], 'alchemic': ['alchemic', 'chemical'], 'alchemistic': ['alchemistic', 'hemiclastic'], 'alchera': ['alchera', 'archeal'], 'alchitran': ['alchitran', 'clathrina'], 'alcicornium': ['acroclinium', 'alcicornium'], 'alcidae': ['alcaide', 'alcidae'], 'alcidine': ['alcidine', 'danielic', 'lecaniid'], 'alcine': ['alcine', 'ancile'], 'alco': ['alco', 'coal', 'cola', 'loca'], 'alcoate': ['alcoate', 'coelata'], 'alcogel': ['alcogel', 'collage'], 'alcor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'alcoran': ['alcoran', 'ancoral', 'carolan'], 'alcoranic': ['acronical', 'alcoranic'], 'alcove': ['alcove', 'coeval', 'volcae'], 'alcyon': ['alcyon', 'cyanol'], 'alcyone': ['alcyone', 'cyanole'], 'aldamine': ['aldamine', 'lamnidae'], 'aldeament': ['aldeament', 'mandelate'], 'alder': ['alder', 'daler', 'lader'], 'aldermanry': ['aldermanry', 'marylander'], 'aldern': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'aldime': ['aldime', 'mailed', 'medial'], 'aldine': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'aldus': ['aldus', 'sauld'], 'ale': ['ale', 'lea'], 'alec': ['acle', 'alec', 'lace'], 'aleconner': ['aleconner', 'noncereal'], 'alecost': ['alecost', 'lactose', 'scotale', 'talcose'], 'alectoris': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'alectrion': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'alectryon': ['alectryon', 'tolerancy'], 'alecup': ['alecup', 'clupea'], 'alef': ['alef', 'feal', 'flea', 'leaf'], 'aleft': ['aleft', 'alfet', 'fetal', 'fleta'], 'alegar': ['aglare', 'alegar', 'galera', 'laager'], 'alem': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'alemanni': ['alemanni', 'melanian'], 'alemite': ['alemite', 'elamite'], 'alen': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'aleph': ['aleph', 'pheal'], 'alepot': ['alepot', 'pelota'], 'alerce': ['alerce', 'cereal', 'relace'], 'alerse': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'alert': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alertly': ['alertly', 'elytral'], 'alestake': ['alestake', 'eastlake'], 'aletap': ['aletap', 'palate', 'platea'], 'aletris': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'aleuronic': ['aleuronic', 'urceolina'], 'aleut': ['aleut', 'atule'], 'aleutic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'alevin': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'alex': ['alex', 'axel', 'axle'], 'alexandrian': ['alexandrian', 'alexandrina'], 'alexandrina': ['alexandrian', 'alexandrina'], 'alexin': ['alexin', 'xenial'], 'aleyard': ['aleyard', 'already'], 'alfenide': ['alfenide', 'enfilade'], 'alfet': ['aleft', 'alfet', 'fetal', 'fleta'], 'alfred': ['alfred', 'fardel'], 'alfur': ['alfur', 'fural'], 'alga': ['agal', 'agla', 'alga', 'gala'], 'algae': ['algae', 'galea'], 'algal': ['algal', 'galla'], 'algebar': ['algebar', 'algebra'], 'algebra': ['algebar', 'algebra'], 'algedi': ['algedi', 'galeid'], 'algedo': ['algedo', 'geodal'], 'algedonic': ['algedonic', 'genocidal'], 'algenib': ['algenib', 'bealing', 'belgian', 'bengali'], 'algerian': ['algerian', 'geranial', 'regalian'], 'algernon': ['algernon', 'nonglare'], 'algesia': ['algesia', 'sailage'], 'algesis': ['algesis', 'glassie'], 'algieba': ['algieba', 'bailage'], 'algin': ['algin', 'align', 'langi', 'liang', 'linga'], 'alginate': ['agential', 'alginate'], 'algine': ['algine', 'genial', 'linage'], 'algist': ['algist', 'gaslit'], 'algometer': ['algometer', 'glomerate'], 'algometric': ['algometric', 'melotragic'], 'algomian': ['algomian', 'magnolia'], 'algor': ['algor', 'argol', 'goral', 'largo'], 'algoristic': ['agricolist', 'algoristic'], 'algorithm': ['algorithm', 'logarithm'], 'algorithmic': ['algorithmic', 'logarithmic'], 'algraphic': ['algraphic', 'graphical'], 'algum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'alibility': ['alibility', 'liability'], 'alible': ['alible', 'belial', 'labile', 'liable'], 'alicant': ['actinal', 'alantic', 'alicant', 'antical'], 'alice': ['alice', 'celia', 'ileac'], 'alichel': ['alichel', 'challie', 'helical'], 'alida': ['adlai', 'alida'], 'alien': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alienation': ['alienation', 'alineation'], 'alienator': ['alienator', 'rationale'], 'alienism': ['alienism', 'milesian'], 'alienor': ['aileron', 'alienor'], 'alif': ['alif', 'fail'], 'aligerous': ['aligerous', 'glaireous'], 'align': ['algin', 'align', 'langi', 'liang', 'linga'], 'aligner': ['aligner', 'engrail', 'realign', 'reginal'], 'alignment': ['alignment', 'lamenting'], 'alike': ['alike', 'lakie'], 'alikeness': ['alikeness', 'leakiness'], 'alima': ['alima', 'lamia'], 'aliment': ['ailment', 'aliment'], 'alimenter': ['alimenter', 'marteline'], 'alimentic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'alimonied': ['alimonied', 'maleinoid'], 'alin': ['alin', 'anil', 'lain', 'lina', 'nail'], 'aline': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alineation': ['alienation', 'alineation'], 'aliped': ['aliped', 'elapid'], 'aliptes': ['aliptes', 'pastile', 'talipes'], 'aliptic': ['aliptic', 'aplitic'], 'aliseptal': ['aliseptal', 'pallasite'], 'alish': ['alish', 'hilsa'], 'alisier': ['alisier', 'israeli'], 'aliso': ['aliso', 'alois'], 'alison': ['alison', 'anolis'], 'alisp': ['alisp', 'lapsi'], 'alist': ['alist', 'litas', 'slait', 'talis'], 'alister': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'alit': ['alit', 'tail', 'tali'], 'alite': ['alite', 'laeti'], 'aliunde': ['aliunde', 'unideal'], 'aliveness': ['aliveness', 'vealiness'], 'alix': ['alix', 'axil'], 'alk': ['alk', 'lak'], 'alkalizer': ['alkalizer', 'lazarlike'], 'alkamin': ['alkamin', 'malakin'], 'alkene': ['alkene', 'lekane'], 'alkes': ['alkes', 'sakel', 'slake'], 'alkine': ['alkine', 'ilkane', 'inlake', 'inleak'], 'alky': ['alky', 'laky'], 'alkylic': ['alkylic', 'lilacky'], 'allagite': ['allagite', 'alligate', 'talliage'], 'allah': ['allah', 'halal'], 'allantoic': ['alantolic', 'allantoic'], 'allay': ['allay', 'yalla'], 'allayer': ['allayer', 'yallaer'], 'allbone': ['allbone', 'bellona'], 'alle': ['alle', 'ella', 'leal'], 'allecret': ['allecret', 'cellaret'], 'allegate': ['allegate', 'ellagate'], 'allegorist': ['allegorist', 'legislator'], 'allergen': ['allergen', 'generall'], 'allergia': ['allergia', 'galleria'], 'allergin': ['allergin', 'gralline'], 'allergy': ['allergy', 'gallery', 'largely', 'regally'], 'alliable': ['alliable', 'labiella'], 'alliably': ['alliably', 'labially'], 'alliance': ['alliance', 'canaille'], 'alliancer': ['alliancer', 'ralliance'], 'allie': ['allie', 'leila', 'lelia'], 'allies': ['allies', 'aselli'], 'alligate': ['allagite', 'alligate', 'talliage'], 'allium': ['allium', 'alulim', 'muilla'], 'allocation': ['allocation', 'locational'], 'allocute': ['allocute', 'loculate'], 'allocution': ['allocution', 'loculation'], 'allogenic': ['allogenic', 'collegian'], 'allonym': ['allonym', 'malonyl'], 'allopathy': ['allopathy', 'lalopathy'], 'allopatric': ['allopatric', 'patrilocal'], 'allot': ['allot', 'atoll'], 'allothogenic': ['allothogenic', 'ethnological'], 'allover': ['allover', 'overall'], 'allower': ['allower', 'reallow'], 'alloy': ['alloy', 'loyal'], 'allude': ['allude', 'aludel'], 'allure': ['allure', 'laurel'], 'alma': ['alma', 'amla', 'lama', 'mala'], 'almach': ['almach', 'chamal'], 'almaciga': ['almaciga', 'macaglia'], 'almain': ['almain', 'animal', 'lamina', 'manila'], 'alman': ['alman', 'lamna', 'manal'], 'almandite': ['almandite', 'laminated'], 'alme': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'almerian': ['almerian', 'manerial'], 'almoign': ['almoign', 'loaming'], 'almon': ['almon', 'monal'], 'almond': ['almond', 'dolman'], 'almoner': ['almoner', 'moneral', 'nemoral'], 'almonry': ['almonry', 'romanly'], 'alms': ['alms', 'salm', 'slam'], 'almuce': ['almuce', 'caelum', 'macule'], 'almude': ['almude', 'maudle'], 'almug': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'almuten': ['almuten', 'emulant'], 'aln': ['aln', 'lan'], 'alnage': ['alnage', 'angela', 'galena', 'lagena'], 'alnico': ['alnico', 'cliona', 'oilcan'], 'alnilam': ['alnilam', 'manilla'], 'alnoite': ['alnoite', 'elation', 'toenail'], 'alnuin': ['alnuin', 'unnail'], 'alo': ['alo', 'lao', 'loa'], 'alochia': ['acholia', 'alochia'], 'alod': ['alod', 'dola', 'load', 'odal'], 'aloe': ['aloe', 'olea'], 'aloetic': ['aloetic', 'coalite'], 'aloft': ['aloft', 'float', 'flota'], 'alogian': ['alogian', 'logania'], 'alogical': ['alogical', 'colalgia'], 'aloid': ['aloid', 'dolia', 'idola'], 'aloin': ['aloin', 'anoil', 'anoli'], 'alois': ['aliso', 'alois'], 'aloma': ['alamo', 'aloma'], 'alone': ['alone', 'anole', 'olena'], 'along': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'alonso': ['alonso', 'alsoon', 'saloon'], 'alonzo': ['alonzo', 'zoonal'], 'alop': ['alop', 'opal'], 'alopecist': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'alosa': ['alosa', 'loasa', 'oasal'], 'alose': ['alose', 'osela', 'solea'], 'alow': ['alow', 'awol', 'lowa'], 'aloxite': ['aloxite', 'oxalite'], 'alp': ['alp', 'lap', 'pal'], 'alpeen': ['alpeen', 'lenape', 'pelean'], 'alpen': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'alpestral': ['alpestral', 'palestral'], 'alpestrian': ['alpestrian', 'palestrian', 'psalterian'], 'alpestrine': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'alphenic': ['alphenic', 'cephalin'], 'alphonse': ['alphonse', 'phenosal'], 'alphos': ['alphos', 'pholas'], 'alphosis': ['alphosis', 'haplosis'], 'alpid': ['alpid', 'plaid'], 'alpieu': ['alpieu', 'paulie'], 'alpine': ['alpine', 'nepali', 'penial', 'pineal'], 'alpinist': ['alpinist', 'antislip'], 'alpist': ['alpist', 'pastil', 'spital'], 'alraun': ['alraun', 'alruna', 'ranula'], 'already': ['aleyard', 'already'], 'alrighty': ['alrighty', 'arightly'], 'alruna': ['alraun', 'alruna', 'ranula'], 'alsine': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'also': ['also', 'sola'], 'alsoon': ['alonso', 'alsoon', 'saloon'], 'alstonidine': ['alstonidine', 'nonidealist'], 'alstonine': ['alstonine', 'tensional'], 'alt': ['alt', 'lat', 'tal'], 'altaian': ['altaian', 'latania', 'natalia'], 'altaic': ['altaic', 'altica'], 'altaid': ['adital', 'altaid'], 'altair': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'altamira': ['altamira', 'matralia'], 'altar': ['altar', 'artal', 'ratal', 'talar'], 'altared': ['altared', 'laterad'], 'altarist': ['altarist', 'striatal'], 'alter': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alterability': ['alterability', 'bilaterality', 'relatability'], 'alterable': ['alterable', 'relatable'], 'alterant': ['alterant', 'tarletan'], 'alterer': ['alterer', 'realter', 'relater'], 'altern': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'alterne': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'althea': ['althea', 'elatha'], 'altho': ['altho', 'lhota', 'loath'], 'althorn': ['althorn', 'anthrol', 'thronal'], 'altica': ['altaic', 'altica'], 'altin': ['altin', 'latin'], 'altiscope': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'altitude': ['altitude', 'latitude'], 'altitudinal': ['altitudinal', 'latitudinal'], 'altitudinarian': ['altitudinarian', 'latitudinarian'], 'alto': ['alto', 'lota'], 'altrices': ['altrices', 'selictar'], 'altruism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'altruist': ['altruist', 'ultraist'], 'altruistic': ['altruistic', 'truistical', 'ultraistic'], 'aludel': ['allude', 'aludel'], 'aludra': ['adular', 'aludra', 'radula'], 'alulet': ['alulet', 'luteal'], 'alulim': ['allium', 'alulim', 'muilla'], 'alum': ['alum', 'maul'], 'aluminate': ['aluminate', 'alumniate'], 'aluminide': ['aluminide', 'unimedial'], 'aluminosilicate': ['aluminosilicate', 'silicoaluminate'], 'alumna': ['alumna', 'manual'], 'alumni': ['alumni', 'unmail'], 'alumniate': ['aluminate', 'alumniate'], 'alur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'alure': ['alure', 'ureal'], 'alurgite': ['alurgite', 'ligature'], 'aluta': ['aluta', 'taula'], 'alvan': ['alvan', 'naval'], 'alvar': ['alvar', 'arval', 'larva'], 'alveus': ['alveus', 'avulse'], 'alvin': ['alvin', 'anvil', 'nival', 'vinal'], 'alvine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'aly': ['aly', 'lay'], 'alypin': ['alypin', 'pialyn'], 'alytes': ['alytes', 'astely', 'lysate', 'stealy'], 'am': ['am', 'ma'], 'ama': ['aam', 'ama'], 'amacrine': ['amacrine', 'american', 'camerina', 'cinerama'], 'amadi': ['amadi', 'damia', 'madia', 'maida'], 'amaethon': ['amaethon', 'thomaean'], 'amaga': ['agama', 'amaga'], 'amah': ['amah', 'maha'], 'amain': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amakosa': ['akoasma', 'amakosa'], 'amalgam': ['amalgam', 'malagma'], 'amang': ['amang', 'ganam', 'manga'], 'amani': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amanist': ['amanist', 'stamina'], 'amanitin': ['amanitin', 'maintain'], 'amanitine': ['amanitine', 'inanimate'], 'amanori': ['amanori', 'moarian'], 'amapa': ['amapa', 'apama'], 'amar': ['amar', 'amra', 'mara', 'rama'], 'amarin': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'amaroid': ['amaroid', 'diorama'], 'amarth': ['amarth', 'martha'], 'amass': ['amass', 'assam', 'massa', 'samas'], 'amasser': ['amasser', 'reamass'], 'amati': ['amati', 'amita', 'matai'], 'amatorian': ['amatorian', 'inamorata'], 'amaurosis': ['amaurosis', 'mosasauri'], 'amazonite': ['amazonite', 'anatomize'], 'amba': ['amba', 'maba'], 'ambar': ['abram', 'ambar'], 'ambarella': ['alarmable', 'ambarella'], 'ambash': ['ambash', 'shamba'], 'ambay': ['ambay', 'mbaya'], 'ambeer': ['ambeer', 'beamer'], 'amber': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'ambier': ['ambier', 'bremia', 'embira'], 'ambit': ['ambit', 'imbat'], 'ambivert': ['ambivert', 'verbatim'], 'amble': ['amble', 'belam', 'blame', 'mabel'], 'ambler': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'ambling': ['ambling', 'blaming'], 'amblingly': ['amblingly', 'blamingly'], 'ambo': ['ambo', 'boma'], 'ambos': ['ambos', 'sambo'], 'ambrein': ['ambrein', 'mirbane'], 'ambrette': ['ambrette', 'tambreet'], 'ambrose': ['ambrose', 'mesobar'], 'ambrosia': ['ambrosia', 'saboraim'], 'ambrosin': ['ambrosin', 'barosmin', 'sabromin'], 'ambry': ['ambry', 'barmy'], 'ambury': ['ambury', 'aumbry'], 'ambush': ['ambush', 'shambu'], 'amchoor': ['amchoor', 'ochroma'], 'ame': ['ame', 'mae'], 'ameed': ['adeem', 'ameed', 'edema'], 'ameen': ['ameen', 'amene', 'enema'], 'amelification': ['amelification', 'maleficiation'], 'ameliorant': ['ameliorant', 'lomentaria'], 'amellus': ['amellus', 'malleus'], 'amelu': ['amelu', 'leuma', 'ulema'], 'amelus': ['amelus', 'samuel'], 'amen': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'amenability': ['amenability', 'nameability'], 'amenable': ['amenable', 'nameable'], 'amend': ['amend', 'mande', 'maned'], 'amende': ['amende', 'demean', 'meaned', 'nadeem'], 'amender': ['amender', 'meander', 'reamend', 'reedman'], 'amends': ['amends', 'desman'], 'amene': ['ameen', 'amene', 'enema'], 'amenia': ['amenia', 'anemia'], 'amenism': ['amenism', 'immanes', 'misname'], 'amenite': ['amenite', 'etamine', 'matinee'], 'amenorrheal': ['amenorrheal', 'melanorrhea'], 'ament': ['ament', 'meant', 'teman'], 'amental': ['amental', 'leatman'], 'amentia': ['amentia', 'aminate', 'anamite', 'animate'], 'amerce': ['amerce', 'raceme'], 'amercer': ['amercer', 'creamer'], 'american': ['amacrine', 'american', 'camerina', 'cinerama'], 'amerind': ['adermin', 'amerind', 'dimeran'], 'amerism': ['amerism', 'asimmer', 'sammier'], 'ameristic': ['ameristic', 'armistice', 'artemisic'], 'amesite': ['amesite', 'mesitae', 'semitae'], 'ametria': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ametrope': ['ametrope', 'metapore'], 'amex': ['amex', 'exam', 'xema'], 'amgarn': ['amgarn', 'mangar', 'marang', 'ragman'], 'amhar': ['amhar', 'mahar', 'mahra'], 'amherstite': ['amherstite', 'hemistater'], 'amhran': ['amhran', 'harman', 'mahran'], 'ami': ['aim', 'ami', 'ima'], 'amia': ['amia', 'maia'], 'amic': ['amic', 'mica'], 'amical': ['amical', 'camail', 'lamaic'], 'amiced': ['amiced', 'decima'], 'amicicide': ['amicicide', 'cimicidae'], 'amicron': ['amicron', 'marconi', 'minorca', 'romanic'], 'amid': ['admi', 'amid', 'madi', 'maid'], 'amidate': ['adamite', 'amidate'], 'amide': ['amide', 'damie', 'media'], 'amidide': ['amidide', 'diamide', 'mididae'], 'amidin': ['amidin', 'damnii'], 'amidine': ['amidine', 'diamine'], 'amidism': ['amidism', 'maidism'], 'amidist': ['amidist', 'dimatis'], 'amidon': ['amidon', 'daimon', 'domain'], 'amidophenol': ['amidophenol', 'monodelphia'], 'amidst': ['amidst', 'datism'], 'amigo': ['amigo', 'imago'], 'amiidae': ['amiidae', 'maiidae'], 'amil': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amiles': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'amimia': ['amimia', 'miamia'], 'amimide': ['amimide', 'mimidae'], 'amin': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'aminate': ['amentia', 'aminate', 'anamite', 'animate'], 'amination': ['amination', 'animation'], 'amine': ['amine', 'anime', 'maine', 'manei'], 'amini': ['amini', 'animi'], 'aminize': ['aminize', 'animize', 'azimine'], 'amino': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'aminoplast': ['aminoplast', 'plasmation'], 'amintor': ['amintor', 'tormina'], 'amir': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'amiranha': ['amiranha', 'maharani'], 'amiray': ['amiray', 'myaria'], 'amissness': ['amissness', 'massiness'], 'amita': ['amati', 'amita', 'matai'], 'amitosis': ['amitosis', 'omasitis'], 'amixia': ['amixia', 'ixiama'], 'amla': ['alma', 'amla', 'lama', 'mala'], 'amli': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amlong': ['amlong', 'logman'], 'amma': ['amma', 'maam'], 'ammelin': ['ammelin', 'limeman'], 'ammeline': ['ammeline', 'melamine'], 'ammeter': ['ammeter', 'metamer'], 'ammi': ['ammi', 'imam', 'maim', 'mima'], 'ammine': ['ammine', 'immane'], 'ammo': ['ammo', 'mamo'], 'ammonic': ['ammonic', 'mocmain'], 'ammonolytic': ['ammonolytic', 'commonality'], 'ammunition': ['ammunition', 'antimonium'], 'amnestic': ['amnestic', 'semantic'], 'amnia': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amniac': ['amniac', 'caiman', 'maniac'], 'amnic': ['amnic', 'manic'], 'amnion': ['amnion', 'minoan', 'nomina'], 'amnionata': ['amnionata', 'anamniota'], 'amnionate': ['amnionate', 'anamniote', 'emanation'], 'amniota': ['amniota', 'itonama'], 'amniote': ['amniote', 'anomite'], 'amniotic': ['amniotic', 'mication'], 'amniotome': ['amniotome', 'momotinae'], 'amok': ['amok', 'mako'], 'amole': ['amole', 'maleo'], 'amomis': ['amomis', 'mimosa'], 'among': ['among', 'mango'], 'amor': ['amor', 'maro', 'mora', 'omar', 'roam'], 'amores': ['amores', 'ramose', 'sorema'], 'amoret': ['amoret', 'morate'], 'amorist': ['amorist', 'aortism', 'miastor'], 'amoritic': ['amoritic', 'microtia'], 'amorpha': ['amorpha', 'amphora'], 'amorphic': ['amorphic', 'amphoric'], 'amorphous': ['amorphous', 'amphorous'], 'amort': ['amort', 'morat', 'torma'], 'amortize': ['amortize', 'atomizer'], 'amos': ['amos', 'soam', 'soma'], 'amotion': ['amotion', 'otomian'], 'amount': ['amount', 'moutan', 'outman'], 'amoy': ['amoy', 'mayo'], 'ampelis': ['ampelis', 'lepisma'], 'ampelite': ['ampelite', 'pimelate'], 'ampelitic': ['ampelitic', 'implicate'], 'amper': ['amper', 'remap'], 'amperemeter': ['amperemeter', 'permeameter'], 'amperian': ['amperian', 'paramine', 'pearmain'], 'amphicyon': ['amphicyon', 'hypomanic'], 'amphigenous': ['amphigenous', 'musophagine'], 'amphiphloic': ['amphiphloic', 'amphophilic'], 'amphipodous': ['amphipodous', 'hippodamous'], 'amphitropous': ['amphitropous', 'pastophorium'], 'amphophilic': ['amphiphloic', 'amphophilic'], 'amphora': ['amorpha', 'amphora'], 'amphore': ['amphore', 'morphea'], 'amphorette': ['amphorette', 'haptometer'], 'amphoric': ['amorphic', 'amphoric'], 'amphorous': ['amorphous', 'amphorous'], 'amphoteric': ['amphoteric', 'metaphoric'], 'ample': ['ample', 'maple'], 'ampliate': ['ampliate', 'palamite'], 'amplification': ['amplification', 'palmification'], 'amply': ['amply', 'palmy'], 'ampul': ['ampul', 'pluma'], 'ampulla': ['ampulla', 'palmula'], 'amra': ['amar', 'amra', 'mara', 'rama'], 'amsath': ['amsath', 'asthma'], 'amsel': ['amsel', 'melas', 'mesal', 'samel'], 'amsonia': ['amsonia', 'anosmia'], 'amt': ['amt', 'mat', 'tam'], 'amulet': ['amulet', 'muleta'], 'amunam': ['amunam', 'manuma'], 'amuse': ['amuse', 'mesua'], 'amused': ['amused', 'masdeu', 'medusa'], 'amusee': ['amusee', 'saeume'], 'amuser': ['amuser', 'mauser'], 'amusgo': ['amusgo', 'sugamo'], 'amvis': ['amvis', 'mavis'], 'amy': ['amy', 'may', 'mya', 'yam'], 'amyelic': ['amyelic', 'mycelia'], 'amyl': ['amyl', 'lyam', 'myal'], 'amylan': ['amylan', 'lamany', 'layman'], 'amylenol': ['amylenol', 'myelonal'], 'amylidene': ['amylidene', 'mydaleine'], 'amylin': ['amylin', 'mainly'], 'amylo': ['amylo', 'loamy'], 'amylon': ['amylon', 'onymal'], 'amyotrophy': ['amyotrophy', 'myoatrophy'], 'amyrol': ['amyrol', 'molary'], 'an': ['an', 'na'], 'ana': ['ana', 'naa'], 'anacara': ['anacara', 'aracana'], 'anacard': ['anacard', 'caranda'], 'anaces': ['anaces', 'scaean'], 'anachorism': ['anachorism', 'chorasmian', 'maraschino'], 'anacid': ['acnida', 'anacid', 'dacian'], 'anacreontic': ['anacreontic', 'canceration'], 'anacusis': ['anacusis', 'ascanius'], 'anadem': ['anadem', 'maenad'], 'anadenia': ['anadenia', 'danainae'], 'anadrom': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'anaemic': ['acnemia', 'anaemic'], 'anaeretic': ['anaeretic', 'ecarinate'], 'anal': ['alan', 'anal', 'lana'], 'analcime': ['alcamine', 'analcime', 'calamine', 'camelina'], 'analcite': ['analcite', 'anticlea', 'laitance'], 'analcitite': ['analcitite', 'catalinite'], 'analectic': ['acclinate', 'analectic'], 'analeptical': ['analeptical', 'placentalia'], 'anally': ['alanyl', 'anally'], 'analogic': ['analogic', 'calinago'], 'analogist': ['analogist', 'nostalgia'], 'anam': ['anam', 'mana', 'naam', 'nama'], 'anamesite': ['anamesite', 'seamanite'], 'anamirta': ['anamirta', 'araminta'], 'anamite': ['amentia', 'aminate', 'anamite', 'animate'], 'anamniota': ['amnionata', 'anamniota'], 'anamniote': ['amnionate', 'anamniote', 'emanation'], 'anan': ['anan', 'anna', 'nana'], 'ananda': ['ananda', 'danaan'], 'anandria': ['anandria', 'andriana'], 'anangioid': ['agoniadin', 'anangioid', 'ganoidian'], 'ananism': ['ananism', 'samnani'], 'ananite': ['ananite', 'anatine', 'taenian'], 'anaphoric': ['anaphoric', 'pharaonic'], 'anaphorical': ['anaphorical', 'pharaonical'], 'anapnea': ['anapnea', 'napaean'], 'anapsid': ['anapsid', 'sapinda'], 'anapsida': ['anapsida', 'anaspida'], 'anaptotic': ['anaptotic', 'captation'], 'anarchic': ['anarchic', 'characin'], 'anarchism': ['anarchism', 'arachnism'], 'anarchist': ['anarchist', 'archsaint', 'cantharis'], 'anarcotin': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'anaretic': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'anarthropod': ['anarthropod', 'arthropodan'], 'anas': ['anas', 'ansa', 'saan'], 'anasa': ['anasa', 'asana'], 'anaspida': ['anapsida', 'anaspida'], 'anastaltic': ['anastaltic', 'catalanist'], 'anat': ['anat', 'anta', 'tana'], 'anatidae': ['anatidae', 'taeniada'], 'anatine': ['ananite', 'anatine', 'taenian'], 'anatocism': ['anatocism', 'anosmatic'], 'anatole': ['anatole', 'notaeal'], 'anatolic': ['aconital', 'actional', 'anatolic'], 'anatomicopathologic': ['anatomicopathologic', 'pathologicoanatomic'], 'anatomicopathological': ['anatomicopathological', 'pathologicoanatomical'], 'anatomicophysiologic': ['anatomicophysiologic', 'physiologicoanatomic'], 'anatomism': ['anatomism', 'nomismata'], 'anatomize': ['amazonite', 'anatomize'], 'anatum': ['anatum', 'mantua', 'tamanu'], 'anay': ['anay', 'yana'], 'anba': ['anba', 'bana'], 'ancestor': ['ancestor', 'entosarc'], 'ancestral': ['ancestral', 'lancaster'], 'anchat': ['acanth', 'anchat', 'tanach'], 'anchietin': ['anchietin', 'cathinine'], 'anchistea': ['anchistea', 'hanseatic'], 'anchor': ['anchor', 'archon', 'charon', 'rancho'], 'anchored': ['anchored', 'rondache'], 'anchorer': ['anchorer', 'ranchero', 'reanchor'], 'anchoretic': ['acherontic', 'anchoretic'], 'anchoretical': ['acherontical', 'anchoretical'], 'anchoretism': ['anchoretism', 'trichomanes'], 'anchorite': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'anchoritism': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'ancile': ['alcine', 'ancile'], 'ancilla': ['aclinal', 'ancilla'], 'ancillary': ['ancillary', 'carlylian', 'cranially'], 'ancon': ['ancon', 'canon'], 'anconitis': ['anconitis', 'antiscion', 'onanistic'], 'ancony': ['ancony', 'canyon'], 'ancoral': ['alcoran', 'ancoral', 'carolan'], 'ancylus': ['ancylus', 'unscaly'], 'ancyrene': ['ancyrene', 'cerynean'], 'and': ['and', 'dan'], 'anda': ['anda', 'dana'], 'andante': ['andante', 'dantean'], 'ande': ['ande', 'dane', 'dean', 'edna'], 'andesitic': ['andesitic', 'dianetics'], 'andhra': ['andhra', 'dharna'], 'andi': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'andian': ['andian', 'danian', 'nidana'], 'andine': ['aidenn', 'andine', 'dannie', 'indane'], 'andira': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'andre': ['andre', 'arend', 'daren', 'redan'], 'andrew': ['andrew', 'redawn', 'wander', 'warden'], 'andria': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andriana': ['anandria', 'andriana'], 'andrias': ['andrias', 'sardian', 'sarinda'], 'andric': ['andric', 'cardin', 'rancid'], 'andries': ['andries', 'isander', 'sardine'], 'androgynus': ['androgynus', 'gynandrous'], 'androl': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'andronicus': ['andronicus', 'unsardonic'], 'androtomy': ['androtomy', 'dynamotor'], 'anear': ['anear', 'arean', 'arena'], 'aneath': ['ahtena', 'aneath', 'athena'], 'anecdota': ['anecdota', 'coadnate'], 'anele': ['anele', 'elean'], 'anematosis': ['anematosis', 'menostasia'], 'anemia': ['amenia', 'anemia'], 'anemic': ['anemic', 'cinema', 'iceman'], 'anemograph': ['anemograph', 'phanerogam'], 'anemographic': ['anemographic', 'phanerogamic'], 'anemography': ['anemography', 'phanerogamy'], 'anemone': ['anemone', 'monaene'], 'anent': ['anent', 'annet', 'nenta'], 'anepia': ['anepia', 'apinae'], 'aneretic': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'anergic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'anergy': ['anergy', 'rangey'], 'anerly': ['anerly', 'nearly'], 'aneroid': ['aneroid', 'arenoid'], 'anerotic': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'anes': ['anes', 'sane', 'sean'], 'anesis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'aneuric': ['aneuric', 'rinceau'], 'aneurin': ['aneurin', 'uranine'], 'aneurism': ['aneurism', 'arsenium', 'sumerian'], 'anew': ['anew', 'wane', 'wean'], 'angami': ['angami', 'magani', 'magian'], 'angara': ['angara', 'aranga', 'nagara'], 'angaria': ['agrania', 'angaria', 'niagara'], 'angel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angela': ['alnage', 'angela', 'galena', 'lagena'], 'angeldom': ['angeldom', 'lodgeman'], 'angelet': ['angelet', 'elegant'], 'angelic': ['angelic', 'galenic'], 'angelical': ['angelical', 'englacial', 'galenical'], 'angelically': ['angelically', 'englacially'], 'angelin': ['angelin', 'leaning'], 'angelina': ['alangine', 'angelina', 'galenian'], 'angelique': ['angelique', 'equiangle'], 'angelo': ['angelo', 'engaol'], 'angelot': ['angelot', 'tangelo'], 'anger': ['anger', 'areng', 'grane', 'range'], 'angerly': ['angerly', 'geranyl'], 'angers': ['angers', 'sanger', 'serang'], 'angico': ['agonic', 'angico', 'gaonic', 'goniac'], 'angie': ['angie', 'gaine'], 'angild': ['angild', 'lading'], 'angili': ['ailing', 'angili', 'nilgai'], 'angina': ['angina', 'inanga'], 'anginal': ['alangin', 'anginal', 'anglian', 'nagnail'], 'angiocholitis': ['angiocholitis', 'cholangioitis'], 'angiochondroma': ['angiochondroma', 'chondroangioma'], 'angiofibroma': ['angiofibroma', 'fibroangioma'], 'angioid': ['angioid', 'gonidia'], 'angiokeratoma': ['angiokeratoma', 'keratoangioma'], 'angiometer': ['angiometer', 'ergotamine', 'geometrina'], 'angka': ['angka', 'kanga'], 'anglaise': ['anglaise', 'gelasian'], 'angle': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angled': ['angled', 'dangle', 'englad', 'lagend'], 'angler': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'angles': ['angles', 'gansel'], 'angleworm': ['angleworm', 'lawmonger'], 'anglian': ['alangin', 'anginal', 'anglian', 'nagnail'], 'anglic': ['anglic', 'lacing'], 'anglish': ['anglish', 'ashling'], 'anglist': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'angloid': ['angloid', 'loading'], 'ango': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'angola': ['agonal', 'angola'], 'angolar': ['angolar', 'organal'], 'angor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'angora': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'angriness': ['angriness', 'ranginess'], 'angrite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'angry': ['angry', 'rangy'], 'angst': ['angst', 'stang', 'tangs'], 'angster': ['angster', 'garnets', 'nagster', 'strange'], 'anguid': ['anguid', 'gaduin'], 'anguine': ['anguine', 'guanine', 'guinean'], 'angula': ['angula', 'nagual'], 'angular': ['angular', 'granula'], 'angulate': ['angulate', 'gaetulan'], 'anguria': ['anguria', 'gaurian', 'guarani'], 'angus': ['agnus', 'angus', 'sugan'], 'anharmonic': ['anharmonic', 'monarchian'], 'anhematosis': ['anhematosis', 'somasthenia'], 'anhidrotic': ['anhidrotic', 'trachinoid'], 'anhistous': ['anhistous', 'isanthous'], 'anhydridize': ['anhydridize', 'hydrazidine'], 'anhydrize': ['anhydrize', 'hydrazine'], 'ani': ['ani', 'ian'], 'anice': ['anice', 'eniac'], 'aniconic': ['aniconic', 'ciconian'], 'aniconism': ['aniconism', 'insomniac'], 'anicular': ['anicular', 'caulinar'], 'anicut': ['anicut', 'nautic', 'ticuna', 'tunica'], 'anidian': ['anidian', 'indiana'], 'aniente': ['aniente', 'itenean'], 'anight': ['anight', 'athing'], 'anil': ['alin', 'anil', 'lain', 'lina', 'nail'], 'anile': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'anilic': ['anilic', 'clinia'], 'anilid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'anilide': ['anilide', 'elaidin'], 'anilidic': ['anilidic', 'indicial'], 'anima': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'animable': ['animable', 'maniable'], 'animal': ['almain', 'animal', 'lamina', 'manila'], 'animalic': ['animalic', 'limacina'], 'animate': ['amentia', 'aminate', 'anamite', 'animate'], 'animated': ['animated', 'mandaite', 'mantidae'], 'animater': ['animater', 'marinate'], 'animating': ['animating', 'imaginant'], 'animation': ['amination', 'animation'], 'animator': ['animator', 'tamanoir'], 'anime': ['amine', 'anime', 'maine', 'manei'], 'animi': ['amini', 'animi'], 'animist': ['animist', 'santimi'], 'animize': ['aminize', 'animize', 'azimine'], 'animus': ['animus', 'anisum', 'anusim', 'manius'], 'anionic': ['anionic', 'iconian'], 'anis': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'anisal': ['anisal', 'nasial', 'salian', 'salina'], 'anisate': ['anisate', 'entasia'], 'anise': ['anise', 'insea', 'siena', 'sinae'], 'anisette': ['anisette', 'atestine', 'settaine'], 'anisic': ['anisic', 'sicani', 'sinaic'], 'anisilic': ['anisilic', 'sicilian'], 'anisodont': ['anisodont', 'sondation'], 'anisometric': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'anisopod': ['anisopod', 'isopodan'], 'anisoptera': ['anisoptera', 'asperation', 'separation'], 'anisum': ['animus', 'anisum', 'anusim', 'manius'], 'anisuria': ['anisuria', 'isaurian'], 'anisyl': ['anisyl', 'snaily'], 'anita': ['anita', 'niata', 'tania'], 'anither': ['anither', 'inearth', 'naither'], 'ankee': ['aknee', 'ankee', 'keena'], 'anker': ['anker', 'karen', 'naker'], 'ankh': ['ankh', 'hank', 'khan'], 'anklet': ['anklet', 'lanket', 'tankle'], 'ankoli': ['ankoli', 'kaolin'], 'ankus': ['ankus', 'kusan'], 'ankyroid': ['ankyroid', 'dikaryon'], 'anlace': ['anlace', 'calean'], 'ann': ['ann', 'nan'], 'anna': ['anan', 'anna', 'nana'], 'annale': ['annale', 'anneal'], 'annaline': ['annaline', 'linnaean'], 'annalist': ['annalist', 'santalin'], 'annalize': ['annalize', 'zelanian'], 'annam': ['annam', 'manna'], 'annamite': ['annamite', 'manatine'], 'annard': ['annard', 'randan'], 'annat': ['annat', 'tanan'], 'annates': ['annates', 'tannase'], 'anne': ['anne', 'nane'], 'anneal': ['annale', 'anneal'], 'annealer': ['annealer', 'lernaean', 'reanneal'], 'annelid': ['annelid', 'lindane'], 'annelism': ['annelism', 'linesman'], 'anneloid': ['anneloid', 'nonideal'], 'annet': ['anent', 'annet', 'nenta'], 'annexer': ['annexer', 'reannex'], 'annie': ['annie', 'inane'], 'annite': ['annite', 'innate', 'tinean'], 'annotine': ['annotine', 'tenonian'], 'annoy': ['annoy', 'nonya'], 'annoyancer': ['annoyancer', 'rayonnance'], 'annoyer': ['annoyer', 'reannoy'], 'annualist': ['annualist', 'sultanian'], 'annulation': ['annulation', 'unnational'], 'annulet': ['annulet', 'nauntle'], 'annulment': ['annulment', 'tunnelman'], 'annuloid': ['annuloid', 'uninodal'], 'anodic': ['adonic', 'anodic'], 'anodize': ['adonize', 'anodize'], 'anodynic': ['anodynic', 'cydonian'], 'anoestrous': ['anoestrous', 'treasonous'], 'anoestrum': ['anoestrum', 'neuromast'], 'anoetic': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'anogenic': ['anogenic', 'canoeing'], 'anogra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'anoil': ['aloin', 'anoil', 'anoli'], 'anoint': ['anoint', 'nation'], 'anointer': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'anole': ['alone', 'anole', 'olena'], 'anoli': ['aloin', 'anoil', 'anoli'], 'anolis': ['alison', 'anolis'], 'anomaliped': ['anomaliped', 'palaemonid'], 'anomalism': ['anomalism', 'malmaison'], 'anomalist': ['anomalist', 'atonalism'], 'anomiidae': ['anomiidae', 'maioidean'], 'anomite': ['amniote', 'anomite'], 'anomodont': ['anomodont', 'monodonta'], 'anomural': ['anomural', 'monaural'], 'anon': ['anon', 'nona', 'onan'], 'anophyte': ['anophyte', 'typhoean'], 'anopia': ['anopia', 'aponia', 'poiana'], 'anorak': ['anorak', 'korana'], 'anorchism': ['anorchism', 'harmonics'], 'anorectic': ['accretion', 'anorectic', 'neoarctic'], 'anorthic': ['anorthic', 'anthroic', 'tanchoir'], 'anorthitite': ['anorthitite', 'trithionate'], 'anorthose': ['anorthose', 'hoarstone'], 'anosia': ['anosia', 'asonia'], 'anosmatic': ['anatocism', 'anosmatic'], 'anosmia': ['amsonia', 'anosmia'], 'anosmic': ['anosmic', 'masonic'], 'anoterite': ['anoterite', 'orientate'], 'another': ['another', 'athenor', 'rheotan'], 'anotia': ['anotia', 'atonia'], 'anoxia': ['anoxia', 'axonia'], 'anoxic': ['anoxic', 'oxanic'], 'ansa': ['anas', 'ansa', 'saan'], 'ansar': ['ansar', 'saran', 'sarna'], 'ansation': ['ansation', 'sonatina'], 'anseis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'ansel': ['ansel', 'slane'], 'anselm': ['anselm', 'mensal'], 'anser': ['anser', 'nares', 'rasen', 'snare'], 'anserine': ['anserine', 'reinsane'], 'anserous': ['anserous', 'arsenous'], 'ansu': ['ansu', 'anus'], 'answerer': ['answerer', 'reanswer'], 'ant': ['ant', 'nat', 'tan'], 'anta': ['anat', 'anta', 'tana'], 'antacrid': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'antagonism': ['antagonism', 'montagnais'], 'antagonist': ['antagonist', 'stagnation'], 'antal': ['antal', 'natal'], 'antanemic': ['antanemic', 'cinnamate'], 'antar': ['antar', 'antra'], 'antarchistical': ['antarchistical', 'charlatanistic'], 'ante': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'anteact': ['anteact', 'cantate'], 'anteal': ['anteal', 'lanate', 'teanal'], 'antechoir': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'antecornu': ['antecornu', 'connature'], 'antedate': ['antedate', 'edentata'], 'antelabium': ['albuminate', 'antelabium'], 'antelopian': ['antelopian', 'neapolitan', 'panelation'], 'antelucan': ['antelucan', 'cannulate'], 'antelude': ['antelude', 'unelated'], 'anteluminary': ['anteluminary', 'unalimentary'], 'antemedial': ['antemedial', 'delaminate'], 'antenatal': ['antenatal', 'atlantean', 'tantalean'], 'anteriad': ['anteriad', 'atridean', 'dentaria'], 'anteroinferior': ['anteroinferior', 'inferoanterior'], 'anterosuperior': ['anterosuperior', 'superoanterior'], 'antes': ['antes', 'nates', 'stane', 'stean'], 'anthela': ['anthela', 'ethanal'], 'anthem': ['anthem', 'hetman', 'mentha'], 'anthemwise': ['anthemwise', 'whitmanese'], 'anther': ['anther', 'nather', 'tharen', 'thenar'], 'anthericum': ['anthericum', 'narthecium'], 'anthicidae': ['anthicidae', 'tachinidae'], 'anthinae': ['anthinae', 'athenian'], 'anthogenous': ['anthogenous', 'neognathous'], 'anthonomus': ['anthonomus', 'monanthous'], 'anthophile': ['anthophile', 'lithophane'], 'anthracia': ['anthracia', 'antiarcha', 'catharina'], 'anthroic': ['anorthic', 'anthroic', 'tanchoir'], 'anthrol': ['althorn', 'anthrol', 'thronal'], 'anthropic': ['anthropic', 'rhapontic'], 'anti': ['aint', 'anti', 'tain', 'tina'], 'antiabrin': ['antiabrin', 'britannia'], 'antiae': ['aetian', 'antiae', 'taenia'], 'antiager': ['antiager', 'trainage'], 'antialbumid': ['antialbumid', 'balantidium'], 'antialien': ['ailantine', 'antialien'], 'antiarcha': ['anthracia', 'antiarcha', 'catharina'], 'antiaris': ['antiaris', 'intarsia'], 'antibenzaldoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'antiblue': ['antiblue', 'nubilate'], 'antic': ['actin', 'antic'], 'antical': ['actinal', 'alantic', 'alicant', 'antical'], 'anticaste': ['anticaste', 'ataentsic'], 'anticlea': ['analcite', 'anticlea', 'laitance'], 'anticlinorium': ['anticlinorium', 'inclinatorium'], 'anticly': ['anticly', 'cantily'], 'anticness': ['anticness', 'cantiness', 'incessant'], 'anticor': ['anticor', 'carotin', 'cortina', 'ontaric'], 'anticouncil': ['anticouncil', 'inculcation'], 'anticourt': ['anticourt', 'curtation', 'ructation'], 'anticous': ['acontius', 'anticous'], 'anticreative': ['anticreative', 'antireactive'], 'anticreep': ['anticreep', 'apenteric', 'increpate'], 'antidote': ['antidote', 'tetanoid'], 'antidotical': ['antidotical', 'dictational'], 'antietam': ['antietam', 'manettia'], 'antiextreme': ['antiextreme', 'exterminate'], 'antifouler': ['antifouler', 'fluorinate', 'uniflorate'], 'antifriction': ['antifriction', 'nitrifaction'], 'antifungin': ['antifungin', 'unfainting'], 'antigen': ['antigen', 'gentian'], 'antigenic': ['antigenic', 'gentianic'], 'antiglare': ['antiglare', 'raglanite'], 'antigod': ['antigod', 'doating'], 'antigone': ['antigone', 'negation'], 'antiheroic': ['antiheroic', 'theorician'], 'antilemic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'antilia': ['antilia', 'italian'], 'antilipase': ['antilipase', 'sapiential'], 'antilope': ['antilope', 'antipole'], 'antimallein': ['antimallein', 'inalimental'], 'antimasque': ['antimasque', 'squamatine'], 'antimeric': ['antimeric', 'carminite', 'criminate', 'metrician'], 'antimerina': ['antimerina', 'maintainer', 'remaintain'], 'antimeter': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'antimodel': ['antimodel', 'maldonite', 'monilated'], 'antimodern': ['antimodern', 'ordainment'], 'antimonial': ['antimonial', 'lamination'], 'antimonic': ['antimonic', 'antinomic'], 'antimonium': ['ammunition', 'antimonium'], 'antimony': ['antimony', 'antinomy'], 'antimoral': ['antimoral', 'tailorman'], 'antimosquito': ['antimosquito', 'misquotation'], 'antinegro': ['antinegro', 'argentino', 'argention'], 'antinepotic': ['antinepotic', 'pectination'], 'antineutral': ['antineutral', 'triannulate'], 'antinial': ['antinial', 'latinian'], 'antinome': ['antinome', 'nominate'], 'antinomian': ['antinomian', 'innominata'], 'antinomic': ['antimonic', 'antinomic'], 'antinomy': ['antimony', 'antinomy'], 'antinormal': ['antinormal', 'nonmarital', 'nonmartial'], 'antiphonetic': ['antiphonetic', 'pentathionic'], 'antiphonic': ['antiphonic', 'napthionic'], 'antiphony': ['antiphony', 'typhonian'], 'antiphrasis': ['antiphrasis', 'artisanship'], 'antipodic': ['antipodic', 'diapnotic'], 'antipole': ['antilope', 'antipole'], 'antipolo': ['antipolo', 'antipool', 'optional'], 'antipool': ['antipolo', 'antipool', 'optional'], 'antipope': ['antipope', 'appointe'], 'antiprotease': ['antiprotease', 'entoparasite'], 'antipsoric': ['antipsoric', 'ascription', 'crispation'], 'antiptosis': ['antiptosis', 'panostitis'], 'antiputrid': ['antiputrid', 'tripudiant'], 'antipyretic': ['antipyretic', 'pertinacity'], 'antique': ['antique', 'quinate'], 'antiquer': ['antiquer', 'quartine'], 'antirabies': ['antirabies', 'bestiarian'], 'antiracer': ['antiracer', 'tarriance'], 'antireactive': ['anticreative', 'antireactive'], 'antired': ['antired', 'detrain', 'randite', 'trained'], 'antireducer': ['antireducer', 'reincrudate', 'untraceried'], 'antiroyalist': ['antiroyalist', 'stationarily'], 'antirumor': ['antirumor', 'ruminator'], 'antirun': ['antirun', 'untrain', 'urinant'], 'antirust': ['antirust', 'naturist'], 'antiscion': ['anconitis', 'antiscion', 'onanistic'], 'antisepsin': ['antisepsin', 'paintiness'], 'antisepsis': ['antisepsis', 'inspissate'], 'antiseptic': ['antiseptic', 'psittacine'], 'antiserum': ['antiserum', 'misaunter'], 'antisi': ['antisi', 'isatin'], 'antislip': ['alpinist', 'antislip'], 'antisoporific': ['antisoporific', 'prosification', 'sporification'], 'antispace': ['antispace', 'panaceist'], 'antistes': ['antistes', 'titaness'], 'antisun': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'antitheism': ['antitheism', 'themistian'], 'antitonic': ['antitonic', 'nictation'], 'antitorpedo': ['antitorpedo', 'deportation'], 'antitrade': ['antitrade', 'attainder'], 'antitrope': ['antitrope', 'patronite', 'tritanope'], 'antitropic': ['antitropic', 'tritanopic'], 'antitropical': ['antitropical', 'practitional'], 'antivice': ['antivice', 'inactive', 'vineatic'], 'antler': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'antlia': ['antlia', 'latian', 'nalita'], 'antliate': ['antliate', 'latinate'], 'antlid': ['antlid', 'tindal'], 'antling': ['antling', 'tanling'], 'antoeci': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'antoecian': ['acetanion', 'antoecian'], 'anton': ['anton', 'notan', 'tonna'], 'antproof': ['antproof', 'tanproof'], 'antra': ['antar', 'antra'], 'antral': ['antral', 'tarnal'], 'antre': ['antre', 'arent', 'retan', 'terna'], 'antrocele': ['antrocele', 'coeternal', 'tolerance'], 'antronasal': ['antronasal', 'nasoantral'], 'antroscope': ['antroscope', 'contrapose'], 'antroscopy': ['antroscopy', 'syncopator'], 'antrotome': ['antrotome', 'nototrema'], 'antrustion': ['antrustion', 'nasturtion'], 'antu': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'anubis': ['anubis', 'unbias'], 'anura': ['anura', 'ruana'], 'anuresis': ['anuresis', 'senarius'], 'anuretic': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'anuria': ['anuria', 'urania'], 'anuric': ['anuric', 'cinura', 'uranic'], 'anurous': ['anurous', 'uranous'], 'anury': ['anury', 'unary', 'unray'], 'anus': ['ansu', 'anus'], 'anusim': ['animus', 'anisum', 'anusim', 'manius'], 'anvil': ['alvin', 'anvil', 'nival', 'vinal'], 'any': ['any', 'nay', 'yan'], 'aonach': ['aonach', 'choana'], 'aoristic': ['aoristic', 'iscariot'], 'aortal': ['aortal', 'rotala'], 'aortectasis': ['aerostatics', 'aortectasis'], 'aortism': ['amorist', 'aortism', 'miastor'], 'aosmic': ['aosmic', 'mosaic'], 'apachite': ['apachite', 'hepatica'], 'apalachee': ['acalephae', 'apalachee'], 'apama': ['amapa', 'apama'], 'apanthropy': ['apanthropy', 'panatrophy'], 'apar': ['apar', 'paar', 'para'], 'apart': ['apart', 'trapa'], 'apatetic': ['apatetic', 'capitate'], 'ape': ['ape', 'pea'], 'apedom': ['apedom', 'pomade'], 'apeiron': ['apeiron', 'peorian'], 'apelet': ['apelet', 'ptelea'], 'apelike': ['apelike', 'pealike'], 'apeling': ['apeling', 'leaping'], 'apenteric': ['anticreep', 'apenteric', 'increpate'], 'apeptic': ['apeptic', 'catpipe'], 'aper': ['aper', 'pare', 'pear', 'rape', 'reap'], 'aperch': ['aperch', 'eparch', 'percha', 'preach'], 'aperitive': ['aperitive', 'petiveria'], 'apert': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'apertly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'apertness': ['apertness', 'peartness', 'taperness'], 'apertured': ['apertured', 'departure'], 'apery': ['apery', 'payer', 'repay'], 'aphanes': ['aphanes', 'saphena'], 'aphasia': ['aphasia', 'asaphia'], 'aphasic': ['aphasic', 'asaphic'], 'aphemic': ['aphemic', 'impeach'], 'aphetic': ['aphetic', 'caphite', 'hepatic'], 'aphetism': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'aphetize': ['aphetize', 'hepatize'], 'aphides': ['aphides', 'diphase'], 'aphidicolous': ['acidophilous', 'aphidicolous'], 'aphis': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'aphodian': ['adiaphon', 'aphodian'], 'aphonic': ['aphonic', 'phocian'], 'aphorismical': ['aphorismical', 'parochialism'], 'aphotic': ['aphotic', 'picotah'], 'aphra': ['aphra', 'harpa', 'parah'], 'aphrodistic': ['aphrodistic', 'diastrophic'], 'aphrodite': ['aphrodite', 'atrophied', 'diaporthe'], 'apian': ['apian', 'apina'], 'apiator': ['apiator', 'atropia', 'parotia'], 'apical': ['apical', 'palaic'], 'apicular': ['apicular', 'piacular'], 'apina': ['apian', 'apina'], 'apinae': ['anepia', 'apinae'], 'apinage': ['aegipan', 'apinage'], 'apinch': ['apinch', 'chapin', 'phanic'], 'aping': ['aping', 'ngapi', 'pangi'], 'apiole': ['apiole', 'leipoa'], 'apiolin': ['apiolin', 'pinolia'], 'apionol': ['apionol', 'polonia'], 'apiose': ['apiose', 'apoise'], 'apis': ['apis', 'pais', 'pasi', 'saip'], 'apish': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'apishly': ['apishly', 'layship'], 'apism': ['apism', 'sampi'], 'apitpat': ['apitpat', 'pitapat'], 'apivorous': ['apivorous', 'oviparous'], 'aplenty': ['aplenty', 'penalty'], 'aplite': ['aplite', 'pilate'], 'aplitic': ['aliptic', 'aplitic'], 'aplodontia': ['adoptional', 'aplodontia'], 'aplome': ['aplome', 'malope'], 'apnea': ['apnea', 'paean'], 'apneal': ['apneal', 'panela'], 'apochromat': ['apochromat', 'archoptoma'], 'apocrita': ['apocrita', 'aproctia'], 'apocryph': ['apocryph', 'hypocarp'], 'apod': ['apod', 'dopa'], 'apoda': ['adpao', 'apoda'], 'apogon': ['apogon', 'poonga'], 'apoise': ['apiose', 'apoise'], 'apolaustic': ['apolaustic', 'autopsical'], 'apolistan': ['apolistan', 'lapsation'], 'apollo': ['apollo', 'palolo'], 'aponia': ['anopia', 'aponia', 'poiana'], 'aponic': ['aponic', 'ponica'], 'aporetic': ['aporetic', 'capriote', 'operatic'], 'aporetical': ['aporetical', 'operatical'], 'aporia': ['aporia', 'piaroa'], 'aport': ['aport', 'parto', 'porta'], 'aportoise': ['aportoise', 'esotropia'], 'aposporous': ['aposporous', 'aprosopous'], 'apostil': ['apostil', 'topsail'], 'apostle': ['apostle', 'aseptol'], 'apostrophus': ['apostrophus', 'pastophorus'], 'apothesine': ['apothesine', 'isoheptane'], 'apout': ['apout', 'taupo'], 'appall': ['appall', 'palpal'], 'apparent': ['apparent', 'trappean'], 'appealer': ['appealer', 'reappeal'], 'appealing': ['appealing', 'lagniappe', 'panplegia'], 'appearer': ['appearer', 'rapparee', 'reappear'], 'append': ['append', 'napped'], 'applauder': ['applauder', 'reapplaud'], 'applicator': ['applicator', 'procapital'], 'applier': ['applier', 'aripple'], 'appointe': ['antipope', 'appointe'], 'appointer': ['appointer', 'reappoint'], 'appointor': ['appointor', 'apportion'], 'apportion': ['appointor', 'apportion'], 'apportioner': ['apportioner', 'reapportion'], 'appraisable': ['appraisable', 'parablepsia'], 'apprehender': ['apprehender', 'reapprehend'], 'approacher': ['approacher', 'reapproach'], 'apricot': ['apricot', 'atropic', 'parotic', 'patrico'], 'april': ['april', 'pilar', 'ripal'], 'aprilis': ['aprilis', 'liparis'], 'aproctia': ['apocrita', 'aproctia'], 'apronless': ['apronless', 'responsal'], 'aprosopous': ['aposporous', 'aprosopous'], 'apse': ['apse', 'pesa', 'spae'], 'apsidiole': ['apsidiole', 'episodial'], 'apt': ['apt', 'pat', 'tap'], 'aptal': ['aptal', 'palta', 'talpa'], 'aptera': ['aptera', 'parate', 'patera'], 'apterial': ['apterial', 'parietal'], 'apteroid': ['apteroid', 'proteida'], 'aptian': ['aptian', 'patina', 'taipan'], 'aptly': ['aptly', 'patly', 'platy', 'typal'], 'aptness': ['aptness', 'patness'], 'aptote': ['aptote', 'optate', 'potate', 'teapot'], 'apulian': ['apulian', 'paulian', 'paulina'], 'apulse': ['apulse', 'upseal'], 'apus': ['apus', 'supa', 'upas'], 'aquabelle': ['aquabelle', 'equalable'], 'aqueoigneous': ['aqueoigneous', 'igneoaqueous'], 'aquicolous': ['aquicolous', 'loquacious'], 'ar': ['ar', 'ra'], 'arab': ['arab', 'arba', 'baar', 'bara'], 'arabic': ['arabic', 'cairba'], 'arabinic': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'arabis': ['abaris', 'arabis'], 'arabism': ['abramis', 'arabism'], 'arabist': ['arabist', 'bartsia'], 'arabit': ['arabit', 'tabira'], 'arable': ['ablare', 'arable', 'arbela'], 'araca': ['acara', 'araca'], 'aracana': ['anacara', 'aracana'], 'aracanga': ['aracanga', 'caragana'], 'arachic': ['arachic', 'archaic'], 'arachidonic': ['arachidonic', 'characinoid'], 'arachis': ['arachis', 'asiarch', 'saharic'], 'arachne': ['arachne', 'archean'], 'arachnism': ['anarchism', 'arachnism'], 'arachnitis': ['arachnitis', 'christiana'], 'arad': ['adar', 'arad', 'raad', 'rada'], 'arain': ['airan', 'arain', 'arian'], 'arales': ['alares', 'arales'], 'aralia': ['alaria', 'aralia'], 'aralie': ['aerial', 'aralie'], 'aramaic': ['aramaic', 'cariama'], 'aramina': ['aramina', 'mariana'], 'araminta': ['anamirta', 'araminta'], 'aramus': ['aramus', 'asarum'], 'araneid': ['araneid', 'ariadne', 'ranidae'], 'aranein': ['aranein', 'raninae'], 'aranga': ['angara', 'aranga', 'nagara'], 'arango': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'arati': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'aration': ['aration', 'otarian'], 'arauan': ['arauan', 'arauna'], 'arauna': ['arauan', 'arauna'], 'arba': ['arab', 'arba', 'baar', 'bara'], 'arbacin': ['arbacin', 'carabin', 'cariban'], 'arbalester': ['arbalester', 'arbalestre', 'arrestable'], 'arbalestre': ['arbalester', 'arbalestre', 'arrestable'], 'arbalister': ['arbalister', 'breastrail'], 'arbalo': ['aboral', 'arbalo'], 'arbela': ['ablare', 'arable', 'arbela'], 'arbiter': ['arbiter', 'rarebit'], 'arbored': ['arbored', 'boarder', 'reboard'], 'arboret': ['arboret', 'roberta', 'taborer'], 'arboretum': ['arboretum', 'tambourer'], 'arborist': ['arborist', 'ribroast'], 'arbuscle': ['arbuscle', 'buscarle'], 'arbutin': ['arbutin', 'tribuna'], 'arc': ['arc', 'car'], 'arca': ['arca', 'cara'], 'arcadia': ['acardia', 'acarida', 'arcadia'], 'arcadic': ['arcadic', 'cardiac'], 'arcane': ['arcane', 'carane'], 'arcanite': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'arcate': ['arcate', 'cerata'], 'arch': ['arch', 'char', 'rach'], 'archae': ['archae', 'areach'], 'archaic': ['arachic', 'archaic'], 'archaism': ['archaism', 'charisma'], 'archapostle': ['archapostle', 'thecasporal'], 'archcount': ['archcount', 'crouchant'], 'arche': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'archeal': ['alchera', 'archeal'], 'archean': ['arachne', 'archean'], 'archer': ['archer', 'charer', 'rechar'], 'arches': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'archidome': ['archidome', 'chromidae'], 'archil': ['archil', 'chiral'], 'arching': ['arching', 'chagrin'], 'architis': ['architis', 'rachitis'], 'archocele': ['archocele', 'cochleare'], 'archon': ['anchor', 'archon', 'charon', 'rancho'], 'archontia': ['archontia', 'tocharian'], 'archoptoma': ['apochromat', 'archoptoma'], 'archpoet': ['archpoet', 'protheca'], 'archprelate': ['archprelate', 'pretracheal'], 'archsaint': ['anarchist', 'archsaint', 'cantharis'], 'archsee': ['archsee', 'rechase'], 'archsin': ['archsin', 'incrash'], 'archy': ['archy', 'chary'], 'arcidae': ['arcidae', 'caridea'], 'arcing': ['arcing', 'racing'], 'arcite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'arcked': ['arcked', 'dacker'], 'arcking': ['arcking', 'carking', 'racking'], 'arcos': ['arcos', 'crosa', 'oscar', 'sacro'], 'arctia': ['acrita', 'arctia'], 'arctian': ['acritan', 'arctian'], 'arcticize': ['arcticize', 'cicatrize'], 'arctiid': ['arctiid', 'triacid', 'triadic'], 'arctoid': ['arctoid', 'carotid', 'dartoic'], 'arctoidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'arctomys': ['arctomys', 'costmary', 'mascotry'], 'arctos': ['arctos', 'castor', 'costar', 'scrota'], 'arcual': ['arcual', 'arcula'], 'arcuale': ['arcuale', 'caurale'], 'arcubalist': ['arcubalist', 'ultrabasic'], 'arcula': ['arcual', 'arcula'], 'arculite': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'ardea': ['ardea', 'aread'], 'ardeb': ['ardeb', 'beard', 'bread', 'debar'], 'ardelia': ['ardelia', 'laridae', 'radiale'], 'ardella': ['ardella', 'dareall'], 'ardency': ['ardency', 'dancery'], 'ardish': ['ardish', 'radish'], 'ardoise': ['ardoise', 'aroides', 'soredia'], 'ardu': ['ardu', 'daur', 'dura'], 'are': ['aer', 'are', 'ear', 'era', 'rea'], 'areach': ['archae', 'areach'], 'aread': ['ardea', 'aread'], 'areal': ['areal', 'reaal'], 'arean': ['anear', 'arean', 'arena'], 'arecaceae': ['aceraceae', 'arecaceae'], 'arecaceous': ['aceraceous', 'arecaceous'], 'arecain': ['acarine', 'acraein', 'arecain'], 'arecolin': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'arecoline': ['arecoline', 'arenicole'], 'arecuna': ['arecuna', 'aucaner'], 'ared': ['ared', 'daer', 'dare', 'dear', 'read'], 'areel': ['areel', 'earle'], 'arena': ['anear', 'arean', 'arena'], 'arenaria': ['aerarian', 'arenaria'], 'arend': ['andre', 'arend', 'daren', 'redan'], 'areng': ['anger', 'areng', 'grane', 'range'], 'arenga': ['arenga', 'argean'], 'arenicole': ['arecoline', 'arenicole'], 'arenicolite': ['arenicolite', 'ricinoleate'], 'arenig': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'arenoid': ['aneroid', 'arenoid'], 'arenose': ['arenose', 'serenoa'], 'arent': ['antre', 'arent', 'retan', 'terna'], 'areographer': ['aerographer', 'areographer'], 'areographic': ['aerographic', 'areographic'], 'areographical': ['aerographical', 'areographical'], 'areography': ['aerography', 'areography'], 'areologic': ['aerologic', 'areologic'], 'areological': ['aerological', 'areological'], 'areologist': ['aerologist', 'areologist'], 'areology': ['aerology', 'areology'], 'areometer': ['aerometer', 'areometer'], 'areometric': ['aerometric', 'areometric'], 'areometry': ['aerometry', 'areometry'], 'arete': ['arete', 'eater', 'teaer'], 'argal': ['agral', 'argal'], 'argali': ['argali', 'garial'], 'argans': ['argans', 'sangar'], 'argante': ['argante', 'granate', 'tanager'], 'argas': ['argas', 'sagra'], 'argean': ['arenga', 'argean'], 'argeers': ['argeers', 'greaser', 'serrage'], 'argel': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'argenol': ['argenol', 'longear'], 'argent': ['argent', 'garnet', 'garten', 'tanger'], 'argentamid': ['argentamid', 'marginated'], 'argenter': ['argenter', 'garneter'], 'argenteum': ['argenteum', 'augmenter'], 'argentic': ['argentic', 'citrange'], 'argentide': ['argentide', 'denigrate', 'dinergate'], 'argentiferous': ['argentiferous', 'garnetiferous'], 'argentina': ['argentina', 'tanagrine'], 'argentine': ['argentine', 'tangerine'], 'argentino': ['antinegro', 'argentino', 'argention'], 'argention': ['antinegro', 'argentino', 'argention'], 'argentite': ['argentite', 'integrate'], 'argentol': ['argentol', 'gerontal'], 'argenton': ['argenton', 'negatron'], 'argentous': ['argentous', 'neotragus'], 'argentum': ['argentum', 'argument'], 'arghan': ['arghan', 'hangar'], 'argil': ['argil', 'glair', 'grail'], 'arginine': ['arginine', 'nigerian'], 'argive': ['argive', 'rivage'], 'argo': ['argo', 'garo', 'gora'], 'argoan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'argol': ['algor', 'argol', 'goral', 'largo'], 'argolet': ['argolet', 'gloater', 'legator'], 'argolian': ['argolian', 'gloriana'], 'argolic': ['argolic', 'cograil'], 'argolid': ['argolid', 'goliard'], 'argon': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'argot': ['argot', 'gator', 'gotra', 'groat'], 'argue': ['argue', 'auger'], 'argulus': ['argulus', 'lagurus'], 'argument': ['argentum', 'argument'], 'argus': ['argus', 'sugar'], 'arguslike': ['arguslike', 'sugarlike'], 'argute': ['argute', 'guetar', 'rugate', 'tuareg'], 'argyle': ['argyle', 'gleary'], 'arhar': ['arhar', 'arrah'], 'arhat': ['arhat', 'artha', 'athar'], 'aria': ['aira', 'aria', 'raia'], 'ariadne': ['araneid', 'ariadne', 'ranidae'], 'arian': ['airan', 'arain', 'arian'], 'arianrhod': ['arianrhod', 'hordarian'], 'aribine': ['aribine', 'bairnie', 'iberian'], 'arician': ['arician', 'icarian'], 'arid': ['arid', 'dari', 'raid'], 'aridian': ['aridian', 'diarian'], 'aridly': ['aridly', 'lyraid'], 'ariegite': ['aegirite', 'ariegite'], 'aries': ['aries', 'arise', 'raise', 'serai'], 'arietid': ['arietid', 'iridate'], 'arietta': ['arietta', 'ratitae'], 'aright': ['aright', 'graith'], 'arightly': ['alrighty', 'arightly'], 'ariidae': ['ariidae', 'raiidae'], 'aril': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'ariled': ['ariled', 'derail', 'dialer'], 'arillate': ['arillate', 'tiarella'], 'arion': ['arion', 'noria'], 'ariot': ['ariot', 'ratio'], 'aripple': ['applier', 'aripple'], 'arise': ['aries', 'arise', 'raise', 'serai'], 'arisen': ['arisen', 'arsine', 'resina', 'serian'], 'arist': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'arista': ['arista', 'tarsia'], 'aristeas': ['aristeas', 'asterias'], 'aristol': ['aristol', 'oralist', 'ortalis', 'striola'], 'aristulate': ['aristulate', 'australite'], 'arite': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'arithmic': ['arithmic', 'mithraic', 'mithriac'], 'arius': ['arius', 'asuri'], 'arizona': ['arizona', 'azorian', 'zonaria'], 'ark': ['ark', 'kra'], 'arkab': ['abkar', 'arkab'], 'arkite': ['arkite', 'karite'], 'arkose': ['arkose', 'resoak', 'soaker'], 'arlene': ['arlene', 'leaner'], 'arleng': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'arles': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arline': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'arm': ['arm', 'mar', 'ram'], 'armada': ['armada', 'damara', 'ramada'], 'armangite': ['armangite', 'marginate'], 'armata': ['armata', 'matara', 'tamara'], 'armed': ['armed', 'derma', 'dream', 'ramed'], 'armenian': ['armenian', 'marianne'], 'armenic': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'armer': ['armer', 'rearm'], 'armeria': ['armeria', 'mararie'], 'armet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'armful': ['armful', 'fulmar'], 'armgaunt': ['armgaunt', 'granatum'], 'armied': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'armiferous': ['armiferous', 'ramiferous'], 'armigerous': ['armigerous', 'ramigerous'], 'armil': ['armil', 'marli', 'rimal'], 'armilla': ['armilla', 'marilla'], 'armillated': ['armillated', 'malladrite', 'mallardite'], 'arming': ['arming', 'ingram', 'margin'], 'armistice': ['ameristic', 'armistice', 'artemisic'], 'armlet': ['armlet', 'malter', 'martel'], 'armonica': ['armonica', 'macaroni', 'marocain'], 'armoried': ['airdrome', 'armoried'], 'armpit': ['armpit', 'impart'], 'armplate': ['armplate', 'malapert'], 'arms': ['arms', 'mars'], 'armscye': ['armscye', 'screamy'], 'army': ['army', 'mary', 'myra', 'yarm'], 'arn': ['arn', 'nar', 'ran'], 'arna': ['arna', 'rana'], 'arnaut': ['arnaut', 'arunta'], 'arne': ['arne', 'earn', 'rane'], 'arneb': ['abner', 'arneb', 'reban'], 'arni': ['arni', 'iran', 'nair', 'rain', 'rani'], 'arnica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'arnold': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'arnotta': ['arnotta', 'natator'], 'arnotto': ['arnotto', 'notator'], 'arnut': ['arnut', 'tuarn', 'untar'], 'aro': ['aro', 'oar', 'ora'], 'aroast': ['aroast', 'ostara'], 'arock': ['arock', 'croak'], 'aroid': ['aroid', 'doria', 'radio'], 'aroides': ['ardoise', 'aroides', 'soredia'], 'aroint': ['aroint', 'ration'], 'aromatic': ['aromatic', 'macrotia'], 'aroon': ['aroon', 'oraon'], 'arose': ['arose', 'oreas'], 'around': ['around', 'arundo'], 'arpen': ['arpen', 'paren'], 'arpent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'arrah': ['arhar', 'arrah'], 'arras': ['arras', 'sarra'], 'arrau': ['arrau', 'aurar'], 'arrayer': ['arrayer', 'rearray'], 'arrect': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'arrector': ['arrector', 'carroter'], 'arrent': ['arrent', 'errant', 'ranter', 'ternar'], 'arrest': ['arrest', 'astrer', 'raster', 'starer'], 'arrestable': ['arbalester', 'arbalestre', 'arrestable'], 'arrester': ['arrester', 'rearrest'], 'arresting': ['arresting', 'astringer'], 'arretine': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'arride': ['arride', 'raider'], 'arrie': ['airer', 'arrie'], 'arriet': ['arriet', 'tarrie'], 'arrish': ['arrish', 'harris', 'rarish', 'sirrah'], 'arrive': ['arrive', 'varier'], 'arrogance': ['arrogance', 'coarrange'], 'arrogant': ['arrogant', 'tarragon'], 'arrogative': ['arrogative', 'variegator'], 'arrowy': ['arrowy', 'yarrow'], 'arry': ['arry', 'yarr'], 'arsacid': ['arsacid', 'ascarid'], 'arse': ['arse', 'rase', 'sare', 'sear', 'sera'], 'arsedine': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenal': ['arsenal', 'ranales'], 'arsenate': ['arsenate', 'serenata'], 'arsenation': ['arsenation', 'senatorian', 'sonneratia'], 'arseniate': ['arseniate', 'saernaite'], 'arsenic': ['arsenic', 'cerasin', 'sarcine'], 'arsenide': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenite': ['arsenite', 'resinate', 'teresian', 'teresina'], 'arsenium': ['aneurism', 'arsenium', 'sumerian'], 'arseniuret': ['arseniuret', 'uniserrate'], 'arseno': ['arseno', 'reason'], 'arsenopyrite': ['arsenopyrite', 'pyroarsenite'], 'arsenous': ['anserous', 'arsenous'], 'arses': ['arses', 'rasse'], 'arshine': ['arshine', 'nearish', 'rhesian', 'sherani'], 'arsine': ['arisen', 'arsine', 'resina', 'serian'], 'arsino': ['arsino', 'rasion', 'sonrai'], 'arsis': ['arsis', 'sarsi'], 'arsle': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arson': ['arson', 'saron', 'sonar'], 'arsonic': ['arsonic', 'saronic'], 'arsonite': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'art': ['art', 'rat', 'tar', 'tra'], 'artaba': ['artaba', 'batara'], 'artabe': ['abater', 'artabe', 'eartab', 'trabea'], 'artal': ['altar', 'artal', 'ratal', 'talar'], 'artamus': ['artamus', 'sumatra'], 'artarine': ['artarine', 'errantia'], 'artefact': ['afteract', 'artefact', 'farcetta', 'farctate'], 'artel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'artemas': ['artemas', 'astream'], 'artemia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'artemis': ['artemis', 'maestri', 'misrate'], 'artemisic': ['ameristic', 'armistice', 'artemisic'], 'arterial': ['arterial', 'triareal'], 'arterin': ['arterin', 'retrain', 'terrain', 'trainer'], 'arterious': ['arterious', 'autoriser'], 'artesian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'artgum': ['artgum', 'targum'], 'artha': ['arhat', 'artha', 'athar'], 'arthel': ['arthel', 'halter', 'lather', 'thaler'], 'arthemis': ['arthemis', 'marshite', 'meharist'], 'arthrochondritis': ['arthrochondritis', 'chondroarthritis'], 'arthromere': ['arthromere', 'metrorrhea'], 'arthropodan': ['anarthropod', 'arthropodan'], 'arthrosteitis': ['arthrosteitis', 'ostearthritis'], 'article': ['article', 'recital'], 'articled': ['articled', 'lacertid'], 'artie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'artifice': ['actifier', 'artifice'], 'artisan': ['artisan', 'astrain', 'sartain', 'tsarina'], 'artisanship': ['antiphrasis', 'artisanship'], 'artist': ['artist', 'strait', 'strati'], 'artiste': ['artiste', 'striate'], 'artlet': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'artlike': ['artlike', 'ratlike', 'tarlike'], 'arty': ['arty', 'atry', 'tray'], 'aru': ['aru', 'rua', 'ura'], 'aruac': ['aruac', 'carua'], 'arui': ['arui', 'uria'], 'arum': ['arum', 'maru', 'mura'], 'arundo': ['around', 'arundo'], 'arunta': ['arnaut', 'arunta'], 'arusa': ['arusa', 'saura', 'usara'], 'arusha': ['arusha', 'aushar'], 'arustle': ['arustle', 'estrual', 'saluter', 'saulter'], 'arval': ['alvar', 'arval', 'larva'], 'arvel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'arx': ['arx', 'rax'], 'ary': ['ary', 'ray', 'yar'], 'arya': ['arya', 'raya'], 'aryan': ['aryan', 'nayar', 'rayan'], 'aryl': ['aryl', 'lyra', 'ryal', 'yarl'], 'as': ['as', 'sa'], 'asa': ['asa', 'saa'], 'asak': ['asak', 'kasa', 'saka'], 'asana': ['anasa', 'asana'], 'asaph': ['asaph', 'pasha'], 'asaphia': ['aphasia', 'asaphia'], 'asaphic': ['aphasic', 'asaphic'], 'asaprol': ['asaprol', 'parasol'], 'asarh': ['asarh', 'raash', 'sarah'], 'asarite': ['asarite', 'asteria', 'atresia', 'setaria'], 'asarum': ['aramus', 'asarum'], 'asbest': ['asbest', 'basset'], 'ascanius': ['anacusis', 'ascanius'], 'ascare': ['ascare', 'caesar', 'resaca'], 'ascarid': ['arsacid', 'ascarid'], 'ascaris': ['ascaris', 'carissa'], 'ascendance': ['adnascence', 'ascendance'], 'ascendant': ['adnascent', 'ascendant'], 'ascender': ['ascender', 'reascend'], 'ascent': ['ascent', 'secant', 'stance'], 'ascertain': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'ascertainer': ['ascertainer', 'reascertain', 'secretarian'], 'ascetic': ['ascetic', 'castice', 'siccate'], 'ascham': ['ascham', 'chasma'], 'asci': ['acis', 'asci', 'saic'], 'ascian': ['ascian', 'sacian', 'scania', 'sicana'], 'ascidia': ['ascidia', 'diascia'], 'ascii': ['ascii', 'isiac'], 'ascites': ['ascites', 'ectasis'], 'ascitic': ['ascitic', 'sciatic'], 'ascitical': ['ascitical', 'sciatical'], 'asclent': ['asclent', 'scantle'], 'asclepian': ['asclepian', 'spalacine'], 'ascolichen': ['ascolichen', 'chalcosine'], 'ascon': ['ascon', 'canso', 'oscan'], 'ascot': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'ascription': ['antipsoric', 'ascription', 'crispation'], 'ascry': ['ascry', 'scary', 'scray'], 'ascula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'asdic': ['asdic', 'sadic'], 'ase': ['aes', 'ase', 'sea'], 'asearch': ['asearch', 'eschara'], 'aselli': ['allies', 'aselli'], 'asem': ['asem', 'mesa', 'same', 'seam'], 'asemia': ['asemia', 'saeima'], 'aseptic': ['aseptic', 'spicate'], 'aseptol': ['apostle', 'aseptol'], 'ash': ['ash', 'sah', 'sha'], 'ashanti': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'ashen': ['ashen', 'hanse', 'shane', 'shean'], 'asher': ['asher', 'share', 'shear'], 'ashet': ['ashet', 'haste', 'sheat'], 'ashimmer': ['ashimmer', 'haremism'], 'ashir': ['ashir', 'shari'], 'ashling': ['anglish', 'ashling'], 'ashman': ['ashman', 'shaman'], 'ashore': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ashraf': ['afshar', 'ashraf'], 'ashur': ['ashur', 'surah'], 'ashy': ['ashy', 'shay'], 'asian': ['asian', 'naias', 'sanai'], 'asiarch': ['arachis', 'asiarch', 'saharic'], 'aside': ['aides', 'aside', 'sadie'], 'asideu': ['asideu', 'suidae'], 'asiento': ['aeonist', 'asiento', 'satieno'], 'asilid': ['asilid', 'sialid'], 'asilidae': ['asilidae', 'sialidae'], 'asilus': ['asilus', 'lasius'], 'asimen': ['asimen', 'inseam', 'mesian'], 'asimmer': ['amerism', 'asimmer', 'sammier'], 'asiphonate': ['asiphonate', 'asthenopia'], 'ask': ['ask', 'sak'], 'asker': ['asker', 'reask', 'saker', 'sekar'], 'askew': ['askew', 'wakes'], 'askip': ['askip', 'spaik'], 'askr': ['askr', 'kras', 'sark'], 'aslant': ['aslant', 'lansat', 'natals', 'santal'], 'asleep': ['asleep', 'elapse', 'please'], 'aslope': ['aslope', 'poales'], 'asmalte': ['asmalte', 'maltase'], 'asmile': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'asnort': ['asnort', 'satron'], 'asoak': ['asoak', 'asoka'], 'asok': ['asok', 'soak', 'soka'], 'asoka': ['asoak', 'asoka'], 'asonia': ['anosia', 'asonia'], 'asop': ['asop', 'sapo', 'soap'], 'asor': ['asor', 'rosa', 'soar', 'sora'], 'asp': ['asp', 'sap', 'spa'], 'aspartic': ['aspartic', 'satrapic'], 'aspection': ['aspection', 'stenopaic'], 'aspectual': ['aspectual', 'capsulate'], 'aspen': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'asper': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'asperate': ['asperate', 'separate'], 'asperation': ['anisoptera', 'asperation', 'separation'], 'asperge': ['asperge', 'presage'], 'asperger': ['asperger', 'presager'], 'aspergil': ['aspergil', 'splairge'], 'asperite': ['asperite', 'parietes'], 'aspermia': ['aspermia', 'sapremia'], 'aspermic': ['aspermic', 'sapremic'], 'asperser': ['asperser', 'repasser'], 'asperulous': ['asperulous', 'pleasurous'], 'asphalt': ['asphalt', 'spathal', 'taplash'], 'aspic': ['aspic', 'spica'], 'aspidinol': ['aspidinol', 'diplasion'], 'aspirant': ['aspirant', 'partisan', 'spartina'], 'aspirata': ['aspirata', 'parasita'], 'aspirate': ['aspirate', 'parasite'], 'aspire': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'aspirer': ['aspirer', 'praiser', 'serpari'], 'aspiring': ['aspiring', 'praising', 'singarip'], 'aspiringly': ['aspiringly', 'praisingly'], 'aspish': ['aspish', 'phasis'], 'asporous': ['asporous', 'saporous'], 'asport': ['asport', 'pastor', 'sproat'], 'aspread': ['aspread', 'saperda'], 'aspring': ['aspring', 'rasping', 'sparing'], 'asquirm': ['asquirm', 'marquis'], 'assagai': ['assagai', 'gaiassa'], 'assailer': ['assailer', 'reassail'], 'assam': ['amass', 'assam', 'massa', 'samas'], 'assaulter': ['assaulter', 'reassault', 'saleratus'], 'assayer': ['assayer', 'reassay'], 'assemble': ['assemble', 'beamless'], 'assent': ['assent', 'snaste'], 'assenter': ['assenter', 'reassent', 'sarsenet'], 'assentor': ['assentor', 'essorant', 'starnose'], 'assert': ['assert', 'tasser'], 'asserter': ['asserter', 'reassert'], 'assertible': ['assertible', 'resistable'], 'assertional': ['assertional', 'sensatorial'], 'assertor': ['assertor', 'assorter', 'oratress', 'reassort'], 'asset': ['asset', 'tasse'], 'assets': ['assets', 'stases'], 'assidean': ['assidean', 'nassidae'], 'assiento': ['assiento', 'ossetian'], 'assignee': ['agenesis', 'assignee'], 'assigner': ['assigner', 'reassign'], 'assist': ['assist', 'stasis'], 'assister': ['assister', 'reassist'], 'associationism': ['associationism', 'misassociation'], 'assoilment': ['assoilment', 'salmonsite'], 'assorter': ['assertor', 'assorter', 'oratress', 'reassort'], 'assuage': ['assuage', 'sausage'], 'assume': ['assume', 'seamus'], 'assumer': ['assumer', 'erasmus', 'masseur'], 'ast': ['ast', 'sat'], 'astacus': ['acastus', 'astacus'], 'astare': ['astare', 'satrae'], 'astart': ['astart', 'strata'], 'astartian': ['astartian', 'astrantia'], 'astatine': ['astatine', 'sanitate'], 'asteep': ['asteep', 'peseta'], 'asteer': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'astelic': ['astelic', 'elastic', 'latices'], 'astely': ['alytes', 'astely', 'lysate', 'stealy'], 'aster': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'asteria': ['asarite', 'asteria', 'atresia', 'setaria'], 'asterias': ['aristeas', 'asterias'], 'asterikos': ['asterikos', 'keratosis'], 'asterin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'asterina': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asterion': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'astern': ['astern', 'enstar', 'stenar', 'sterna'], 'asternia': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asteroid': ['asteroid', 'troiades'], 'asterope': ['asterope', 'protease'], 'asthenopia': ['asiphonate', 'asthenopia'], 'asthma': ['amsath', 'asthma'], 'asthmogenic': ['asthmogenic', 'mesognathic'], 'asthore': ['asthore', 'earshot'], 'astian': ['astian', 'tasian'], 'astigmism': ['astigmism', 'sigmatism'], 'astilbe': ['astilbe', 'bestial', 'blastie', 'stabile'], 'astint': ['astint', 'tanist'], 'astir': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'astomous': ['astomous', 'somatous'], 'astonied': ['astonied', 'sedation'], 'astonisher': ['astonisher', 'reastonish', 'treasonish'], 'astor': ['astor', 'roast'], 'astragali': ['astragali', 'tarsalgia'], 'astrain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'astral': ['astral', 'tarsal'], 'astrantia': ['astartian', 'astrantia'], 'astream': ['artemas', 'astream'], 'astrer': ['arrest', 'astrer', 'raster', 'starer'], 'astrict': ['astrict', 'cartist', 'stratic'], 'astride': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'astrier': ['astrier', 'tarsier'], 'astringe': ['astringe', 'ganister', 'gantries'], 'astringent': ['astringent', 'transigent'], 'astringer': ['arresting', 'astringer'], 'astrodome': ['astrodome', 'roomstead'], 'astrofel': ['astrofel', 'forestal'], 'astroite': ['astroite', 'ostraite', 'storiate'], 'astrolabe': ['astrolabe', 'roastable'], 'astrut': ['astrut', 'rattus', 'stuart'], 'astur': ['astur', 'surat', 'sutra'], 'asturian': ['asturian', 'austrian', 'saturnia'], 'astute': ['astute', 'statue'], 'astylar': ['astylar', 'saltary'], 'asunder': ['asunder', 'drusean'], 'asuri': ['arius', 'asuri'], 'aswail': ['aswail', 'sawali'], 'asweat': ['asweat', 'awaste'], 'aswim': ['aswim', 'swami'], 'aswing': ['aswing', 'sawing'], 'asyla': ['asyla', 'salay', 'sayal'], 'asyllabic': ['asyllabic', 'basically'], 'asyndetic': ['asyndetic', 'cystidean', 'syndicate'], 'asynergia': ['asynergia', 'gainsayer'], 'at': ['at', 'ta'], 'ata': ['ata', 'taa'], 'atabal': ['albata', 'atabal', 'balata'], 'atabrine': ['atabrine', 'rabatine'], 'atacaman': ['atacaman', 'tamanaca'], 'ataentsic': ['anticaste', 'ataentsic'], 'atalan': ['atalan', 'tanala'], 'atap': ['atap', 'pata', 'tapa'], 'atazir': ['atazir', 'ziarat'], 'atchison': ['atchison', 'chitosan'], 'ate': ['ate', 'eat', 'eta', 'tae', 'tea'], 'ateba': ['abate', 'ateba', 'batea', 'beata'], 'atebrin': ['atebrin', 'rabinet'], 'atechnic': ['atechnic', 'catechin', 'technica'], 'atechny': ['atechny', 'chantey'], 'ateeter': ['ateeter', 'treatee'], 'atef': ['atef', 'fate', 'feat'], 'ateles': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'atelets': ['atelets', 'tsatlee'], 'atelier': ['atelier', 'tiralee'], 'aten': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'atenism': ['atenism', 'inmeats', 'insteam', 'samnite'], 'atenist': ['atenist', 'instate', 'satient', 'steatin'], 'ates': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'atestine': ['anisette', 'atestine', 'settaine'], 'athar': ['arhat', 'artha', 'athar'], 'atheism': ['atheism', 'hamites'], 'athena': ['ahtena', 'aneath', 'athena'], 'athenian': ['anthinae', 'athenian'], 'athenor': ['another', 'athenor', 'rheotan'], 'athens': ['athens', 'hasten', 'snathe', 'sneath'], 'atherine': ['atherine', 'herniate'], 'atheris': ['atheris', 'sheriat'], 'athermic': ['athermic', 'marchite', 'rhematic'], 'athing': ['anight', 'athing'], 'athirst': ['athirst', 'rattish', 'tartish'], 'athletic': ['athletic', 'thetical'], 'athletics': ['athletics', 'statelich'], 'athort': ['athort', 'throat'], 'athrive': ['athrive', 'hervati'], 'ati': ['ait', 'ati', 'ita', 'tai'], 'atik': ['atik', 'ikat'], 'atimon': ['atimon', 'manito', 'montia'], 'atingle': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'atip': ['atip', 'pita'], 'atis': ['atis', 'sita', 'tsia'], 'atlantean': ['antenatal', 'atlantean', 'tantalean'], 'atlantic': ['atlantic', 'tantalic'], 'atlantid': ['atlantid', 'dilatant'], 'atlantite': ['atlantite', 'tantalite'], 'atlas': ['atlas', 'salat', 'salta'], 'atle': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'atlee': ['atlee', 'elate'], 'atloidean': ['atloidean', 'dealation'], 'atma': ['atma', 'tama'], 'atman': ['atman', 'manta'], 'atmid': ['admit', 'atmid'], 'atmo': ['atmo', 'atom', 'moat', 'toma'], 'atmogenic': ['atmogenic', 'geomantic'], 'atmos': ['atmos', 'stoma', 'tomas'], 'atmosphere': ['atmosphere', 'shapometer'], 'atmostea': ['atmostea', 'steatoma'], 'atnah': ['atnah', 'tanha', 'thana'], 'atocia': ['atocia', 'coaita'], 'atokal': ['atokal', 'lakota'], 'atoll': ['allot', 'atoll'], 'atom': ['atmo', 'atom', 'moat', 'toma'], 'atomic': ['atomic', 'matico'], 'atomics': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'atomize': ['atomize', 'miaotze'], 'atomizer': ['amortize', 'atomizer'], 'atonal': ['atonal', 'latona'], 'atonalism': ['anomalist', 'atonalism'], 'atone': ['atone', 'oaten'], 'atoner': ['atoner', 'norate', 'ornate'], 'atonia': ['anotia', 'atonia'], 'atonic': ['action', 'atonic', 'cation'], 'atony': ['atony', 'ayont'], 'atop': ['atop', 'pato'], 'atopic': ['atopic', 'capito', 'copita'], 'atorai': ['atorai', 'otaria'], 'atrail': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atrepsy': ['atrepsy', 'yapster'], 'atresia': ['asarite', 'asteria', 'atresia', 'setaria'], 'atresic': ['atresic', 'stearic'], 'atresy': ['atresy', 'estray', 'reasty', 'stayer'], 'atretic': ['atretic', 'citrate'], 'atria': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'atrial': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atridean': ['anteriad', 'atridean', 'dentaria'], 'atrip': ['atrip', 'tapir'], 'atrocity': ['atrocity', 'citatory'], 'atrophied': ['aphrodite', 'atrophied', 'diaporthe'], 'atropia': ['apiator', 'atropia', 'parotia'], 'atropic': ['apricot', 'atropic', 'parotic', 'patrico'], 'atroscine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'atry': ['arty', 'atry', 'tray'], 'attacco': ['attacco', 'toccata'], 'attach': ['attach', 'chatta'], 'attache': ['attache', 'thecata'], 'attacher': ['attacher', 'reattach'], 'attacker': ['attacker', 'reattack'], 'attain': ['attain', 'tatian'], 'attainder': ['antitrade', 'attainder'], 'attainer': ['attainer', 'reattain', 'tertiana'], 'attar': ['attar', 'tatar'], 'attempter': ['attempter', 'reattempt'], 'attender': ['attender', 'nattered', 'reattend'], 'attention': ['attention', 'tentation'], 'attentive': ['attentive', 'tentative'], 'attentively': ['attentively', 'tentatively'], 'attentiveness': ['attentiveness', 'tentativeness'], 'atter': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'attermine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'attern': ['attern', 'natter', 'ratten', 'tarten'], 'attery': ['attery', 'treaty', 'yatter'], 'attester': ['attester', 'reattest'], 'attic': ['attic', 'catti', 'tacit'], 'attical': ['attical', 'cattail'], 'attinge': ['attinge', 'tintage'], 'attire': ['attire', 'ratite', 'tertia'], 'attired': ['attired', 'tradite'], 'attorn': ['attorn', 'ratton', 'rottan'], 'attracter': ['attracter', 'reattract'], 'attractor': ['attractor', 'tractator'], 'attrite': ['attrite', 'titrate'], 'attrition': ['attrition', 'titration'], 'attune': ['attune', 'nutate', 'tauten'], 'atule': ['aleut', 'atule'], 'atumble': ['atumble', 'mutable'], 'atwin': ['atwin', 'twain', 'witan'], 'atypic': ['atypic', 'typica'], 'aube': ['aube', 'beau'], 'aubrite': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'aucan': ['acuan', 'aucan'], 'aucaner': ['arecuna', 'aucaner'], 'auchlet': ['auchlet', 'cutheal', 'taluche'], 'auction': ['auction', 'caution'], 'auctionary': ['auctionary', 'cautionary'], 'audiencier': ['audiencier', 'enicuridae'], 'auge': ['ague', 'auge'], 'augen': ['augen', 'genua'], 'augend': ['augend', 'engaud', 'unaged'], 'auger': ['argue', 'auger'], 'augerer': ['augerer', 'reargue'], 'augh': ['augh', 'guha'], 'augmenter': ['argenteum', 'augmenter'], 'augustan': ['augustan', 'guatusan'], 'auh': ['ahu', 'auh', 'hau'], 'auk': ['aku', 'auk', 'kua'], 'auld': ['auld', 'dual', 'laud', 'udal'], 'aulete': ['aulete', 'eluate'], 'auletic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'auletris': ['auletris', 'lisuarte'], 'aulic': ['aulic', 'lucia'], 'aulostoma': ['aulostoma', 'autosomal'], 'aulu': ['aulu', 'ulua'], 'aum': ['aum', 'mau'], 'aumbry': ['ambury', 'aumbry'], 'aumil': ['aumil', 'miaul'], 'aumrie': ['aumrie', 'uremia'], 'auncel': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'aunt': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'auntie': ['auntie', 'uniate'], 'auntish': ['auntish', 'inhaust'], 'auntly': ['auntly', 'lutany'], 'auntsary': ['auntsary', 'unastray'], 'aura': ['aaru', 'aura'], 'aural': ['aural', 'laura'], 'aurar': ['arrau', 'aurar'], 'auresca': ['auresca', 'caesura'], 'aureus': ['aureus', 'uraeus'], 'auricle': ['auricle', 'ciruela'], 'auricled': ['auricled', 'radicule'], 'auride': ['auride', 'rideau'], 'aurin': ['aurin', 'urian'], 'aurir': ['aurir', 'urari'], 'auriscalp': ['auriscalp', 'spiracula'], 'auscult': ['auscult', 'scutula'], 'aushar': ['arusha', 'aushar'], 'auster': ['auster', 'reatus'], 'austere': ['austere', 'euaster'], 'australian': ['australian', 'saturnalia'], 'australic': ['australic', 'lactarius'], 'australite': ['aristulate', 'australite'], 'austrian': ['asturian', 'austrian', 'saturnia'], 'aute': ['aute', 'etua'], 'autecism': ['autecism', 'musicate'], 'authotype': ['authotype', 'autophyte'], 'autoclave': ['autoclave', 'vacuolate'], 'autocrat': ['actuator', 'autocrat'], 'autoheterosis': ['autoheterosis', 'heteroousiast'], 'autometric': ['autometric', 'tautomeric'], 'autometry': ['autometry', 'tautomery'], 'autophyte': ['authotype', 'autophyte'], 'autoplast': ['autoplast', 'postulata'], 'autopsic': ['autopsic', 'captious'], 'autopsical': ['apolaustic', 'autopsical'], 'autoradiograph': ['autoradiograph', 'radioautograph'], 'autoradiographic': ['autoradiographic', 'radioautographic'], 'autoradiography': ['autoradiography', 'radioautography'], 'autoriser': ['arterious', 'autoriser'], 'autosomal': ['aulostoma', 'autosomal'], 'auxetic': ['auxetic', 'eutaxic'], 'aval': ['aval', 'lava'], 'avanti': ['avanti', 'vinata'], 'avar': ['avar', 'vara'], 'ave': ['ave', 'eva'], 'avenge': ['avenge', 'geneva', 'vangee'], 'avenger': ['avenger', 'engrave'], 'avenin': ['avenin', 'vienna'], 'aventine': ['aventine', 'venetian'], 'aventurine': ['aventurine', 'uninervate'], 'aver': ['aver', 'rave', 'vare', 'vera'], 'avera': ['avera', 'erava'], 'averil': ['averil', 'elvira'], 'averin': ['averin', 'ravine'], 'avert': ['avert', 'tarve', 'taver', 'trave'], 'avertible': ['avertible', 'veritable'], 'avertin': ['avertin', 'vitrean'], 'aves': ['aves', 'save', 'vase'], 'aviatic': ['aviatic', 'viatica'], 'aviator': ['aviator', 'tovaria'], 'avicular': ['avicular', 'varicula'], 'avid': ['avid', 'diva'], 'avidous': ['avidous', 'vaudois'], 'avignonese': ['avignonese', 'ingaevones'], 'avine': ['avine', 'naive', 'vinea'], 'avirulence': ['acervuline', 'avirulence'], 'avis': ['avis', 'siva', 'visa'], 'avitic': ['avitic', 'viatic'], 'avo': ['avo', 'ova'], 'avocet': ['avocet', 'octave', 'vocate'], 'avodire': ['avodire', 'avoider', 'reavoid'], 'avoider': ['avodire', 'avoider', 'reavoid'], 'avolation': ['avolation', 'ovational'], 'avolitional': ['avolitional', 'violational'], 'avoucher': ['avoucher', 'reavouch'], 'avower': ['avower', 'reavow'], 'avshar': ['avshar', 'varsha'], 'avulse': ['alveus', 'avulse'], 'aw': ['aw', 'wa'], 'awag': ['awag', 'waag'], 'awaiter': ['awaiter', 'reawait'], 'awakener': ['awakener', 'reawaken'], 'awarder': ['awarder', 'reaward'], 'awash': ['awash', 'sawah'], 'awaste': ['asweat', 'awaste'], 'awat': ['awat', 'tawa'], 'awd': ['awd', 'daw', 'wad'], 'awe': ['awe', 'wae', 'wea'], 'aweather': ['aweather', 'wheatear'], 'aweek': ['aweek', 'keawe'], 'awesome': ['awesome', 'waesome'], 'awest': ['awest', 'sweat', 'tawse', 'waste'], 'awfu': ['awfu', 'wauf'], 'awful': ['awful', 'fulwa'], 'awhet': ['awhet', 'wheat'], 'awin': ['awin', 'wain'], 'awing': ['awing', 'wigan'], 'awl': ['awl', 'law'], 'awn': ['awn', 'naw', 'wan'], 'awned': ['awned', 'dewan', 'waned'], 'awner': ['awner', 'newar'], 'awning': ['awning', 'waning'], 'awny': ['awny', 'wany', 'yawn'], 'awol': ['alow', 'awol', 'lowa'], 'awork': ['awork', 'korwa'], 'awreck': ['awreck', 'wacker'], 'awrong': ['awrong', 'growan'], 'awry': ['awry', 'wary'], 'axel': ['alex', 'axel', 'axle'], 'axes': ['axes', 'saxe', 'seax'], 'axil': ['alix', 'axil'], 'axile': ['axile', 'lexia'], 'axine': ['axine', 'xenia'], 'axle': ['alex', 'axel', 'axle'], 'axon': ['axon', 'noxa', 'oxan'], 'axonal': ['axonal', 'oxalan'], 'axonia': ['anoxia', 'axonia'], 'ay': ['ay', 'ya'], 'ayah': ['ayah', 'haya'], 'aye': ['aye', 'yea'], 'ayont': ['atony', 'ayont'], 'azimine': ['aminize', 'animize', 'azimine'], 'azo': ['azo', 'zoa'], 'azole': ['azole', 'zoeal'], 'azon': ['azon', 'onza', 'ozan'], 'azorian': ['arizona', 'azorian', 'zonaria'], 'azorite': ['azorite', 'zoarite'], 'azoxine': ['azoxine', 'oxazine'], 'azteca': ['azteca', 'zacate'], 'azurine': ['azurine', 'urazine'], 'ba': ['ab', 'ba'], 'baa': ['aba', 'baa'], 'baal': ['alba', 'baal', 'bala'], 'baalath': ['baalath', 'bathala'], 'baalite': ['baalite', 'bialate', 'labiate'], 'baalshem': ['baalshem', 'shamable'], 'baar': ['arab', 'arba', 'baar', 'bara'], 'bab': ['abb', 'bab'], 'baba': ['abba', 'baba'], 'babbler': ['babbler', 'blabber', 'brabble'], 'babery': ['babery', 'yabber'], 'babhan': ['babhan', 'habnab'], 'babishly': ['babishly', 'shabbily'], 'babishness': ['babishness', 'shabbiness'], 'babite': ['babite', 'bebait'], 'babu': ['babu', 'buba'], 'babul': ['babul', 'bubal'], 'baby': ['abby', 'baby'], 'babylonish': ['babylonish', 'nabobishly'], 'bac': ['bac', 'cab'], 'bacao': ['bacao', 'caoba'], 'bach': ['bach', 'chab'], 'bache': ['bache', 'beach'], 'bachel': ['bachel', 'bleach'], 'bachelor': ['bachelor', 'crabhole'], 'bacillar': ['bacillar', 'cabrilla'], 'bacis': ['bacis', 'basic'], 'backblow': ['backblow', 'blowback'], 'backen': ['backen', 'neback'], 'backer': ['backer', 'reback'], 'backfall': ['backfall', 'fallback'], 'backfire': ['backfire', 'fireback'], 'backlog': ['backlog', 'gablock'], 'backrun': ['backrun', 'runback'], 'backsaw': ['backsaw', 'sawback'], 'backset': ['backset', 'setback'], 'backstop': ['backstop', 'stopback'], 'backswing': ['backswing', 'swingback'], 'backward': ['backward', 'drawback'], 'backway': ['backway', 'wayback'], 'bacon': ['bacon', 'banco'], 'bacterial': ['bacterial', 'calibrate'], 'bacteriform': ['bacteriform', 'bracteiform'], 'bacterin': ['bacterin', 'centibar'], 'bacterioid': ['aborticide', 'bacterioid'], 'bacterium': ['bacterium', 'cumbraite'], 'bactrian': ['bactrian', 'cantabri'], 'bacula': ['albuca', 'bacula'], 'baculi': ['abulic', 'baculi'], 'baculite': ['baculite', 'cubitale'], 'baculites': ['baculites', 'bisulcate'], 'baculoid': ['baculoid', 'cuboidal'], 'bad': ['bad', 'dab'], 'badaga': ['badaga', 'dagaba', 'gadaba'], 'badan': ['badan', 'banda'], 'bade': ['abed', 'bade', 'bead'], 'badge': ['badge', 'begad'], 'badian': ['badian', 'indaba'], 'badigeon': ['badigeon', 'gabioned'], 'badly': ['badly', 'baldy', 'blady'], 'badon': ['badon', 'bando'], 'bae': ['abe', 'bae', 'bea'], 'baeria': ['aberia', 'baeria', 'baiera'], 'baetulus': ['baetulus', 'subulate'], 'baetyl': ['baetyl', 'baylet', 'bleaty'], 'baetylic': ['baetylic', 'biacetyl'], 'bafta': ['abaft', 'bafta'], 'bag': ['bag', 'gab'], 'bagani': ['bagani', 'bangia', 'ibanag'], 'bagel': ['bagel', 'belga', 'gable', 'gleba'], 'bagger': ['bagger', 'beggar'], 'bagnio': ['bagnio', 'gabion', 'gobian'], 'bago': ['bago', 'boga'], 'bagre': ['bagre', 'barge', 'begar', 'rebag'], 'bahar': ['bahar', 'bhara'], 'bahoe': ['bahoe', 'bohea', 'obeah'], 'baht': ['baht', 'bath', 'bhat'], 'baiera': ['aberia', 'baeria', 'baiera'], 'baignet': ['baignet', 'beating'], 'bail': ['albi', 'bail', 'bali'], 'bailage': ['algieba', 'bailage'], 'bailer': ['bailer', 'barile'], 'baillone': ['baillone', 'bonellia'], 'bailment': ['bailment', 'libament'], 'bailor': ['bailor', 'bioral'], 'bailsman': ['bailsman', 'balanism', 'nabalism'], 'bain': ['bain', 'bani', 'iban'], 'baioc': ['baioc', 'cabio', 'cobia'], 'bairam': ['bairam', 'bramia'], 'bairn': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'bairnie': ['aribine', 'bairnie', 'iberian'], 'bairnish': ['bairnish', 'bisharin'], 'bais': ['absi', 'bais', 'bias', 'isba'], 'baister': ['baister', 'tribase'], 'baiter': ['baiter', 'barite', 'rebait', 'terbia'], 'baith': ['baith', 'habit'], 'bajocian': ['bajocian', 'jacobian'], 'bakal': ['bakal', 'balak'], 'bakatan': ['bakatan', 'batakan'], 'bake': ['bake', 'beak'], 'baker': ['baker', 'brake', 'break'], 'bakerless': ['bakerless', 'brakeless', 'breakless'], 'bakery': ['bakery', 'barkey'], 'bakie': ['akebi', 'bakie'], 'baku': ['baku', 'kuba'], 'bal': ['alb', 'bal', 'lab'], 'bala': ['alba', 'baal', 'bala'], 'baladine': ['baladine', 'balaenid'], 'balaenid': ['baladine', 'balaenid'], 'balagan': ['balagan', 'bangala'], 'balai': ['balai', 'labia'], 'balak': ['bakal', 'balak'], 'balan': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'balancer': ['balancer', 'barnacle'], 'balangay': ['balangay', 'bangalay'], 'balanic': ['balanic', 'caliban'], 'balanid': ['balanid', 'banilad'], 'balanism': ['bailsman', 'balanism', 'nabalism'], 'balanite': ['albanite', 'balanite', 'nabalite'], 'balanites': ['balanites', 'basaltine', 'stainable'], 'balantidium': ['antialbumid', 'balantidium'], 'balanus': ['balanus', 'nabalus', 'subanal'], 'balas': ['balas', 'balsa', 'basal', 'sabal'], 'balata': ['albata', 'atabal', 'balata'], 'balatron': ['balatron', 'laborant'], 'balaustine': ['balaustine', 'unsatiable'], 'balaustre': ['balaustre', 'saturable'], 'bald': ['bald', 'blad'], 'balden': ['balden', 'bandle'], 'balder': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'baldie': ['abdiel', 'baldie'], 'baldish': ['baldish', 'bladish'], 'baldmoney': ['baldmoney', 'molybdena'], 'baldness': ['baldness', 'bandless'], 'baldy': ['badly', 'baldy', 'blady'], 'bale': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'balearic': ['balearic', 'cebalrai'], 'baleen': ['baleen', 'enable'], 'balefire': ['afebrile', 'balefire', 'fireable'], 'baleise': ['baleise', 'besaiel'], 'baler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'balete': ['balete', 'belate'], 'bali': ['albi', 'bail', 'bali'], 'baline': ['baline', 'blaine'], 'balinger': ['balinger', 'ringable'], 'balker': ['balker', 'barkle'], 'ballaster': ['ballaster', 'reballast'], 'ballate': ['ballate', 'tabella'], 'balli': ['balli', 'billa'], 'balloter': ['balloter', 'reballot'], 'ballplayer': ['ballplayer', 'preallably'], 'ballroom': ['ballroom', 'moorball'], 'ballweed': ['ballweed', 'weldable'], 'balm': ['balm', 'lamb'], 'balminess': ['balminess', 'lambiness'], 'balmlike': ['balmlike', 'lamblike'], 'balmy': ['balmy', 'lamby'], 'balolo': ['balolo', 'lobola'], 'balonea': ['abalone', 'balonea'], 'balor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'balow': ['ablow', 'balow', 'bowla'], 'balsa': ['balas', 'balsa', 'basal', 'sabal'], 'balsam': ['balsam', 'sambal'], 'balsamic': ['balsamic', 'cabalism'], 'balsamo': ['absalom', 'balsamo'], 'balsamy': ['abysmal', 'balsamy'], 'balt': ['balt', 'blat'], 'baltei': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'balter': ['albert', 'balter', 'labret', 'tabler'], 'balteus': ['balteus', 'sublate'], 'baltis': ['baltis', 'bisalt'], 'balu': ['balu', 'baul', 'bual', 'luba'], 'balunda': ['balunda', 'bulanda'], 'baluster': ['baluster', 'rustable'], 'balut': ['balut', 'tubal'], 'bam': ['bam', 'mab'], 'ban': ['ban', 'nab'], 'bana': ['anba', 'bana'], 'banak': ['banak', 'nabak'], 'banal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'banat': ['banat', 'batan'], 'banca': ['banca', 'caban'], 'bancal': ['bancal', 'blanca'], 'banco': ['bacon', 'banco'], 'banda': ['badan', 'banda'], 'bandage': ['bandage', 'dagbane'], 'bandar': ['bandar', 'raband'], 'bandarlog': ['bandarlog', 'langobard'], 'bande': ['bande', 'benda'], 'bander': ['bander', 'brenda'], 'banderma': ['banderma', 'breadman'], 'banderole': ['banderole', 'bandoleer'], 'bandhook': ['bandhook', 'handbook'], 'bandle': ['balden', 'bandle'], 'bandless': ['baldness', 'bandless'], 'bando': ['badon', 'bando'], 'bandoleer': ['banderole', 'bandoleer'], 'bandor': ['bandor', 'bondar', 'roband'], 'bandore': ['bandore', 'broaden'], 'bane': ['bane', 'bean', 'bena'], 'bangala': ['balagan', 'bangala'], 'bangalay': ['balangay', 'bangalay'], 'bangash': ['bangash', 'nashgab'], 'banger': ['banger', 'engarb', 'graben'], 'banghy': ['banghy', 'hangby'], 'bangia': ['bagani', 'bangia', 'ibanag'], 'bangle': ['bangle', 'bengal'], 'bani': ['bain', 'bani', 'iban'], 'banilad': ['balanid', 'banilad'], 'banisher': ['banisher', 'rebanish'], 'baniva': ['baniva', 'bavian'], 'baniya': ['baniya', 'banyai'], 'banjoist': ['banjoist', 'bostanji'], 'bank': ['bank', 'knab', 'nabk'], 'banker': ['banker', 'barken'], 'banshee': ['banshee', 'benshea'], 'bantam': ['bantam', 'batman'], 'banteng': ['banteng', 'bentang'], 'banyai': ['baniya', 'banyai'], 'banzai': ['banzai', 'zabian'], 'bar': ['bar', 'bra', 'rab'], 'bara': ['arab', 'arba', 'baar', 'bara'], 'barabra': ['barabra', 'barbara'], 'barad': ['barad', 'draba'], 'barb': ['barb', 'brab'], 'barbara': ['barabra', 'barbara'], 'barbe': ['barbe', 'bebar', 'breba', 'rebab'], 'barbed': ['barbed', 'dabber'], 'barbel': ['barbel', 'labber', 'rabble'], 'barbet': ['barbet', 'rabbet', 'tabber'], 'barbette': ['barbette', 'bebatter'], 'barbion': ['barbion', 'rabboni'], 'barbitone': ['barbitone', 'barbotine'], 'barbone': ['barbone', 'bebaron'], 'barbotine': ['barbitone', 'barbotine'], 'barcella': ['barcella', 'caballer'], 'barcoo': ['barcoo', 'baroco'], 'bard': ['bard', 'brad', 'drab'], 'bardel': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bardie': ['abider', 'bardie'], 'bardily': ['bardily', 'rabidly', 'ridably'], 'bardiness': ['bardiness', 'rabidness'], 'barding': ['barding', 'brigand'], 'bardo': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'bardy': ['bardy', 'darby'], 'bare': ['bare', 'bear', 'brae'], 'barefaced': ['barefaced', 'facebread'], 'barefoot': ['barefoot', 'bearfoot'], 'barehanded': ['barehanded', 'bradenhead', 'headbander'], 'barehead': ['barehead', 'braehead'], 'barely': ['barely', 'barley', 'bleary'], 'barer': ['barer', 'rebar'], 'baretta': ['baretta', 'rabatte', 'tabaret'], 'bargainer': ['bargainer', 'rebargain'], 'barge': ['bagre', 'barge', 'begar', 'rebag'], 'bargeer': ['bargeer', 'gerbera'], 'bargeese': ['bargeese', 'begrease'], 'bari': ['abir', 'bari', 'rabi'], 'baric': ['baric', 'carib', 'rabic'], 'barid': ['barid', 'bidar', 'braid', 'rabid'], 'barie': ['barie', 'beira', 'erbia', 'rebia'], 'barile': ['bailer', 'barile'], 'baris': ['baris', 'sabir'], 'barish': ['barish', 'shibar'], 'barit': ['barit', 'ribat'], 'barite': ['baiter', 'barite', 'rebait', 'terbia'], 'baritone': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'barken': ['banker', 'barken'], 'barker': ['barker', 'braker'], 'barkey': ['bakery', 'barkey'], 'barkle': ['balker', 'barkle'], 'barky': ['barky', 'braky'], 'barley': ['barely', 'barley', 'bleary'], 'barling': ['barling', 'bringal'], 'barm': ['barm', 'bram'], 'barmbrack': ['barmbrack', 'brambrack'], 'barmote': ['barmote', 'bromate'], 'barmy': ['ambry', 'barmy'], 'barn': ['barn', 'bran'], 'barnabite': ['barnabite', 'rabbanite', 'rabbinate'], 'barnacle': ['balancer', 'barnacle'], 'barney': ['barney', 'nearby'], 'barny': ['barny', 'bryan'], 'baroco': ['barcoo', 'baroco'], 'barolo': ['barolo', 'robalo'], 'baron': ['baron', 'boran'], 'baronet': ['baronet', 'reboant'], 'barong': ['barong', 'brogan'], 'barosmin': ['ambrosin', 'barosmin', 'sabromin'], 'barothermograph': ['barothermograph', 'thermobarograph'], 'barotse': ['barotse', 'boaster', 'reboast', 'sorbate'], 'barpost': ['absorpt', 'barpost'], 'barracan': ['barracan', 'barranca'], 'barranca': ['barracan', 'barranca'], 'barrelet': ['barrelet', 'terebral'], 'barret': ['barret', 'barter'], 'barrette': ['barrette', 'batterer'], 'barrio': ['barrio', 'brairo'], 'barsac': ['barsac', 'scarab'], 'barse': ['barse', 'besra', 'saber', 'serab'], 'bart': ['bart', 'brat'], 'barter': ['barret', 'barter'], 'barton': ['barton', 'brotan'], 'bartsia': ['arabist', 'bartsia'], 'barundi': ['barundi', 'unbraid'], 'barvel': ['barvel', 'blaver', 'verbal'], 'barwise': ['barwise', 'swarbie'], 'barye': ['barye', 'beray', 'yerba'], 'baryta': ['baryta', 'taryba'], 'barytine': ['barytine', 'bryanite'], 'baryton': ['baryton', 'brotany'], 'bas': ['bas', 'sab'], 'basal': ['balas', 'balsa', 'basal', 'sabal'], 'basally': ['basally', 'salably'], 'basaltic': ['basaltic', 'cabalist'], 'basaltine': ['balanites', 'basaltine', 'stainable'], 'base': ['base', 'besa', 'sabe', 'seba'], 'basella': ['basella', 'sabella', 'salable'], 'bash': ['bash', 'shab'], 'basial': ['basial', 'blasia'], 'basic': ['bacis', 'basic'], 'basically': ['asyllabic', 'basically'], 'basidium': ['basidium', 'diiambus'], 'basil': ['basil', 'labis'], 'basileus': ['basileus', 'issuable', 'suasible'], 'basilweed': ['basilweed', 'bladewise'], 'basinasal': ['basinasal', 'bassalian'], 'basinet': ['basinet', 'besaint', 'bestain'], 'basion': ['basion', 'bonsai', 'sabino'], 'basiparachromatin': ['basiparachromatin', 'marsipobranchiata'], 'basket': ['basket', 'betask'], 'basketwork': ['basketwork', 'workbasket'], 'basos': ['basos', 'basso'], 'bassalian': ['basinasal', 'bassalian'], 'bassanite': ['bassanite', 'sebastian'], 'basset': ['asbest', 'basset'], 'basso': ['basos', 'basso'], 'bast': ['bast', 'bats', 'stab'], 'basta': ['basta', 'staab'], 'baste': ['baste', 'beast', 'tabes'], 'basten': ['absent', 'basten'], 'baster': ['baster', 'bestar', 'breast'], 'bastille': ['bastille', 'listable'], 'bastion': ['abiston', 'bastion'], 'bastionet': ['bastionet', 'obstinate'], 'bastite': ['bastite', 'batiste', 'bistate'], 'basto': ['basto', 'boast', 'sabot'], 'basuto': ['abouts', 'basuto'], 'bat': ['bat', 'tab'], 'batad': ['abdat', 'batad'], 'batakan': ['bakatan', 'batakan'], 'bataleur': ['bataleur', 'tabulare'], 'batan': ['banat', 'batan'], 'batara': ['artaba', 'batara'], 'batcher': ['batcher', 'berchta', 'brachet'], 'bate': ['abet', 'bate', 'beat', 'beta'], 'batea': ['abate', 'ateba', 'batea', 'beata'], 'batel': ['batel', 'blate', 'bleat', 'table'], 'batement': ['abetment', 'batement'], 'bater': ['abret', 'bater', 'berat'], 'batfowler': ['afterblow', 'batfowler'], 'bath': ['baht', 'bath', 'bhat'], 'bathala': ['baalath', 'bathala'], 'bathe': ['bathe', 'beath'], 'bather': ['bather', 'bertha', 'breath'], 'bathonian': ['bathonian', 'nabothian'], 'batik': ['batik', 'kitab'], 'batino': ['batino', 'oatbin', 'obtain'], 'batis': ['absit', 'batis'], 'batiste': ['bastite', 'batiste', 'bistate'], 'batling': ['batling', 'tabling'], 'batman': ['bantam', 'batman'], 'batophobia': ['batophobia', 'tabophobia'], 'batrachia': ['batrachia', 'brachiata'], 'batrachian': ['batrachian', 'branchiata'], 'bats': ['bast', 'bats', 'stab'], 'battel': ['battel', 'battle', 'tablet'], 'batteler': ['batteler', 'berattle'], 'battening': ['battening', 'bitangent'], 'batter': ['batter', 'bertat', 'tabret', 'tarbet'], 'batterer': ['barrette', 'batterer'], 'battle': ['battel', 'battle', 'tablet'], 'battler': ['battler', 'blatter', 'brattle'], 'battue': ['battue', 'tubate'], 'batule': ['batule', 'betula', 'tabule'], 'batyphone': ['batyphone', 'hypnobate'], 'batzen': ['batzen', 'bezant', 'tanzeb'], 'baud': ['baud', 'buda', 'daub'], 'baul': ['balu', 'baul', 'bual', 'luba'], 'baun': ['baun', 'buna', 'nabu', 'nuba'], 'bauta': ['abuta', 'bauta'], 'bavian': ['baniva', 'bavian'], 'baw': ['baw', 'wab'], 'bawl': ['bawl', 'blaw'], 'bawler': ['bawler', 'brelaw', 'rebawl', 'warble'], 'bay': ['aby', 'bay'], 'baya': ['baya', 'yaba'], 'bayed': ['bayed', 'beady', 'beday'], 'baylet': ['baetyl', 'baylet', 'bleaty'], 'bayonet': ['bayonet', 'betoyan'], 'baze': ['baze', 'ezba'], 'bea': ['abe', 'bae', 'bea'], 'beach': ['bache', 'beach'], 'bead': ['abed', 'bade', 'bead'], 'beaded': ['beaded', 'bedead'], 'beader': ['beader', 'bedare'], 'beadleism': ['beadleism', 'demisable'], 'beadlet': ['beadlet', 'belated'], 'beady': ['bayed', 'beady', 'beday'], 'beagle': ['beagle', 'belage', 'belgae'], 'beak': ['bake', 'beak'], 'beaker': ['beaker', 'berake', 'rebake'], 'beal': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'bealing': ['algenib', 'bealing', 'belgian', 'bengali'], 'beam': ['beam', 'bema'], 'beamer': ['ambeer', 'beamer'], 'beamless': ['assemble', 'beamless'], 'beamster': ['beamster', 'bemaster', 'bestream'], 'beamwork': ['beamwork', 'bowmaker'], 'beamy': ['beamy', 'embay', 'maybe'], 'bean': ['bane', 'bean', 'bena'], 'beanfield': ['beanfield', 'definable'], 'beant': ['abnet', 'beant'], 'bear': ['bare', 'bear', 'brae'], 'bearance': ['bearance', 'carabeen'], 'beard': ['ardeb', 'beard', 'bread', 'debar'], 'beardless': ['beardless', 'breadless'], 'beardlessness': ['beardlessness', 'breadlessness'], 'bearer': ['bearer', 'rebear'], 'bearess': ['bearess', 'bessera'], 'bearfoot': ['barefoot', 'bearfoot'], 'bearing': ['bearing', 'begrain', 'brainge', 'rigbane'], 'bearlet': ['bearlet', 'bleater', 'elberta', 'retable'], 'bearm': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'beast': ['baste', 'beast', 'tabes'], 'beastlily': ['beastlily', 'bestially'], 'beat': ['abet', 'bate', 'beat', 'beta'], 'beata': ['abate', 'ateba', 'batea', 'beata'], 'beater': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beath': ['bathe', 'beath'], 'beating': ['baignet', 'beating'], 'beau': ['aube', 'beau'], 'bebait': ['babite', 'bebait'], 'bebar': ['barbe', 'bebar', 'breba', 'rebab'], 'bebaron': ['barbone', 'bebaron'], 'bebaste': ['bebaste', 'bebeast'], 'bebatter': ['barbette', 'bebatter'], 'bebay': ['abbey', 'bebay'], 'bebeast': ['bebaste', 'bebeast'], 'bebog': ['bebog', 'begob', 'gobbe'], 'becard': ['becard', 'braced'], 'becater': ['becater', 'betrace'], 'because': ['because', 'besauce'], 'becharm': ['becharm', 'brecham', 'chamber'], 'becher': ['becher', 'breech'], 'bechern': ['bechern', 'bencher'], 'bechirp': ['bechirp', 'brephic'], 'becker': ['becker', 'rebeck'], 'beclad': ['beclad', 'cabled'], 'beclart': ['beclart', 'crablet'], 'becloud': ['becloud', 'obclude'], 'becram': ['becram', 'camber', 'crambe'], 'becrimson': ['becrimson', 'scombrine'], 'becry': ['becry', 'bryce'], 'bed': ['bed', 'deb'], 'bedamn': ['bedamn', 'bedman'], 'bedare': ['beader', 'bedare'], 'bedark': ['bedark', 'debark'], 'beday': ['bayed', 'beady', 'beday'], 'bedead': ['beaded', 'bedead'], 'bedel': ['bedel', 'bleed'], 'beden': ['beden', 'deben', 'deneb'], 'bedim': ['bedim', 'imbed'], 'bedip': ['bedip', 'biped'], 'bedismal': ['bedismal', 'semibald'], 'bedlam': ['bedlam', 'beldam', 'blamed'], 'bedlar': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedless': ['bedless', 'blessed'], 'bedman': ['bedamn', 'bedman'], 'bedoctor': ['bedoctor', 'codebtor'], 'bedog': ['bedog', 'bodge'], 'bedrail': ['bedrail', 'bridale', 'ridable'], 'bedral': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedrid': ['bedrid', 'bidder'], 'bedrip': ['bedrip', 'prebid'], 'bedrock': ['bedrock', 'brocked'], 'bedroom': ['bedroom', 'boerdom', 'boredom'], 'bedrown': ['bedrown', 'browden'], 'bedrug': ['bedrug', 'budger'], 'bedsick': ['bedsick', 'sickbed'], 'beduck': ['beduck', 'bucked'], 'bedur': ['bedur', 'rebud', 'redub'], 'bedusk': ['bedusk', 'busked'], 'bedust': ['bedust', 'bestud', 'busted'], 'beearn': ['beearn', 'berean'], 'beeman': ['beeman', 'bemean', 'bename'], 'been': ['been', 'bene', 'eben'], 'beer': ['beer', 'bere', 'bree'], 'beest': ['beest', 'beset'], 'beeswing': ['beeswing', 'beswinge'], 'befathered': ['befathered', 'featherbed'], 'befile': ['befile', 'belief'], 'befinger': ['befinger', 'befringe'], 'beflea': ['beflea', 'beleaf'], 'beflour': ['beflour', 'fourble'], 'beflum': ['beflum', 'fumble'], 'befret': ['befret', 'bereft'], 'befringe': ['befinger', 'befringe'], 'begad': ['badge', 'begad'], 'begall': ['begall', 'glebal'], 'begar': ['bagre', 'barge', 'begar', 'rebag'], 'begash': ['begash', 'beshag'], 'begat': ['begat', 'betag'], 'begettal': ['begettal', 'gettable'], 'beggar': ['bagger', 'beggar'], 'beggarer': ['beggarer', 'rebeggar'], 'begin': ['begin', 'being', 'binge'], 'begird': ['begird', 'bridge'], 'beglic': ['beglic', 'belgic'], 'bego': ['bego', 'egbo'], 'begob': ['bebog', 'begob', 'gobbe'], 'begone': ['begone', 'engobe'], 'begrain': ['bearing', 'begrain', 'brainge', 'rigbane'], 'begrease': ['bargeese', 'begrease'], 'behaviorism': ['behaviorism', 'misbehavior'], 'behears': ['behears', 'beshear'], 'behint': ['behint', 'henbit'], 'beholder': ['beholder', 'rebehold'], 'behorn': ['behorn', 'brehon'], 'beid': ['beid', 'bide', 'debi', 'dieb'], 'being': ['begin', 'being', 'binge'], 'beira': ['barie', 'beira', 'erbia', 'rebia'], 'beisa': ['abies', 'beisa'], 'bel': ['bel', 'elb'], 'bela': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'belabor': ['belabor', 'borable'], 'belaced': ['belaced', 'debacle'], 'belage': ['beagle', 'belage', 'belgae'], 'belait': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'belam': ['amble', 'belam', 'blame', 'mabel'], 'belar': ['abler', 'baler', 'belar', 'blare', 'blear'], 'belard': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'belate': ['balete', 'belate'], 'belated': ['beadlet', 'belated'], 'belaud': ['ablude', 'belaud'], 'beldam': ['bedlam', 'beldam', 'blamed'], 'beleaf': ['beflea', 'beleaf'], 'beleap': ['beleap', 'bepale'], 'belga': ['bagel', 'belga', 'gable', 'gleba'], 'belgae': ['beagle', 'belage', 'belgae'], 'belgian': ['algenib', 'bealing', 'belgian', 'bengali'], 'belgic': ['beglic', 'belgic'], 'belial': ['alible', 'belial', 'labile', 'liable'], 'belief': ['befile', 'belief'], 'belili': ['belili', 'billie'], 'belite': ['belite', 'beltie', 'bietle'], 'belitter': ['belitter', 'tribelet'], 'belive': ['belive', 'beveil'], 'bella': ['bella', 'label'], 'bellied': ['bellied', 'delible'], 'bellona': ['allbone', 'bellona'], 'bellonian': ['bellonian', 'nonliable'], 'bellote': ['bellote', 'lobelet'], 'bellower': ['bellower', 'rebellow'], 'belltail': ['belltail', 'bletilla', 'tillable'], 'bellyer': ['bellyer', 'rebelly'], 'bellypinch': ['bellypinch', 'pinchbelly'], 'beloid': ['beloid', 'boiled', 'bolide'], 'belonger': ['belonger', 'rebelong'], 'belonid': ['belonid', 'boldine'], 'belord': ['belord', 'bordel', 'rebold'], 'below': ['below', 'bowel', 'elbow'], 'belt': ['belt', 'blet'], 'beltane': ['beltane', 'tenable'], 'belter': ['belter', 'elbert', 'treble'], 'beltie': ['belite', 'beltie', 'bietle'], 'beltine': ['beltine', 'tenible'], 'beltir': ['beltir', 'riblet'], 'beltman': ['beltman', 'lambent'], 'belve': ['belve', 'bevel'], 'bema': ['beam', 'bema'], 'bemail': ['bemail', 'lambie'], 'beman': ['beman', 'nambe'], 'bemar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'bemaster': ['beamster', 'bemaster', 'bestream'], 'bemaul': ['bemaul', 'blumea'], 'bemeal': ['bemeal', 'meable'], 'bemean': ['beeman', 'bemean', 'bename'], 'bemire': ['bemire', 'bireme'], 'bemitred': ['bemitred', 'timbered'], 'bemoil': ['bemoil', 'mobile'], 'bemole': ['bemole', 'embole'], 'bemusk': ['bemusk', 'embusk'], 'ben': ['ben', 'neb'], 'bena': ['bane', 'bean', 'bena'], 'benacus': ['acubens', 'benacus'], 'bename': ['beeman', 'bemean', 'bename'], 'benami': ['benami', 'bimane'], 'bencher': ['bechern', 'bencher'], 'benchwork': ['benchwork', 'workbench'], 'benda': ['bande', 'benda'], 'bender': ['bender', 'berend', 'rebend'], 'bene': ['been', 'bene', 'eben'], 'benedight': ['benedight', 'benighted'], 'benefiter': ['benefiter', 'rebenefit'], 'bengal': ['bangle', 'bengal'], 'bengali': ['algenib', 'bealing', 'belgian', 'bengali'], 'beni': ['beni', 'bien', 'bine', 'inbe'], 'benighted': ['benedight', 'benighted'], 'beno': ['beno', 'bone', 'ebon'], 'benote': ['benote', 'betone'], 'benshea': ['banshee', 'benshea'], 'benshee': ['benshee', 'shebeen'], 'bentang': ['banteng', 'bentang'], 'benton': ['benton', 'bonnet'], 'benu': ['benu', 'unbe'], 'benward': ['benward', 'brawned'], 'benzantialdoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'benzein': ['benzein', 'benzine'], 'benzine': ['benzein', 'benzine'], 'benzo': ['benzo', 'bonze'], 'benzofluorene': ['benzofluorene', 'fluorobenzene'], 'benzonitrol': ['benzonitrol', 'nitrobenzol'], 'bepale': ['beleap', 'bepale'], 'bepart': ['bepart', 'berapt', 'betrap'], 'bepaste': ['bepaste', 'bespate'], 'bepester': ['bepester', 'prebeset'], 'beplaster': ['beplaster', 'prestable'], 'ber': ['ber', 'reb'], 'berake': ['beaker', 'berake', 'rebake'], 'berapt': ['bepart', 'berapt', 'betrap'], 'berat': ['abret', 'bater', 'berat'], 'berate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'berattle': ['batteler', 'berattle'], 'beraunite': ['beraunite', 'unebriate'], 'beray': ['barye', 'beray', 'yerba'], 'berberi': ['berberi', 'rebribe'], 'berchta': ['batcher', 'berchta', 'brachet'], 'bere': ['beer', 'bere', 'bree'], 'berean': ['beearn', 'berean'], 'bereft': ['befret', 'bereft'], 'berend': ['bender', 'berend', 'rebend'], 'berg': ['berg', 'gerb'], 'bergama': ['bergama', 'megabar'], 'bergamo': ['bergamo', 'embargo'], 'beri': ['beri', 'bier', 'brei', 'ribe'], 'beringed': ['beringed', 'breeding'], 'berinse': ['berinse', 'besiren'], 'berley': ['berley', 'bleery'], 'berlinite': ['berlinite', 'libertine'], 'bermudite': ['bermudite', 'demibrute'], 'bernard': ['bernard', 'brander', 'rebrand'], 'bernese': ['bernese', 'besneer'], 'beroe': ['beroe', 'boree'], 'beroida': ['beroida', 'boreiad'], 'beroll': ['beroll', 'boller'], 'berossos': ['berossos', 'obsessor'], 'beround': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'berri': ['berri', 'brier'], 'berried': ['berried', 'briered'], 'berrybush': ['berrybush', 'shrubbery'], 'bersil': ['bersil', 'birsle'], 'bert': ['bert', 'bret'], 'bertat': ['batter', 'bertat', 'tabret', 'tarbet'], 'berth': ['berth', 'breth'], 'bertha': ['bather', 'bertha', 'breath'], 'berther': ['berther', 'herbert'], 'berthing': ['berthing', 'brighten'], 'bertie': ['bertie', 'betire', 'rebite'], 'bertolonia': ['bertolonia', 'borolanite'], 'berust': ['berust', 'buster', 'stuber'], 'bervie': ['bervie', 'brieve'], 'beryllia': ['beryllia', 'reliably'], 'besa': ['base', 'besa', 'sabe', 'seba'], 'besaiel': ['baleise', 'besaiel'], 'besaint': ['basinet', 'besaint', 'bestain'], 'besauce': ['because', 'besauce'], 'bescour': ['bescour', 'buceros', 'obscure'], 'beset': ['beest', 'beset'], 'beshadow': ['beshadow', 'bodewash'], 'beshag': ['begash', 'beshag'], 'beshear': ['behears', 'beshear'], 'beshod': ['beshod', 'debosh'], 'besiren': ['berinse', 'besiren'], 'besit': ['besit', 'betis'], 'beslaver': ['beslaver', 'servable', 'versable'], 'beslime': ['beslime', 'besmile'], 'beslings': ['beslings', 'blessing', 'glibness'], 'beslow': ['beslow', 'bowels'], 'besmile': ['beslime', 'besmile'], 'besneer': ['bernese', 'besneer'], 'besoot': ['besoot', 'bootes'], 'besot': ['besot', 'betso'], 'besoul': ['besoul', 'blouse', 'obelus'], 'besour': ['besour', 'boreus', 'bourse', 'bouser'], 'bespate': ['bepaste', 'bespate'], 'besra': ['barse', 'besra', 'saber', 'serab'], 'bessera': ['bearess', 'bessera'], 'bestain': ['basinet', 'besaint', 'bestain'], 'bestar': ['baster', 'bestar', 'breast'], 'besteer': ['besteer', 'rebeset'], 'bestial': ['astilbe', 'bestial', 'blastie', 'stabile'], 'bestially': ['beastlily', 'bestially'], 'bestiarian': ['antirabies', 'bestiarian'], 'bestiary': ['bestiary', 'sybarite'], 'bestir': ['bestir', 'bister'], 'bestorm': ['bestorm', 'mobster'], 'bestowal': ['bestowal', 'stowable'], 'bestower': ['bestower', 'rebestow'], 'bestraw': ['bestraw', 'wabster'], 'bestream': ['beamster', 'bemaster', 'bestream'], 'bestrew': ['bestrew', 'webster'], 'bestride': ['bestride', 'bistered'], 'bestud': ['bedust', 'bestud', 'busted'], 'beswinge': ['beeswing', 'beswinge'], 'beta': ['abet', 'bate', 'beat', 'beta'], 'betag': ['begat', 'betag'], 'betail': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'betailor': ['betailor', 'laborite', 'orbitale'], 'betask': ['basket', 'betask'], 'betear': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beth': ['beth', 'theb'], 'betire': ['bertie', 'betire', 'rebite'], 'betis': ['besit', 'betis'], 'betone': ['benote', 'betone'], 'betoss': ['betoss', 'bosset'], 'betoya': ['betoya', 'teaboy'], 'betoyan': ['bayonet', 'betoyan'], 'betrace': ['becater', 'betrace'], 'betrail': ['betrail', 'librate', 'triable', 'trilabe'], 'betrap': ['bepart', 'berapt', 'betrap'], 'betrayal': ['betrayal', 'tearably'], 'betrayer': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'betread': ['betread', 'debater'], 'betrim': ['betrim', 'timber', 'timbre'], 'betso': ['besot', 'betso'], 'betta': ['betta', 'tabet'], 'bettina': ['bettina', 'tabinet', 'tibetan'], 'betula': ['batule', 'betula', 'tabule'], 'betulin': ['betulin', 'bluntie'], 'beturbaned': ['beturbaned', 'unrabbeted'], 'beveil': ['belive', 'beveil'], 'bevel': ['belve', 'bevel'], 'bever': ['bever', 'breve'], 'bewailer': ['bewailer', 'rebewail'], 'bework': ['bework', 'bowker'], 'bey': ['bey', 'bye'], 'beydom': ['beydom', 'embody'], 'bezant': ['batzen', 'bezant', 'tanzeb'], 'bezzo': ['bezzo', 'bozze'], 'bhakti': ['bhakti', 'khatib'], 'bhandari': ['bhandari', 'hairband'], 'bhar': ['bhar', 'harb'], 'bhara': ['bahar', 'bhara'], 'bhat': ['baht', 'bath', 'bhat'], 'bhima': ['bhima', 'biham'], 'bhotia': ['bhotia', 'tobiah'], 'bhutani': ['bhutani', 'unhabit'], 'biacetyl': ['baetylic', 'biacetyl'], 'bialate': ['baalite', 'bialate', 'labiate'], 'bialveolar': ['bialveolar', 'labiovelar'], 'bianca': ['abanic', 'bianca'], 'bianco': ['bianco', 'bonaci'], 'biangular': ['biangular', 'bulgarian'], 'bias': ['absi', 'bais', 'bias', 'isba'], 'biatomic': ['biatomic', 'moabitic'], 'bible': ['bible', 'blibe'], 'bicarpellary': ['bicarpellary', 'prebacillary'], 'bickern': ['bickern', 'bricken'], 'biclavate': ['activable', 'biclavate'], 'bicorn': ['bicorn', 'bicron'], 'bicornate': ['bicornate', 'carbonite', 'reboantic'], 'bicrenate': ['abenteric', 'bicrenate'], 'bicron': ['bicorn', 'bicron'], 'bicrural': ['bicrural', 'rubrical'], 'bid': ['bid', 'dib'], 'bidar': ['barid', 'bidar', 'braid', 'rabid'], 'bidder': ['bedrid', 'bidder'], 'bide': ['beid', 'bide', 'debi', 'dieb'], 'bident': ['bident', 'indebt'], 'bidented': ['bidented', 'indebted'], 'bider': ['bider', 'bredi', 'bride', 'rebid'], 'bidet': ['bidet', 'debit'], 'biduous': ['biduous', 'dubious'], 'bien': ['beni', 'bien', 'bine', 'inbe'], 'bier': ['beri', 'bier', 'brei', 'ribe'], 'bietle': ['belite', 'beltie', 'bietle'], 'bifer': ['bifer', 'brief', 'fiber'], 'big': ['big', 'gib'], 'biga': ['agib', 'biga', 'gabi'], 'bigamous': ['bigamous', 'subimago'], 'bigener': ['bigener', 'rebegin'], 'bigential': ['bigential', 'tangibile'], 'biggin': ['biggin', 'gibing'], 'bigoted': ['bigoted', 'dogbite'], 'biham': ['bhima', 'biham'], 'bihari': ['bihari', 'habiri'], 'bike': ['bike', 'kibe'], 'bikram': ['bikram', 'imbark'], 'bilaan': ['albian', 'bilaan'], 'bilaterality': ['alterability', 'bilaterality', 'relatability'], 'bilati': ['bilati', 'tibial'], 'bilby': ['bilby', 'libby'], 'bildar': ['bildar', 'bridal', 'ribald'], 'bilge': ['bilge', 'gibel'], 'biliate': ['biliate', 'tibiale'], 'bilinear': ['bilinear', 'liberian'], 'billa': ['balli', 'billa'], 'billboard': ['billboard', 'broadbill'], 'biller': ['biller', 'rebill'], 'billeter': ['billeter', 'rebillet'], 'billie': ['belili', 'billie'], 'bilo': ['bilo', 'boil'], 'bilobated': ['bilobated', 'bobtailed'], 'biltong': ['biltong', 'bolting'], 'bim': ['bim', 'mib'], 'bimane': ['benami', 'bimane'], 'bimodality': ['bimodality', 'myliobatid'], 'bimotors': ['bimotors', 'robotism'], 'bin': ['bin', 'nib'], 'binal': ['albin', 'binal', 'blain'], 'binary': ['binary', 'brainy'], 'binder': ['binder', 'inbred', 'rebind'], 'bindwood': ['bindwood', 'woodbind'], 'bine': ['beni', 'bien', 'bine', 'inbe'], 'binge': ['begin', 'being', 'binge'], 'bino': ['bino', 'bion', 'boni'], 'binocular': ['binocular', 'caliburno', 'colubrina'], 'binomial': ['binomial', 'mobilian'], 'binuclear': ['binuclear', 'incurable'], 'biod': ['biod', 'boid'], 'bion': ['bino', 'bion', 'boni'], 'biopsychological': ['biopsychological', 'psychobiological'], 'biopsychology': ['biopsychology', 'psychobiology'], 'bioral': ['bailor', 'bioral'], 'biorgan': ['biorgan', 'grobian'], 'bios': ['bios', 'bois'], 'biosociological': ['biosociological', 'sociobiological'], 'biota': ['biota', 'ibota'], 'biotics': ['biotics', 'cobitis'], 'bipartile': ['bipartile', 'pretibial'], 'biped': ['bedip', 'biped'], 'bipedal': ['bipedal', 'piebald'], 'bipersonal': ['bipersonal', 'prisonable'], 'bipolar': ['bipolar', 'parboil'], 'biracial': ['biracial', 'cibarial'], 'birchen': ['birchen', 'brichen'], 'bird': ['bird', 'drib'], 'birdeen': ['birdeen', 'inbreed'], 'birdlet': ['birdlet', 'driblet'], 'birdling': ['birdling', 'bridling', 'lingbird'], 'birdman': ['birdman', 'manbird'], 'birdseed': ['birdseed', 'seedbird'], 'birdstone': ['birdstone', 'stonebird'], 'bireme': ['bemire', 'bireme'], 'biretta': ['biretta', 'brattie', 'ratbite'], 'birle': ['birle', 'liber'], 'birma': ['abrim', 'birma'], 'birn': ['birn', 'brin'], 'birny': ['birny', 'briny'], 'biron': ['biron', 'inorb', 'robin'], 'birse': ['birse', 'ribes'], 'birsle': ['bersil', 'birsle'], 'birth': ['birth', 'brith'], 'bis': ['bis', 'sib'], 'bisalt': ['baltis', 'bisalt'], 'bisaltae': ['bisaltae', 'satiable'], 'bisharin': ['bairnish', 'bisharin'], 'bistate': ['bastite', 'batiste', 'bistate'], 'bister': ['bestir', 'bister'], 'bistered': ['bestride', 'bistered'], 'bisti': ['bisti', 'bitis'], 'bisulcate': ['baculites', 'bisulcate'], 'bit': ['bit', 'tib'], 'bitangent': ['battening', 'bitangent'], 'bitemporal': ['bitemporal', 'importable'], 'biter': ['biter', 'tribe'], 'bitis': ['bisti', 'bitis'], 'bito': ['bito', 'obit'], 'bitonality': ['bitonality', 'notability'], 'bittern': ['bittern', 'britten'], 'bitumed': ['bitumed', 'budtime'], 'biurate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'biwa': ['biwa', 'wabi'], 'bizarre': ['bizarre', 'brazier'], 'bizet': ['bizet', 'zibet'], 'blabber': ['babbler', 'blabber', 'brabble'], 'blackacre': ['blackacre', 'crackable'], 'blad': ['bald', 'blad'], 'blader': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bladewise': ['basilweed', 'bladewise'], 'bladish': ['baldish', 'bladish'], 'blady': ['badly', 'baldy', 'blady'], 'blae': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'blaeberry': ['blaeberry', 'bleaberry'], 'blaeness': ['ableness', 'blaeness', 'sensable'], 'blain': ['albin', 'binal', 'blain'], 'blaine': ['baline', 'blaine'], 'blair': ['blair', 'brail', 'libra'], 'blake': ['blake', 'bleak', 'kabel'], 'blame': ['amble', 'belam', 'blame', 'mabel'], 'blamed': ['bedlam', 'beldam', 'blamed'], 'blamer': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'blaming': ['ambling', 'blaming'], 'blamingly': ['amblingly', 'blamingly'], 'blanca': ['bancal', 'blanca'], 'blare': ['abler', 'baler', 'belar', 'blare', 'blear'], 'blarina': ['blarina', 'branial'], 'blarney': ['blarney', 'renably'], 'blas': ['blas', 'slab'], 'blase': ['blase', 'sable'], 'blasia': ['basial', 'blasia'], 'blastema': ['blastema', 'lambaste'], 'blastemic': ['blastemic', 'cembalist'], 'blaster': ['blaster', 'reblast', 'stabler'], 'blastie': ['astilbe', 'bestial', 'blastie', 'stabile'], 'blasting': ['blasting', 'stabling'], 'blastoderm': ['blastoderm', 'dermoblast'], 'blastogenic': ['blastogenic', 'genoblastic'], 'blastomeric': ['blastomeric', 'meroblastic'], 'blastomycetic': ['blastomycetic', 'cytoblastemic'], 'blastomycetous': ['blastomycetous', 'cytoblastemous'], 'blasty': ['blasty', 'stably'], 'blat': ['balt', 'blat'], 'blate': ['batel', 'blate', 'bleat', 'table'], 'blather': ['blather', 'halbert'], 'blatter': ['battler', 'blatter', 'brattle'], 'blaver': ['barvel', 'blaver', 'verbal'], 'blaw': ['bawl', 'blaw'], 'blay': ['ably', 'blay', 'yalb'], 'blazoner': ['albronze', 'blazoner'], 'bleaberry': ['blaeberry', 'bleaberry'], 'bleach': ['bachel', 'bleach'], 'bleacher': ['bleacher', 'rebleach'], 'bleak': ['blake', 'bleak', 'kabel'], 'bleaky': ['bleaky', 'kabyle'], 'blear': ['abler', 'baler', 'belar', 'blare', 'blear'], 'bleared': ['bleared', 'reblade'], 'bleary': ['barely', 'barley', 'bleary'], 'bleat': ['batel', 'blate', 'bleat', 'table'], 'bleater': ['bearlet', 'bleater', 'elberta', 'retable'], 'bleating': ['bleating', 'tangible'], 'bleaty': ['baetyl', 'baylet', 'bleaty'], 'bleed': ['bedel', 'bleed'], 'bleery': ['berley', 'bleery'], 'blender': ['blender', 'reblend'], 'blendure': ['blendure', 'rebundle'], 'blennoid': ['blennoid', 'blondine'], 'blennoma': ['blennoma', 'nobleman'], 'bleo': ['bleo', 'bole', 'lobe'], 'blepharocera': ['blepharocera', 'reproachable'], 'blessed': ['bedless', 'blessed'], 'blesser': ['blesser', 'rebless'], 'blessing': ['beslings', 'blessing', 'glibness'], 'blet': ['belt', 'blet'], 'bletia': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'bletilla': ['belltail', 'bletilla', 'tillable'], 'blibe': ['bible', 'blibe'], 'blighter': ['blighter', 'therblig'], 'blimy': ['blimy', 'limby'], 'blister': ['blister', 'bristle'], 'blisterwort': ['blisterwort', 'bristlewort'], 'blitter': ['blitter', 'brittle', 'triblet'], 'blo': ['blo', 'lob'], 'bloated': ['bloated', 'lobated'], 'bloater': ['alberto', 'bloater', 'latrobe'], 'bloating': ['bloating', 'obligant'], 'blocker': ['blocker', 'brockle', 'reblock'], 'blonde': ['blonde', 'bolden'], 'blondine': ['blennoid', 'blondine'], 'blood': ['blood', 'boldo'], 'bloodleaf': ['bloodleaf', 'floodable'], 'bloomer': ['bloomer', 'rebloom'], 'bloomy': ['bloomy', 'lomboy'], 'blore': ['blore', 'roble'], 'blosmy': ['blosmy', 'symbol'], 'blot': ['blot', 'bolt'], 'blotless': ['blotless', 'boltless'], 'blotter': ['blotter', 'bottler'], 'blotting': ['blotting', 'bottling'], 'blouse': ['besoul', 'blouse', 'obelus'], 'blow': ['blow', 'bowl'], 'blowback': ['backblow', 'blowback'], 'blower': ['blower', 'bowler', 'reblow', 'worble'], 'blowfly': ['blowfly', 'flyblow'], 'blowing': ['blowing', 'bowling'], 'blowout': ['blowout', 'outblow', 'outbowl'], 'blowup': ['blowup', 'upblow'], 'blowy': ['blowy', 'bowly'], 'blub': ['blub', 'bulb'], 'blubber': ['blubber', 'bubbler'], 'blue': ['blue', 'lube'], 'bluegill': ['bluegill', 'gullible'], 'bluenose': ['bluenose', 'nebulose'], 'bluer': ['bluer', 'brule', 'burel', 'ruble'], 'blues': ['blues', 'bulse'], 'bluffer': ['bluffer', 'rebluff'], 'bluishness': ['bluishness', 'blushiness'], 'bluism': ['bluism', 'limbus'], 'blumea': ['bemaul', 'blumea'], 'blunder': ['blunder', 'bundler'], 'blunderer': ['blunderer', 'reblunder'], 'blunge': ['blunge', 'bungle'], 'blunger': ['blunger', 'bungler'], 'bluntie': ['betulin', 'bluntie'], 'blur': ['blur', 'burl'], 'blushiness': ['bluishness', 'blushiness'], 'bluster': ['bluster', 'brustle', 'bustler'], 'boa': ['abo', 'boa'], 'boar': ['boar', 'bora'], 'board': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'boarder': ['arbored', 'boarder', 'reboard'], 'boardly': ['boardly', 'broadly'], 'boardy': ['boardy', 'boyard', 'byroad'], 'boast': ['basto', 'boast', 'sabot'], 'boaster': ['barotse', 'boaster', 'reboast', 'sorbate'], 'boasting': ['boasting', 'bostangi'], 'boat': ['boat', 'bota', 'toba'], 'boater': ['boater', 'borate', 'rebato'], 'boathouse': ['boathouse', 'houseboat'], 'bobac': ['bobac', 'cabob'], 'bobfly': ['bobfly', 'flobby'], 'bobo': ['bobo', 'boob'], 'bobtailed': ['bilobated', 'bobtailed'], 'bocardo': ['bocardo', 'cordoba'], 'boccale': ['boccale', 'cabocle'], 'bocher': ['bocher', 'broche'], 'bocking': ['bocking', 'kingcob'], 'bod': ['bod', 'dob'], 'bode': ['bode', 'dobe'], 'boden': ['boden', 'boned'], 'boder': ['boder', 'orbed'], 'bodewash': ['beshadow', 'bodewash'], 'bodge': ['bedog', 'bodge'], 'bodhi': ['bodhi', 'dhobi'], 'bodice': ['bodice', 'ceboid'], 'bodier': ['bodier', 'boride', 'brodie'], 'bodle': ['bodle', 'boled', 'lobed'], 'bodo': ['bodo', 'bood', 'doob'], 'body': ['body', 'boyd', 'doby'], 'boer': ['boer', 'bore', 'robe'], 'boerdom': ['bedroom', 'boerdom', 'boredom'], 'boethian': ['boethian', 'nebaioth'], 'bog': ['bog', 'gob'], 'boga': ['bago', 'boga'], 'bogan': ['bogan', 'goban'], 'bogeyman': ['bogeyman', 'moneybag'], 'boggler': ['boggler', 'broggle'], 'boglander': ['boglander', 'longbeard'], 'bogle': ['bogle', 'globe'], 'boglet': ['boglet', 'goblet'], 'bogo': ['bogo', 'gobo'], 'bogue': ['bogue', 'bouge'], 'bogum': ['bogum', 'gumbo'], 'bogy': ['bogy', 'bygo', 'goby'], 'bohea': ['bahoe', 'bohea', 'obeah'], 'boho': ['boho', 'hobo'], 'bohor': ['bohor', 'rohob'], 'boid': ['biod', 'boid'], 'boil': ['bilo', 'boil'], 'boiled': ['beloid', 'boiled', 'bolide'], 'boiler': ['boiler', 'reboil'], 'boilover': ['boilover', 'overboil'], 'bois': ['bios', 'bois'], 'bojo': ['bojo', 'jobo'], 'bolar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'bolden': ['blonde', 'bolden'], 'bolderian': ['bolderian', 'ordinable'], 'boldine': ['belonid', 'boldine'], 'boldness': ['boldness', 'bondless'], 'boldo': ['blood', 'boldo'], 'bole': ['bleo', 'bole', 'lobe'], 'boled': ['bodle', 'boled', 'lobed'], 'bolelia': ['bolelia', 'lobelia', 'obelial'], 'bolide': ['beloid', 'boiled', 'bolide'], 'boller': ['beroll', 'boller'], 'bolo': ['bolo', 'bool', 'lobo', 'obol'], 'bolster': ['bolster', 'lobster'], 'bolt': ['blot', 'bolt'], 'boltage': ['boltage', 'globate'], 'bolter': ['bolter', 'orblet', 'reblot', 'rebolt'], 'bolthead': ['bolthead', 'theobald'], 'bolting': ['biltong', 'bolting'], 'boltless': ['blotless', 'boltless'], 'boltonia': ['boltonia', 'lobation', 'oblation'], 'bom': ['bom', 'mob'], 'boma': ['ambo', 'boma'], 'bombable': ['bombable', 'mobbable'], 'bombacaceae': ['bombacaceae', 'cabombaceae'], 'bomber': ['bomber', 'mobber'], 'bon': ['bon', 'nob'], 'bonaci': ['bianco', 'bonaci'], 'bonair': ['bonair', 'borani'], 'bondage': ['bondage', 'dogbane'], 'bondar': ['bandor', 'bondar', 'roband'], 'bondless': ['boldness', 'bondless'], 'bone': ['beno', 'bone', 'ebon'], 'boned': ['boden', 'boned'], 'bonefish': ['bonefish', 'fishbone'], 'boneless': ['boneless', 'noblesse'], 'bonellia': ['baillone', 'bonellia'], 'boner': ['boner', 'borne'], 'boney': ['boney', 'ebony'], 'boni': ['bino', 'bion', 'boni'], 'bonitary': ['bonitary', 'trainboy'], 'bonk': ['bonk', 'knob'], 'bonnet': ['benton', 'bonnet'], 'bonsai': ['basion', 'bonsai', 'sabino'], 'bonus': ['bonus', 'bosun'], 'bony': ['bony', 'byon'], 'bonze': ['benzo', 'bonze'], 'bonzer': ['bonzer', 'bronze'], 'boob': ['bobo', 'boob'], 'bood': ['bodo', 'bood', 'doob'], 'booger': ['booger', 'goober'], 'bookcase': ['bookcase', 'casebook'], 'booker': ['booker', 'brooke', 'rebook'], 'bookland': ['bookland', 'landbook'], 'bookshop': ['bookshop', 'shopbook'], 'bookward': ['bookward', 'woodbark'], 'bookwork': ['bookwork', 'workbook'], 'bool': ['bolo', 'bool', 'lobo', 'obol'], 'booly': ['booly', 'looby'], 'boomingly': ['boomingly', 'myoglobin'], 'boopis': ['boopis', 'obispo'], 'boor': ['boor', 'boro', 'broo'], 'boort': ['boort', 'robot'], 'boost': ['boost', 'boots'], 'bootes': ['besoot', 'bootes'], 'boother': ['boother', 'theorbo'], 'boots': ['boost', 'boots'], 'bop': ['bop', 'pob'], 'bor': ['bor', 'orb', 'rob'], 'bora': ['boar', 'bora'], 'borable': ['belabor', 'borable'], 'boracic': ['boracic', 'braccio'], 'boral': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'boran': ['baron', 'boran'], 'borani': ['bonair', 'borani'], 'borate': ['boater', 'borate', 'rebato'], 'bord': ['bord', 'brod'], 'bordel': ['belord', 'bordel', 'rebold'], 'bordello': ['bordello', 'doorbell'], 'border': ['border', 'roberd'], 'borderer': ['borderer', 'broderer'], 'bordure': ['bordure', 'bourder'], 'bore': ['boer', 'bore', 'robe'], 'boredom': ['bedroom', 'boerdom', 'boredom'], 'boree': ['beroe', 'boree'], 'boreen': ['boreen', 'enrobe', 'neebor', 'rebone'], 'boreiad': ['beroida', 'boreiad'], 'boreism': ['boreism', 'semiorb'], 'borer': ['borer', 'rerob', 'rober'], 'boreus': ['besour', 'boreus', 'bourse', 'bouser'], 'borg': ['borg', 'brog', 'gorb'], 'boric': ['boric', 'cribo', 'orbic'], 'boride': ['bodier', 'boride', 'brodie'], 'boring': ['boring', 'robing'], 'boringly': ['boringly', 'goblinry'], 'borlase': ['borlase', 'labrose', 'rosabel'], 'borne': ['boner', 'borne'], 'borneo': ['borneo', 'oberon'], 'bornite': ['bornite', 'robinet'], 'boro': ['boor', 'boro', 'broo'], 'borocaine': ['borocaine', 'coenobiar'], 'borofluohydric': ['borofluohydric', 'hydrofluoboric'], 'borolanite': ['bertolonia', 'borolanite'], 'boron': ['boron', 'broon'], 'boronic': ['boronic', 'cobiron'], 'borrower': ['borrower', 'reborrow'], 'borscht': ['borscht', 'bortsch'], 'bort': ['bort', 'brot'], 'bortsch': ['borscht', 'bortsch'], 'bos': ['bos', 'sob'], 'bosc': ['bosc', 'scob'], 'boser': ['boser', 'brose', 'sober'], 'bosn': ['bosn', 'nobs', 'snob'], 'bosselation': ['bosselation', 'eosinoblast'], 'bosset': ['betoss', 'bosset'], 'bostangi': ['boasting', 'bostangi'], 'bostanji': ['banjoist', 'bostanji'], 'bosun': ['bonus', 'bosun'], 'bota': ['boat', 'bota', 'toba'], 'botanical': ['botanical', 'catabolin'], 'botanophilist': ['botanophilist', 'philobotanist'], 'bote': ['bote', 'tobe'], 'botein': ['botein', 'tobine'], 'both': ['both', 'thob'], 'bottler': ['blotter', 'bottler'], 'bottling': ['blotting', 'bottling'], 'bouge': ['bogue', 'bouge'], 'bouget': ['bouget', 'outbeg'], 'bouk': ['bouk', 'kobu'], 'boulder': ['boulder', 'doubler'], 'bouldering': ['bouldering', 'redoubling'], 'boulter': ['boulter', 'trouble'], 'bounden': ['bounden', 'unboned'], 'bounder': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'bounding': ['bounding', 'unboding'], 'bourder': ['bordure', 'bourder'], 'bourn': ['bourn', 'bruno'], 'bourse': ['besour', 'boreus', 'bourse', 'bouser'], 'bouser': ['besour', 'boreus', 'bourse', 'bouser'], 'bousy': ['bousy', 'byous'], 'bow': ['bow', 'wob'], 'bowel': ['below', 'bowel', 'elbow'], 'boweled': ['boweled', 'elbowed'], 'bowels': ['beslow', 'bowels'], 'bowery': ['bowery', 'bowyer', 'owerby'], 'bowie': ['bowie', 'woibe'], 'bowker': ['bework', 'bowker'], 'bowl': ['blow', 'bowl'], 'bowla': ['ablow', 'balow', 'bowla'], 'bowler': ['blower', 'bowler', 'reblow', 'worble'], 'bowling': ['blowing', 'bowling'], 'bowly': ['blowy', 'bowly'], 'bowmaker': ['beamwork', 'bowmaker'], 'bowyer': ['bowery', 'bowyer', 'owerby'], 'boxer': ['boxer', 'rebox'], 'boxwork': ['boxwork', 'workbox'], 'boyang': ['boyang', 'yagnob'], 'boyard': ['boardy', 'boyard', 'byroad'], 'boyd': ['body', 'boyd', 'doby'], 'boyship': ['boyship', 'shipboy'], 'bozo': ['bozo', 'zobo'], 'bozze': ['bezzo', 'bozze'], 'bra': ['bar', 'bra', 'rab'], 'brab': ['barb', 'brab'], 'brabble': ['babbler', 'blabber', 'brabble'], 'braca': ['acrab', 'braca'], 'braccio': ['boracic', 'braccio'], 'brace': ['acerb', 'brace', 'caber'], 'braced': ['becard', 'braced'], 'braceleted': ['braceleted', 'celebrated'], 'bracer': ['bracer', 'craber'], 'braces': ['braces', 'scrabe'], 'brachet': ['batcher', 'berchta', 'brachet'], 'brachiata': ['batrachia', 'brachiata'], 'brachiofacial': ['brachiofacial', 'faciobrachial'], 'brachiopode': ['brachiopode', 'cardiophobe'], 'bracon': ['bracon', 'carbon', 'corban'], 'bractea': ['abreact', 'bractea', 'cabaret'], 'bracteal': ['bracteal', 'cartable'], 'bracteiform': ['bacteriform', 'bracteiform'], 'bracteose': ['bracteose', 'obsecrate'], 'brad': ['bard', 'brad', 'drab'], 'bradenhead': ['barehanded', 'bradenhead', 'headbander'], 'brae': ['bare', 'bear', 'brae'], 'braehead': ['barehead', 'braehead'], 'brag': ['brag', 'garb', 'grab'], 'bragi': ['bragi', 'girba'], 'bragless': ['bragless', 'garbless'], 'brahmi': ['brahmi', 'mihrab'], 'brahui': ['brahui', 'habiru'], 'braid': ['barid', 'bidar', 'braid', 'rabid'], 'braider': ['braider', 'rebraid'], 'brail': ['blair', 'brail', 'libra'], 'braille': ['braille', 'liberal'], 'brain': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'brainache': ['brainache', 'branchiae'], 'brainge': ['bearing', 'begrain', 'brainge', 'rigbane'], 'brainwater': ['brainwater', 'waterbrain'], 'brainy': ['binary', 'brainy'], 'braird': ['braird', 'briard'], 'brairo': ['barrio', 'brairo'], 'braise': ['braise', 'rabies', 'rebias'], 'brake': ['baker', 'brake', 'break'], 'brakeage': ['brakeage', 'breakage'], 'brakeless': ['bakerless', 'brakeless', 'breakless'], 'braker': ['barker', 'braker'], 'braky': ['barky', 'braky'], 'bram': ['barm', 'bram'], 'brambrack': ['barmbrack', 'brambrack'], 'bramia': ['bairam', 'bramia'], 'bran': ['barn', 'bran'], 'brancher': ['brancher', 'rebranch'], 'branchiae': ['brainache', 'branchiae'], 'branchiata': ['batrachian', 'branchiata'], 'branchiopoda': ['branchiopoda', 'podobranchia'], 'brander': ['bernard', 'brander', 'rebrand'], 'brandi': ['brandi', 'riband'], 'brandisher': ['brandisher', 'rebrandish'], 'branial': ['blarina', 'branial'], 'brankie': ['brankie', 'inbreak'], 'brash': ['brash', 'shrab'], 'brasiletto': ['brasiletto', 'strobilate'], 'brassie': ['brassie', 'rebasis'], 'brat': ['bart', 'brat'], 'brattie': ['biretta', 'brattie', 'ratbite'], 'brattle': ['battler', 'blatter', 'brattle'], 'braunite': ['braunite', 'urbanite', 'urbinate'], 'brave': ['brave', 'breva'], 'bravoite': ['abortive', 'bravoite'], 'brawler': ['brawler', 'warbler'], 'brawling': ['brawling', 'warbling'], 'brawlingly': ['brawlingly', 'warblingly'], 'brawly': ['brawly', 'byrlaw', 'warbly'], 'brawned': ['benward', 'brawned'], 'bray': ['bray', 'yarb'], 'braza': ['braza', 'zabra'], 'braze': ['braze', 'zebra'], 'brazier': ['bizarre', 'brazier'], 'bread': ['ardeb', 'beard', 'bread', 'debar'], 'breadless': ['beardless', 'breadless'], 'breadlessness': ['beardlessness', 'breadlessness'], 'breadman': ['banderma', 'breadman'], 'breadnut': ['breadnut', 'turbaned'], 'breaghe': ['breaghe', 'herbage'], 'break': ['baker', 'brake', 'break'], 'breakage': ['brakeage', 'breakage'], 'breakless': ['bakerless', 'brakeless', 'breakless'], 'breakout': ['breakout', 'outbreak'], 'breakover': ['breakover', 'overbreak'], 'breakstone': ['breakstone', 'stonebreak'], 'breakup': ['breakup', 'upbreak'], 'breakwind': ['breakwind', 'windbreak'], 'bream': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'breast': ['baster', 'bestar', 'breast'], 'breasting': ['breasting', 'brigantes'], 'breastpin': ['breastpin', 'stepbairn'], 'breastrail': ['arbalister', 'breastrail'], 'breastweed': ['breastweed', 'sweetbread'], 'breath': ['bather', 'bertha', 'breath'], 'breathe': ['breathe', 'rebathe'], 'breba': ['barbe', 'bebar', 'breba', 'rebab'], 'breccia': ['acerbic', 'breccia'], 'brecham': ['becharm', 'brecham', 'chamber'], 'brede': ['brede', 'breed', 'rebed'], 'bredi': ['bider', 'bredi', 'bride', 'rebid'], 'bree': ['beer', 'bere', 'bree'], 'breech': ['becher', 'breech'], 'breed': ['brede', 'breed', 'rebed'], 'breeder': ['breeder', 'rebreed'], 'breeding': ['beringed', 'breeding'], 'brehon': ['behorn', 'brehon'], 'brei': ['beri', 'bier', 'brei', 'ribe'], 'brelaw': ['bawler', 'brelaw', 'rebawl', 'warble'], 'breme': ['breme', 'ember'], 'bremia': ['ambier', 'bremia', 'embira'], 'brenda': ['bander', 'brenda'], 'brephic': ['bechirp', 'brephic'], 'bret': ['bert', 'bret'], 'breth': ['berth', 'breth'], 'breva': ['brave', 'breva'], 'breve': ['bever', 'breve'], 'brewer': ['brewer', 'rebrew'], 'brey': ['brey', 'byre', 'yerb'], 'brian': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'briard': ['braird', 'briard'], 'briber': ['briber', 'ribber'], 'brichen': ['birchen', 'brichen'], 'brickel': ['brickel', 'brickle'], 'bricken': ['bickern', 'bricken'], 'brickle': ['brickel', 'brickle'], 'bricole': ['bricole', 'corbeil', 'orbicle'], 'bridal': ['bildar', 'bridal', 'ribald'], 'bridale': ['bedrail', 'bridale', 'ridable'], 'bridally': ['bridally', 'ribaldly'], 'bride': ['bider', 'bredi', 'bride', 'rebid'], 'bridelace': ['bridelace', 'calibered'], 'bridge': ['begird', 'bridge'], 'bridgeward': ['bridgeward', 'drawbridge'], 'bridling': ['birdling', 'bridling', 'lingbird'], 'brief': ['bifer', 'brief', 'fiber'], 'briefless': ['briefless', 'fiberless', 'fibreless'], 'brier': ['berri', 'brier'], 'briered': ['berried', 'briered'], 'brieve': ['bervie', 'brieve'], 'brigade': ['abridge', 'brigade'], 'brigand': ['barding', 'brigand'], 'brigantes': ['breasting', 'brigantes'], 'brighten': ['berthing', 'brighten'], 'brin': ['birn', 'brin'], 'brine': ['brine', 'enrib'], 'bringal': ['barling', 'bringal'], 'bringer': ['bringer', 'rebring'], 'briny': ['birny', 'briny'], 'bristle': ['blister', 'bristle'], 'bristlewort': ['blisterwort', 'bristlewort'], 'brisure': ['brisure', 'bruiser'], 'britannia': ['antiabrin', 'britannia'], 'brith': ['birth', 'brith'], 'brither': ['brither', 'rebirth'], 'britten': ['bittern', 'britten'], 'brittle': ['blitter', 'brittle', 'triblet'], 'broacher': ['broacher', 'rebroach'], 'broad': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'broadbill': ['billboard', 'broadbill'], 'broadcaster': ['broadcaster', 'rebroadcast'], 'broaden': ['bandore', 'broaden'], 'broadhead': ['broadhead', 'headboard'], 'broadly': ['boardly', 'broadly'], 'broadside': ['broadside', 'sideboard'], 'broadspread': ['broadspread', 'spreadboard'], 'broadtail': ['broadtail', 'tailboard'], 'brochan': ['brochan', 'charbon'], 'broche': ['bocher', 'broche'], 'brocho': ['brocho', 'brooch'], 'brocked': ['bedrock', 'brocked'], 'brockle': ['blocker', 'brockle', 'reblock'], 'brod': ['bord', 'brod'], 'broderer': ['borderer', 'broderer'], 'brodie': ['bodier', 'boride', 'brodie'], 'brog': ['borg', 'brog', 'gorb'], 'brogan': ['barong', 'brogan'], 'broggle': ['boggler', 'broggle'], 'brolga': ['brolga', 'gorbal'], 'broma': ['broma', 'rambo'], 'bromate': ['barmote', 'bromate'], 'brome': ['brome', 'omber'], 'brominate': ['brominate', 'tribonema'], 'bromohydrate': ['bromohydrate', 'hydrobromate'], 'bronze': ['bonzer', 'bronze'], 'broo': ['boor', 'boro', 'broo'], 'brooch': ['brocho', 'brooch'], 'brooke': ['booker', 'brooke', 'rebook'], 'broon': ['boron', 'broon'], 'brose': ['boser', 'brose', 'sober'], 'brot': ['bort', 'brot'], 'brotan': ['barton', 'brotan'], 'brotany': ['baryton', 'brotany'], 'broth': ['broth', 'throb'], 'brothelry': ['brothelry', 'brotherly'], 'brotherly': ['brothelry', 'brotherly'], 'browden': ['bedrown', 'browden'], 'browner': ['browner', 'rebrown'], 'browntail': ['browntail', 'wrainbolt'], 'bruce': ['bruce', 'cebur', 'cuber'], 'brucina': ['brucina', 'rubican'], 'bruckle': ['bruckle', 'buckler'], 'brugh': ['brugh', 'burgh'], 'bruin': ['bruin', 'burin', 'inrub'], 'bruiser': ['brisure', 'bruiser'], 'bruke': ['bruke', 'burke'], 'brule': ['bluer', 'brule', 'burel', 'ruble'], 'brulee': ['brulee', 'burele', 'reblue'], 'brumal': ['brumal', 'labrum', 'lumbar', 'umbral'], 'brumalia': ['albarium', 'brumalia'], 'brume': ['brume', 'umber'], 'brumous': ['brumous', 'umbrous'], 'brunellia': ['brunellia', 'unliberal'], 'brunet': ['brunet', 'bunter', 'burnet'], 'bruno': ['bourn', 'bruno'], 'brunt': ['brunt', 'burnt'], 'brush': ['brush', 'shrub'], 'brushed': ['brushed', 'subherd'], 'brusher': ['brusher', 'rebrush'], 'brushland': ['brushland', 'shrubland'], 'brushless': ['brushless', 'shrubless'], 'brushlet': ['brushlet', 'shrublet'], 'brushlike': ['brushlike', 'shrublike'], 'brushwood': ['brushwood', 'shrubwood'], 'brustle': ['bluster', 'brustle', 'bustler'], 'brut': ['brut', 'burt', 'trub', 'turb'], 'bruta': ['bruta', 'tubar'], 'brute': ['brute', 'buret', 'rebut', 'tuber'], 'brutely': ['brutely', 'butlery'], 'bryan': ['barny', 'bryan'], 'bryanite': ['barytine', 'bryanite'], 'bryce': ['becry', 'bryce'], 'bual': ['balu', 'baul', 'bual', 'luba'], 'buba': ['babu', 'buba'], 'bubal': ['babul', 'bubal'], 'bubbler': ['blubber', 'bubbler'], 'buccocervical': ['buccocervical', 'cervicobuccal'], 'bucconasal': ['bucconasal', 'nasobuccal'], 'buceros': ['bescour', 'buceros', 'obscure'], 'buckbush': ['buckbush', 'bushbuck'], 'bucked': ['beduck', 'bucked'], 'buckler': ['bruckle', 'buckler'], 'bucksaw': ['bucksaw', 'sawbuck'], 'bucrane': ['bucrane', 'unbrace'], 'bud': ['bud', 'dub'], 'buda': ['baud', 'buda', 'daub'], 'budder': ['budder', 'redbud'], 'budger': ['bedrug', 'budger'], 'budgeter': ['budgeter', 'rebudget'], 'budtime': ['bitumed', 'budtime'], 'buffer': ['buffer', 'rebuff'], 'buffeter': ['buffeter', 'rebuffet'], 'bugan': ['bugan', 'bunga', 'unbag'], 'bughouse': ['bughouse', 'housebug'], 'bugi': ['bugi', 'guib'], 'bugle': ['bugle', 'bulge'], 'bugler': ['bugler', 'bulger', 'burgle'], 'bugre': ['bugre', 'gebur'], 'builder': ['builder', 'rebuild'], 'buildup': ['buildup', 'upbuild'], 'buirdly': ['buirdly', 'ludibry'], 'bulanda': ['balunda', 'bulanda'], 'bulb': ['blub', 'bulb'], 'bulgarian': ['biangular', 'bulgarian'], 'bulge': ['bugle', 'bulge'], 'bulger': ['bugler', 'bulger', 'burgle'], 'bulimic': ['bulimic', 'umbilic'], 'bulimiform': ['bulimiform', 'umbiliform'], 'bulker': ['bulker', 'rebulk'], 'bulla': ['bulla', 'lulab'], 'bullace': ['bullace', 'cueball'], 'bulletin': ['bulletin', 'unbillet'], 'bullfeast': ['bullfeast', 'stableful'], 'bulse': ['blues', 'bulse'], 'bulter': ['bulter', 'burlet', 'butler'], 'bummler': ['bummler', 'mumbler'], 'bun': ['bun', 'nub'], 'buna': ['baun', 'buna', 'nabu', 'nuba'], 'buncal': ['buncal', 'lucban'], 'buncher': ['buncher', 'rebunch'], 'bunder': ['bunder', 'burden', 'burned', 'unbred'], 'bundle': ['bundle', 'unbled'], 'bundler': ['blunder', 'bundler'], 'bundu': ['bundu', 'unbud', 'undub'], 'bunga': ['bugan', 'bunga', 'unbag'], 'bungle': ['blunge', 'bungle'], 'bungler': ['blunger', 'bungler'], 'bungo': ['bungo', 'unbog'], 'bunk': ['bunk', 'knub'], 'bunter': ['brunet', 'bunter', 'burnet'], 'bunty': ['bunty', 'butyn'], 'bunya': ['bunya', 'unbay'], 'bur': ['bur', 'rub'], 'buran': ['buran', 'unbar', 'urban'], 'burble': ['burble', 'lubber', 'rubble'], 'burbler': ['burbler', 'rubbler'], 'burbly': ['burbly', 'rubbly'], 'burd': ['burd', 'drub'], 'burdalone': ['burdalone', 'unlabored'], 'burden': ['bunder', 'burden', 'burned', 'unbred'], 'burdener': ['burdener', 'reburden'], 'burdie': ['burdie', 'buried', 'rubied'], 'bure': ['bure', 'reub', 'rube'], 'burel': ['bluer', 'brule', 'burel', 'ruble'], 'burele': ['brulee', 'burele', 'reblue'], 'buret': ['brute', 'buret', 'rebut', 'tuber'], 'burfish': ['burfish', 'furbish'], 'burg': ['burg', 'grub'], 'burgh': ['brugh', 'burgh'], 'burgle': ['bugler', 'bulger', 'burgle'], 'burian': ['burian', 'urbian'], 'buried': ['burdie', 'buried', 'rubied'], 'burin': ['bruin', 'burin', 'inrub'], 'burke': ['bruke', 'burke'], 'burl': ['blur', 'burl'], 'burler': ['burler', 'burrel'], 'burlet': ['bulter', 'burlet', 'butler'], 'burletta': ['burletta', 'rebuttal'], 'burmite': ['burmite', 'imbrute', 'terbium'], 'burned': ['bunder', 'burden', 'burned', 'unbred'], 'burner': ['burner', 'reburn'], 'burnet': ['brunet', 'bunter', 'burnet'], 'burnfire': ['burnfire', 'fireburn'], 'burnie': ['burnie', 'rubine'], 'burnisher': ['burnisher', 'reburnish'], 'burnout': ['burnout', 'outburn'], 'burnover': ['burnover', 'overburn'], 'burnsides': ['burnsides', 'sideburns'], 'burnt': ['brunt', 'burnt'], 'burny': ['burny', 'runby'], 'buro': ['buro', 'roub'], 'burrel': ['burler', 'burrel'], 'burro': ['burro', 'robur', 'rubor'], 'bursa': ['abrus', 'bursa', 'subra'], 'bursal': ['bursal', 'labrus'], 'bursate': ['bursate', 'surbate'], 'burse': ['burse', 'rebus', 'suber'], 'burst': ['burst', 'strub'], 'burster': ['burster', 'reburst'], 'burt': ['brut', 'burt', 'trub', 'turb'], 'burut': ['burut', 'trubu'], 'bury': ['bury', 'ruby'], 'bus': ['bus', 'sub'], 'buscarle': ['arbuscle', 'buscarle'], 'bushbuck': ['buckbush', 'bushbuck'], 'busher': ['busher', 'rebush'], 'bushwood': ['bushwood', 'woodbush'], 'busied': ['busied', 'subdie'], 'busked': ['bedusk', 'busked'], 'busman': ['busman', 'subman'], 'bust': ['bust', 'stub'], 'busted': ['bedust', 'bestud', 'busted'], 'buster': ['berust', 'buster', 'stuber'], 'bustic': ['bustic', 'cubist'], 'bustle': ['bustle', 'sublet', 'subtle'], 'bustler': ['bluster', 'brustle', 'bustler'], 'but': ['but', 'tub'], 'bute': ['bute', 'tebu', 'tube'], 'butea': ['butea', 'taube', 'tubae'], 'butein': ['butein', 'butine', 'intube'], 'butic': ['butic', 'cubit'], 'butine': ['butein', 'butine', 'intube'], 'butler': ['bulter', 'burlet', 'butler'], 'butleress': ['butleress', 'tuberless'], 'butlery': ['brutely', 'butlery'], 'buttle': ['buttle', 'tublet'], 'buttoner': ['buttoner', 'rebutton'], 'butyn': ['bunty', 'butyn'], 'buyer': ['buyer', 'rebuy'], 'bye': ['bey', 'bye'], 'byeman': ['byeman', 'byname'], 'byerite': ['byerite', 'ebriety'], 'bygo': ['bogy', 'bygo', 'goby'], 'byname': ['byeman', 'byname'], 'byon': ['bony', 'byon'], 'byous': ['bousy', 'byous'], 'byre': ['brey', 'byre', 'yerb'], 'byrlaw': ['brawly', 'byrlaw', 'warbly'], 'byroad': ['boardy', 'boyard', 'byroad'], 'cab': ['bac', 'cab'], 'caba': ['abac', 'caba'], 'cabaan': ['cabaan', 'cabana', 'canaba'], 'cabala': ['cabala', 'calaba'], 'cabaletta': ['ablactate', 'cabaletta'], 'cabalism': ['balsamic', 'cabalism'], 'cabalist': ['basaltic', 'cabalist'], 'caballer': ['barcella', 'caballer'], 'caban': ['banca', 'caban'], 'cabana': ['cabaan', 'cabana', 'canaba'], 'cabaret': ['abreact', 'bractea', 'cabaret'], 'cabbler': ['cabbler', 'clabber'], 'caber': ['acerb', 'brace', 'caber'], 'cabio': ['baioc', 'cabio', 'cobia'], 'cabiri': ['cabiri', 'caribi'], 'cabirian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cable': ['cable', 'caleb'], 'cabled': ['beclad', 'cabled'], 'cabob': ['bobac', 'cabob'], 'cabocle': ['boccale', 'cabocle'], 'cabombaceae': ['bombacaceae', 'cabombaceae'], 'cabrilla': ['bacillar', 'cabrilla'], 'caca': ['acca', 'caca'], 'cachet': ['cachet', 'chacte'], 'cachou': ['cachou', 'caucho'], 'cackler': ['cackler', 'clacker', 'crackle'], 'cacodaemonic': ['cacodaemonic', 'cacodemoniac'], 'cacodemoniac': ['cacodaemonic', 'cacodemoniac'], 'cacomistle': ['cacomistle', 'cosmetical'], 'cacoxenite': ['cacoxenite', 'excecation'], 'cactaceae': ['cactaceae', 'taccaceae'], 'cactaceous': ['cactaceous', 'taccaceous'], 'cacti': ['cacti', 'ticca'], 'cactoid': ['cactoid', 'octadic'], 'caddice': ['caddice', 'decadic'], 'caddie': ['caddie', 'eddaic'], 'cade': ['cade', 'dace', 'ecad'], 'cadent': ['cadent', 'canted', 'decant'], 'cadential': ['cadential', 'dancalite'], 'cader': ['acred', 'cader', 'cadre', 'cedar'], 'cadet': ['cadet', 'ectad'], 'cadge': ['cadge', 'caged'], 'cadger': ['cadger', 'cradge'], 'cadi': ['acid', 'cadi', 'caid'], 'cadinene': ['cadinene', 'decennia', 'enneadic'], 'cadmia': ['adamic', 'cadmia'], 'cados': ['cados', 'scoad'], 'cadre': ['acred', 'cader', 'cadre', 'cedar'], 'cadua': ['cadua', 'cauda'], 'caduac': ['caduac', 'caduca'], 'caduca': ['caduac', 'caduca'], 'cadus': ['cadus', 'dacus'], 'caeciliae': ['caeciliae', 'ilicaceae'], 'caedmonian': ['caedmonian', 'macedonian'], 'caedmonic': ['caedmonic', 'macedonic'], 'caelum': ['almuce', 'caelum', 'macule'], 'caelus': ['caelus', 'caules', 'clause'], 'caesar': ['ascare', 'caesar', 'resaca'], 'caesarist': ['caesarist', 'staircase'], 'caesura': ['auresca', 'caesura'], 'caffeina': ['affiance', 'caffeina'], 'caged': ['cadge', 'caged'], 'cageling': ['cageling', 'glaceing'], 'cager': ['cager', 'garce', 'grace'], 'cahill': ['achill', 'cahill', 'chilla'], 'cahita': ['cahita', 'ithaca'], 'cahnite': ['cahnite', 'cathine'], 'caid': ['acid', 'cadi', 'caid'], 'caiman': ['amniac', 'caiman', 'maniac'], 'caimito': ['caimito', 'comitia'], 'cain': ['cain', 'inca'], 'cainism': ['cainism', 'misniac'], 'cairba': ['arabic', 'cairba'], 'caird': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'cairene': ['cairene', 'cinerea'], 'cairn': ['cairn', 'crain', 'naric'], 'cairned': ['cairned', 'candier'], 'cairny': ['cairny', 'riancy'], 'cairo': ['cairo', 'oaric'], 'caisson': ['caisson', 'cassino'], 'cajoler': ['cajoler', 'jecoral'], 'caker': ['acker', 'caker', 'crake', 'creak'], 'cakey': ['ackey', 'cakey'], 'cal': ['cal', 'lac'], 'calaba': ['cabala', 'calaba'], 'calamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'calamint': ['calamint', 'claimant'], 'calamitean': ['calamitean', 'catamenial'], 'calander': ['calander', 'calendar'], 'calandrinae': ['calandrinae', 'calendarian'], 'calas': ['calas', 'casal', 'scala'], 'calash': ['calash', 'lachsa'], 'calathian': ['acanthial', 'calathian'], 'calaverite': ['calaverite', 'lacerative'], 'calcareocorneous': ['calcareocorneous', 'corneocalcareous'], 'calcareosiliceous': ['calcareosiliceous', 'siliceocalcareous'], 'calciner': ['calciner', 'larcenic'], 'calculary': ['calculary', 'calycular'], 'calculative': ['calculative', 'claviculate'], 'calden': ['calden', 'candle', 'lanced'], 'calean': ['anlace', 'calean'], 'caleb': ['cable', 'caleb'], 'caledonia': ['caledonia', 'laodicean'], 'caledonite': ['caledonite', 'celadonite'], 'calendar': ['calander', 'calendar'], 'calendarial': ['calendarial', 'dalecarlian'], 'calendarian': ['calandrinae', 'calendarian'], 'calender': ['calender', 'encradle'], 'calenture': ['calenture', 'crenulate'], 'calepin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'calfkill': ['calfkill', 'killcalf'], 'caliban': ['balanic', 'caliban'], 'caliber': ['caliber', 'calibre'], 'calibered': ['bridelace', 'calibered'], 'calibrate': ['bacterial', 'calibrate'], 'calibre': ['caliber', 'calibre'], 'caliburno': ['binocular', 'caliburno', 'colubrina'], 'calico': ['accoil', 'calico'], 'calidity': ['calidity', 'dialytic'], 'caliga': ['caliga', 'cigala'], 'calinago': ['analogic', 'calinago'], 'calinut': ['calinut', 'lunatic'], 'caliper': ['caliper', 'picarel', 'replica'], 'calipers': ['calipers', 'spiracle'], 'caliphate': ['caliphate', 'hepatical'], 'calite': ['calite', 'laetic', 'tecali'], 'caliver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'calk': ['calk', 'lack'], 'calker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'callboy': ['callboy', 'collyba'], 'caller': ['caller', 'cellar', 'recall'], 'calli': ['calli', 'lilac'], 'calligraphy': ['calligraphy', 'graphically'], 'calliopsis': ['calliopsis', 'lipoclasis'], 'callisection': ['callisection', 'clinoclasite'], 'callitype': ['callitype', 'plicately'], 'callo': ['callo', 'colla', 'local'], 'callosal': ['callosal', 'scallola'], 'callose': ['callose', 'oscella'], 'callosity': ['callosity', 'stoically'], 'callosum': ['callosum', 'mollusca'], 'calluna': ['calluna', 'lacunal'], 'callus': ['callus', 'sulcal'], 'calm': ['calm', 'clam'], 'calmant': ['calmant', 'clamant'], 'calmative': ['calmative', 'clamative'], 'calmer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'calmierer': ['calmierer', 'reclaimer'], 'calomba': ['calomba', 'cambalo'], 'calonectria': ['calonectria', 'ectocranial'], 'calor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'calorie': ['calorie', 'cariole'], 'calorist': ['calorist', 'coralist'], 'calorite': ['calorite', 'erotical', 'loricate'], 'calorize': ['calorize', 'coalizer'], 'calotermes': ['calotermes', 'mesorectal', 'metacresol'], 'calotermitid': ['calotermitid', 'dilatometric'], 'calp': ['calp', 'clap'], 'caltha': ['caltha', 'chalta'], 'caltrop': ['caltrop', 'proctal'], 'calusa': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'calvaria': ['calvaria', 'clavaria'], 'calvary': ['calvary', 'cavalry'], 'calve': ['calve', 'cavel', 'clave'], 'calver': ['calver', 'carvel', 'claver'], 'calves': ['calves', 'scavel'], 'calycular': ['calculary', 'calycular'], 'calyptratae': ['acalyptrate', 'calyptratae'], 'cam': ['cam', 'mac'], 'camaca': ['camaca', 'macaca'], 'camail': ['amical', 'camail', 'lamaic'], 'caman': ['caman', 'macan'], 'camara': ['acamar', 'camara', 'maraca'], 'cambalo': ['calomba', 'cambalo'], 'camber': ['becram', 'camber', 'crambe'], 'cambrel': ['cambrel', 'clamber', 'cramble'], 'came': ['acme', 'came', 'mace'], 'cameist': ['cameist', 'etacism', 'sematic'], 'camel': ['camel', 'clame', 'cleam', 'macle'], 'camelid': ['camelid', 'decimal', 'declaim', 'medical'], 'camelina': ['alcamine', 'analcime', 'calamine', 'camelina'], 'camelish': ['camelish', 'schalmei'], 'camellus': ['camellus', 'sacellum'], 'cameloid': ['cameloid', 'comedial', 'melodica'], 'cameograph': ['cameograph', 'macrophage'], 'camera': ['acream', 'camera', 'mareca'], 'cameral': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'camerate': ['camerate', 'macerate', 'racemate'], 'camerated': ['camerated', 'demarcate'], 'cameration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'camerina': ['amacrine', 'american', 'camerina', 'cinerama'], 'camerist': ['camerist', 'ceramist', 'matrices'], 'camion': ['camion', 'conima', 'manioc', 'monica'], 'camisado': ['camisado', 'caodaism'], 'camise': ['camise', 'macies'], 'campaign': ['campaign', 'pangamic'], 'campaigner': ['campaigner', 'recampaign'], 'camphire': ['camphire', 'hemicarp'], 'campine': ['campine', 'pemican'], 'campoo': ['campoo', 'capomo'], 'camptonite': ['camptonite', 'pentatomic'], 'camus': ['camus', 'musca', 'scaum', 'sumac'], 'camused': ['camused', 'muscade'], 'canaba': ['cabaan', 'cabana', 'canaba'], 'canadol': ['acnodal', 'canadol', 'locanda'], 'canaille': ['alliance', 'canaille'], 'canape': ['canape', 'panace'], 'canari': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'canarin': ['canarin', 'cranian'], 'canariote': ['canariote', 'ceratonia'], 'canary': ['canary', 'cynara'], 'canaut': ['canaut', 'tucana'], 'canceler': ['canceler', 'clarence', 'recancel'], 'cancer': ['cancer', 'crance'], 'cancerate': ['cancerate', 'reactance'], 'canceration': ['anacreontic', 'canceration'], 'cancri': ['cancri', 'carnic', 'cranic'], 'cancroid': ['cancroid', 'draconic'], 'candela': ['candela', 'decanal'], 'candier': ['cairned', 'candier'], 'candiru': ['candiru', 'iracund'], 'candle': ['calden', 'candle', 'lanced'], 'candor': ['candor', 'cardon', 'conrad'], 'candroy': ['candroy', 'dacryon'], 'cane': ['acne', 'cane', 'nace'], 'canel': ['canel', 'clean', 'lance', 'lenca'], 'canelo': ['canelo', 'colane'], 'canephor': ['canephor', 'chaperno', 'chaperon'], 'canephore': ['canephore', 'chaperone'], 'canephroi': ['canephroi', 'parochine'], 'caner': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'canful': ['canful', 'flucan'], 'cangle': ['cangle', 'glance'], 'cangler': ['cangler', 'glancer', 'reclang'], 'cangue': ['cangue', 'uncage'], 'canicola': ['canicola', 'laconica'], 'canid': ['canid', 'cnida', 'danic'], 'canidae': ['aidance', 'canidae'], 'canine': ['canine', 'encina', 'neanic'], 'canis': ['canis', 'scian'], 'canister': ['canister', 'cestrian', 'cisterna', 'irascent'], 'canker': ['canker', 'neckar'], 'cankerworm': ['cankerworm', 'crownmaker'], 'cannel': ['cannel', 'lencan'], 'cannot': ['cannot', 'canton', 'conant', 'nonact'], 'cannulate': ['antelucan', 'cannulate'], 'canny': ['canny', 'nancy'], 'canoe': ['acone', 'canoe', 'ocean'], 'canoeing': ['anogenic', 'canoeing'], 'canoeist': ['canoeist', 'cotesian'], 'canon': ['ancon', 'canon'], 'canonist': ['canonist', 'sanction', 'sonantic'], 'canoodler': ['canoodler', 'coronaled'], 'canroy': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'canso': ['ascon', 'canso', 'oscan'], 'cantabri': ['bactrian', 'cantabri'], 'cantala': ['cantala', 'catalan', 'lantaca'], 'cantalite': ['cantalite', 'lactinate', 'tetanical'], 'cantara': ['cantara', 'nacarat'], 'cantaro': ['cantaro', 'croatan'], 'cantate': ['anteact', 'cantate'], 'canted': ['cadent', 'canted', 'decant'], 'canteen': ['canteen', 'centena'], 'canter': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'canterer': ['canterer', 'recanter', 'recreant', 'terrance'], 'cantharidae': ['acidanthera', 'cantharidae'], 'cantharis': ['anarchist', 'archsaint', 'cantharis'], 'canthus': ['canthus', 'staunch'], 'cantico': ['cantico', 'catonic', 'taconic'], 'cantilena': ['cantilena', 'lancinate'], 'cantilever': ['cantilever', 'trivalence'], 'cantily': ['anticly', 'cantily'], 'cantina': ['cantina', 'tannaic'], 'cantiness': ['anticness', 'cantiness', 'incessant'], 'cantion': ['actinon', 'cantion', 'contain'], 'cantle': ['cantle', 'cental', 'lancet', 'tancel'], 'canto': ['acton', 'canto', 'octan'], 'canton': ['cannot', 'canton', 'conant', 'nonact'], 'cantonal': ['cantonal', 'connatal'], 'cantor': ['cantor', 'carton', 'contra'], 'cantorian': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'cantoris': ['cantoris', 'castorin', 'corsaint'], 'cantred': ['cantred', 'centrad', 'tranced'], 'cantus': ['cantus', 'tuscan', 'uncast'], 'canun': ['canun', 'cunan'], 'cany': ['cany', 'cyan'], 'canyon': ['ancony', 'canyon'], 'caoba': ['bacao', 'caoba'], 'caodaism': ['camisado', 'caodaism'], 'cap': ['cap', 'pac'], 'capable': ['capable', 'pacable'], 'caparison': ['caparison', 'paranosic'], 'cape': ['cape', 'cepa', 'pace'], 'caped': ['caped', 'decap', 'paced'], 'capel': ['capel', 'place'], 'capelin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'capeline': ['capeline', 'pelecani'], 'caper': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'capernaite': ['capernaite', 'paraenetic'], 'capernoited': ['capernoited', 'deprecation'], 'capernoity': ['acetopyrin', 'capernoity'], 'capes': ['capes', 'scape', 'space'], 'caph': ['caph', 'chap'], 'caphite': ['aphetic', 'caphite', 'hepatic'], 'caphtor': ['caphtor', 'toparch'], 'capias': ['capias', 'pisaca'], 'capillament': ['capillament', 'implacental'], 'capillarity': ['capillarity', 'piratically'], 'capital': ['capital', 'palatic'], 'capitan': ['capitan', 'captain'], 'capitate': ['apatetic', 'capitate'], 'capitellar': ['capitellar', 'prelatical'], 'capito': ['atopic', 'capito', 'copita'], 'capitol': ['capitol', 'coalpit', 'optical', 'topical'], 'capomo': ['campoo', 'capomo'], 'capon': ['capon', 'ponca'], 'caponier': ['caponier', 'coprinae', 'procaine'], 'capot': ['capot', 'coapt'], 'capote': ['capote', 'toecap'], 'capreol': ['capreol', 'polacre'], 'capri': ['capri', 'picra', 'rapic'], 'caprid': ['caprid', 'carpid', 'picard'], 'capriote': ['aporetic', 'capriote', 'operatic'], 'capsian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'capstone': ['capstone', 'opencast'], 'capsula': ['capsula', 'pascual', 'scapula'], 'capsular': ['capsular', 'scapular'], 'capsulate': ['aspectual', 'capsulate'], 'capsulated': ['capsulated', 'scapulated'], 'capsule': ['capsule', 'specula', 'upscale'], 'capsulectomy': ['capsulectomy', 'scapulectomy'], 'capsuler': ['capsuler', 'specular'], 'captain': ['capitan', 'captain'], 'captation': ['anaptotic', 'captation'], 'caption': ['caption', 'paction'], 'captious': ['autopsic', 'captious'], 'captor': ['captor', 'copart'], 'capture': ['capture', 'uptrace'], 'car': ['arc', 'car'], 'cara': ['arca', 'cara'], 'carabeen': ['bearance', 'carabeen'], 'carabin': ['arbacin', 'carabin', 'cariban'], 'carabini': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'caracoli': ['caracoli', 'coracial'], 'caracore': ['acrocera', 'caracore'], 'caragana': ['aracanga', 'caragana'], 'caramel': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'caranda': ['anacard', 'caranda'], 'carandas': ['carandas', 'sandarac'], 'carane': ['arcane', 'carane'], 'carangid': ['carangid', 'cardigan'], 'carapine': ['carapine', 'carpaine'], 'caravel': ['caravel', 'lavacre'], 'carbamide': ['carbamide', 'crambidae'], 'carbamine': ['carbamine', 'crambinae'], 'carbamino': ['carbamino', 'macrobian'], 'carbeen': ['carbeen', 'carbene'], 'carbene': ['carbeen', 'carbene'], 'carbo': ['carbo', 'carob', 'coarb', 'cobra'], 'carbohydride': ['carbohydride', 'hydrocarbide'], 'carbon': ['bracon', 'carbon', 'corban'], 'carbonite': ['bicornate', 'carbonite', 'reboantic'], 'carcel': ['carcel', 'cercal'], 'carcinoma': ['carcinoma', 'macaronic'], 'carcinosarcoma': ['carcinosarcoma', 'sarcocarcinoma'], 'carcoon': ['carcoon', 'raccoon'], 'cardel': ['cardel', 'cradle'], 'cardia': ['acarid', 'cardia', 'carida'], 'cardiac': ['arcadic', 'cardiac'], 'cardial': ['cardial', 'radical'], 'cardiant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'cardigan': ['carangid', 'cardigan'], 'cardiidae': ['acrididae', 'cardiidae', 'cidaridae'], 'cardin': ['andric', 'cardin', 'rancid'], 'cardinal': ['cardinal', 'clarinda'], 'cardioid': ['cardioid', 'caridoid'], 'cardiophobe': ['brachiopode', 'cardiophobe'], 'cardo': ['cardo', 'draco'], 'cardon': ['candor', 'cardon', 'conrad'], 'cardoon': ['cardoon', 'coronad'], 'care': ['acer', 'acre', 'care', 'crea', 'race'], 'careen': ['careen', 'carene', 'enrace'], 'carene': ['careen', 'carene', 'enrace'], 'carer': ['carer', 'crare', 'racer'], 'carest': ['carest', 'caster', 'recast'], 'caret': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'caretta': ['caretta', 'teacart', 'tearcat'], 'carful': ['carful', 'furcal'], 'carhop': ['carhop', 'paroch'], 'cariama': ['aramaic', 'cariama'], 'carian': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carib': ['baric', 'carib', 'rabic'], 'cariban': ['arbacin', 'carabin', 'cariban'], 'caribi': ['cabiri', 'caribi'], 'carid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'carida': ['acarid', 'cardia', 'carida'], 'caridea': ['arcidae', 'caridea'], 'caridean': ['caridean', 'dircaean', 'radiance'], 'caridoid': ['cardioid', 'caridoid'], 'carina': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carinal': ['carinal', 'carlina', 'clarain', 'cranial'], 'carinatae': ['acraniate', 'carinatae'], 'carinate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'carinated': ['carinated', 'eradicant'], 'cariole': ['calorie', 'cariole'], 'carious': ['carious', 'curiosa'], 'carisa': ['carisa', 'sciara'], 'carissa': ['ascaris', 'carissa'], 'cark': ['cark', 'rack'], 'carking': ['arcking', 'carking', 'racking'], 'carkingly': ['carkingly', 'rackingly'], 'carless': ['carless', 'classer', 'reclass'], 'carlet': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'carlie': ['carlie', 'claire', 'eclair', 'erical'], 'carlin': ['carlin', 'clarin', 'crinal'], 'carlina': ['carinal', 'carlina', 'clarain', 'cranial'], 'carlist': ['carlist', 'clarist'], 'carlo': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carlot': ['carlot', 'crotal'], 'carlylian': ['ancillary', 'carlylian', 'cranially'], 'carman': ['carman', 'marcan'], 'carmel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'carmela': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'carmele': ['carmele', 'cleamer'], 'carmelite': ['carmelite', 'melicerta'], 'carmeloite': ['carmeloite', 'ectromelia', 'meteorical'], 'carmine': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'carminette': ['carminette', 'remittance'], 'carminite': ['antimeric', 'carminite', 'criminate', 'metrician'], 'carmot': ['carmot', 'comart'], 'carnage': ['carnage', 'cranage', 'garance'], 'carnalite': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'carnate': ['carnate', 'cateran'], 'carnation': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'carnationed': ['carnationed', 'dinoceratan'], 'carnelian': ['carnelian', 'encranial'], 'carneol': ['carneol', 'corneal'], 'carneous': ['carneous', 'nacreous'], 'carney': ['carney', 'craney'], 'carnic': ['cancri', 'carnic', 'cranic'], 'carniolan': ['carniolan', 'nonracial'], 'carnose': ['carnose', 'coarsen', 'narcose'], 'carnosity': ['carnosity', 'crayonist'], 'carnotite': ['carnotite', 'cortinate'], 'carnous': ['carnous', 'nacrous', 'narcous'], 'caro': ['acor', 'caro', 'cora', 'orca'], 'caroa': ['acroa', 'caroa'], 'carob': ['carbo', 'carob', 'coarb', 'cobra'], 'caroche': ['caroche', 'coacher', 'recoach'], 'caroid': ['caroid', 'cordia'], 'carol': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carolan': ['alcoran', 'ancoral', 'carolan'], 'carole': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'carolean': ['carolean', 'lecanora'], 'caroler': ['caroler', 'correal'], 'caroli': ['caroli', 'corial', 'lorica'], 'carolin': ['carolin', 'clarion', 'colarin', 'locrian'], 'carolina': ['carolina', 'conarial'], 'caroline': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'carolingian': ['carolingian', 'inorganical'], 'carolus': ['carolus', 'oscular'], 'carom': ['carom', 'coram', 'macro', 'marco'], 'carone': ['carone', 'cornea'], 'caroon': ['caroon', 'corona', 'racoon'], 'carotenoid': ['carotenoid', 'coronadite', 'decoration'], 'carotic': ['acrotic', 'carotic'], 'carotid': ['arctoid', 'carotid', 'dartoic'], 'carotidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'carotin': ['anticor', 'carotin', 'cortina', 'ontaric'], 'carouse': ['acerous', 'carouse', 'euscaro'], 'carp': ['carp', 'crap'], 'carpaine': ['carapine', 'carpaine'], 'carpel': ['carpel', 'parcel', 'placer'], 'carpellary': ['carpellary', 'parcellary'], 'carpellate': ['carpellate', 'parcellate', 'prelacteal'], 'carpent': ['carpent', 'precant'], 'carpet': ['carpet', 'peract', 'preact'], 'carpholite': ['carpholite', 'proethical'], 'carpid': ['caprid', 'carpid', 'picard'], 'carpiodes': ['carpiodes', 'scorpidae'], 'carpocerite': ['carpocerite', 'reciprocate'], 'carpogonial': ['carpogonial', 'coprolagnia'], 'carpolite': ['carpolite', 'petricola'], 'carpolith': ['carpolith', 'politarch', 'trophical'], 'carposperm': ['carposperm', 'spermocarp'], 'carrot': ['carrot', 'trocar'], 'carroter': ['arrector', 'carroter'], 'carse': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'carsmith': ['carsmith', 'chartism'], 'cartable': ['bracteal', 'cartable'], 'carte': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cartel': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'cartelize': ['cartelize', 'zelatrice'], 'carter': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'cartesian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartesianism': ['cartesianism', 'sectarianism'], 'cartier': ['cartier', 'cirrate', 'erratic'], 'cartilage': ['cartilage', 'rectalgia'], 'cartisane': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartist': ['astrict', 'cartist', 'stratic'], 'carton': ['cantor', 'carton', 'contra'], 'cartoon': ['cartoon', 'coranto'], 'cartoonist': ['cartoonist', 'scortation'], 'carty': ['carty', 'tracy'], 'carua': ['aruac', 'carua'], 'carucal': ['accrual', 'carucal'], 'carucate': ['accurate', 'carucate'], 'carum': ['carum', 'cumar'], 'carve': ['carve', 'crave', 'varec'], 'carvel': ['calver', 'carvel', 'claver'], 'carven': ['carven', 'cavern', 'craven'], 'carver': ['carver', 'craver'], 'carving': ['carving', 'craving'], 'cary': ['cary', 'racy'], 'caryl': ['acryl', 'caryl', 'clary'], 'casabe': ['casabe', 'sabeca'], 'casal': ['calas', 'casal', 'scala'], 'cascade': ['cascade', 'saccade'], 'case': ['case', 'esca'], 'casebook': ['bookcase', 'casebook'], 'caseful': ['caseful', 'fucales'], 'casein': ['casein', 'incase'], 'casel': ['alces', 'casel', 'scale'], 'caser': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'casern': ['casern', 'rescan'], 'cashable': ['cashable', 'chasable'], 'cashel': ['cashel', 'laches', 'sealch'], 'cask': ['cask', 'sack'], 'casket': ['casket', 'tesack'], 'casking': ['casking', 'sacking'], 'casklike': ['casklike', 'sacklike'], 'casper': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'caspian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'casque': ['casque', 'sacque'], 'casquet': ['acquest', 'casquet'], 'casse': ['casse', 'scase'], 'cassian': ['cassian', 'cassina'], 'cassina': ['cassian', 'cassina'], 'cassino': ['caisson', 'cassino'], 'cassock': ['cassock', 'cossack'], 'cast': ['acts', 'cast', 'scat'], 'castalia': ['castalia', 'sacalait'], 'castalian': ['castalian', 'satanical'], 'caste': ['caste', 'sceat'], 'castelet': ['castelet', 'telecast'], 'caster': ['carest', 'caster', 'recast'], 'castice': ['ascetic', 'castice', 'siccate'], 'castle': ['castle', 'sclate'], 'castoff': ['castoff', 'offcast'], 'castor': ['arctos', 'castor', 'costar', 'scrota'], 'castores': ['castores', 'coassert'], 'castoreum': ['castoreum', 'outscream'], 'castoridae': ['castoridae', 'cestodaria'], 'castorin': ['cantoris', 'castorin', 'corsaint'], 'castra': ['castra', 'tarasc'], 'casual': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'casuality': ['casuality', 'causality'], 'casually': ['casually', 'causally'], 'casula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'cat': ['act', 'cat'], 'catabolin': ['botanical', 'catabolin'], 'catalan': ['cantala', 'catalan', 'lantaca'], 'catalanist': ['anastaltic', 'catalanist'], 'catalase': ['catalase', 'salaceta'], 'catalinite': ['analcitite', 'catalinite'], 'catalogue': ['catalogue', 'coagulate'], 'catalyte': ['catalyte', 'cattleya'], 'catamenial': ['calamitean', 'catamenial'], 'catapultier': ['catapultier', 'particulate'], 'cataria': ['acratia', 'cataria'], 'catcher': ['catcher', 'recatch'], 'catchup': ['catchup', 'upcatch'], 'cate': ['cate', 'teca'], 'catechin': ['atechnic', 'catechin', 'technica'], 'catechism': ['catechism', 'schematic'], 'catechol': ['catechol', 'coachlet'], 'categoric': ['categoric', 'geocratic'], 'catella': ['catella', 'lacteal'], 'catenated': ['catenated', 'decantate'], 'cater': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cateran': ['carnate', 'cateran'], 'caterer': ['caterer', 'recrate', 'retrace', 'terrace'], 'cateress': ['cateress', 'cerastes'], 'catfish': ['catfish', 'factish'], 'cathari': ['cathari', 'chirata', 'cithara'], 'catharina': ['anthracia', 'antiarcha', 'catharina'], 'cathartae': ['cathartae', 'tracheata'], 'cathepsin': ['cathepsin', 'stephanic'], 'catherine': ['catherine', 'heritance'], 'catheter': ['catheter', 'charette'], 'cathine': ['cahnite', 'cathine'], 'cathinine': ['anchietin', 'cathinine'], 'cathion': ['cathion', 'chatino'], 'cathograph': ['cathograph', 'tachograph'], 'cathole': ['cathole', 'cholate'], 'cathro': ['cathro', 'orchat'], 'cathryn': ['cathryn', 'chantry'], 'cathy': ['cathy', 'cyath', 'yacht'], 'cation': ['action', 'atonic', 'cation'], 'cationic': ['aconitic', 'cationic', 'itaconic'], 'catkin': ['catkin', 'natick'], 'catlin': ['catlin', 'tincal'], 'catlinite': ['catlinite', 'intactile'], 'catmalison': ['catmalison', 'monastical'], 'catoism': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'catonian': ['catonian', 'taconian'], 'catonic': ['cantico', 'catonic', 'taconic'], 'catonism': ['catonism', 'monastic'], 'catoptric': ['catoptric', 'protactic'], 'catpipe': ['apeptic', 'catpipe'], 'catstone': ['catstone', 'constate'], 'catsup': ['catsup', 'upcast'], 'cattail': ['attical', 'cattail'], 'catti': ['attic', 'catti', 'tacit'], 'cattily': ['cattily', 'tacitly'], 'cattiness': ['cattiness', 'tacitness'], 'cattle': ['cattle', 'tectal'], 'cattleya': ['catalyte', 'cattleya'], 'catvine': ['catvine', 'venatic'], 'caucho': ['cachou', 'caucho'], 'cauda': ['cadua', 'cauda'], 'caudle': ['caudle', 'cedula', 'claude'], 'caudodorsal': ['caudodorsal', 'dorsocaudal'], 'caudofemoral': ['caudofemoral', 'femorocaudal'], 'caudolateral': ['caudolateral', 'laterocaudal'], 'caul': ['caul', 'ucal'], 'cauld': ['cauld', 'ducal'], 'caules': ['caelus', 'caules', 'clause'], 'cauliform': ['cauliform', 'formulaic', 'fumarolic'], 'caulinar': ['anicular', 'caulinar'], 'caulis': ['caulis', 'clusia', 'sicula'], 'caulite': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'caulome': ['caulome', 'leucoma'], 'caulomic': ['caulomic', 'coumalic'], 'caulote': ['caulote', 'colutea', 'oculate'], 'caunch': ['caunch', 'cuchan'], 'caurale': ['arcuale', 'caurale'], 'causal': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'causality': ['casuality', 'causality'], 'causally': ['casually', 'causally'], 'cause': ['cause', 'sauce'], 'causeless': ['causeless', 'sauceless'], 'causer': ['causer', 'saucer'], 'causey': ['causey', 'cayuse'], 'cautelous': ['cautelous', 'lutaceous'], 'cauter': ['acture', 'cauter', 'curate'], 'caution': ['auction', 'caution'], 'cautionary': ['auctionary', 'cautionary'], 'cautioner': ['cautioner', 'cointreau'], 'caval': ['caval', 'clava'], 'cavalry': ['calvary', 'cavalry'], 'cavate': ['cavate', 'caveat', 'vacate'], 'caveat': ['cavate', 'caveat', 'vacate'], 'cavel': ['calve', 'cavel', 'clave'], 'cavern': ['carven', 'cavern', 'craven'], 'cavil': ['cavil', 'lavic'], 'caviler': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'cavillation': ['cavillation', 'vacillation'], 'cavitate': ['activate', 'cavitate'], 'cavitation': ['activation', 'cavitation'], 'cavitied': ['cavitied', 'vaticide'], 'caw': ['caw', 'wac'], 'cawk': ['cawk', 'wack'], 'cawky': ['cawky', 'wacky'], 'cayapa': ['cayapa', 'pacaya'], 'cayuse': ['causey', 'cayuse'], 'ccoya': ['accoy', 'ccoya'], 'ceanothus': ['ceanothus', 'oecanthus'], 'cearin': ['acerin', 'cearin'], 'cebalrai': ['balearic', 'cebalrai'], 'ceboid': ['bodice', 'ceboid'], 'cebur': ['bruce', 'cebur', 'cuber'], 'cecily': ['cecily', 'cicely'], 'cedar': ['acred', 'cader', 'cadre', 'cedar'], 'cedarn': ['cedarn', 'dancer', 'nacred'], 'cedent': ['cedent', 'decent'], 'ceder': ['ceder', 'cedre', 'cered', 'creed'], 'cedrat': ['cedrat', 'decart', 'redact'], 'cedrate': ['cedrate', 'cerated'], 'cedre': ['ceder', 'cedre', 'cered', 'creed'], 'cedrela': ['cedrela', 'creedal', 'declare'], 'cedrin': ['cedrin', 'cinder', 'crined'], 'cedriret': ['cedriret', 'directer', 'recredit', 'redirect'], 'cedrol': ['cedrol', 'colder', 'cordel'], 'cedron': ['cedron', 'conred'], 'cedrus': ['cedrus', 'cursed'], 'cedry': ['cedry', 'decry'], 'cedula': ['caudle', 'cedula', 'claude'], 'ceilinged': ['ceilinged', 'diligence'], 'celadonite': ['caledonite', 'celadonite'], 'celandine': ['celandine', 'decennial'], 'celarent': ['celarent', 'centrale', 'enclaret'], 'celature': ['celature', 'ulcerate'], 'celebrate': ['celebrate', 'erectable'], 'celebrated': ['braceleted', 'celebrated'], 'celemin': ['celemin', 'melenic'], 'celia': ['alice', 'celia', 'ileac'], 'cellar': ['caller', 'cellar', 'recall'], 'cellaret': ['allecret', 'cellaret'], 'celloid': ['celloid', 'codille', 'collide', 'collied'], 'celloidin': ['celloidin', 'collidine', 'decillion'], 'celsian': ['celsian', 'escalin', 'sanicle', 'secalin'], 'celtiberi': ['celtiberi', 'terebilic'], 'celtis': ['celtis', 'clites'], 'cembalist': ['blastemic', 'cembalist'], 'cementer': ['cementer', 'cerement', 'recement'], 'cendre': ['cendre', 'decern'], 'cenosity': ['cenosity', 'cytosine'], 'cense': ['cense', 'scene', 'sence'], 'censer': ['censer', 'scerne', 'screen', 'secern'], 'censerless': ['censerless', 'screenless'], 'censorial': ['censorial', 'sarcoline'], 'censual': ['censual', 'unscale'], 'censureless': ['censureless', 'recluseness'], 'cental': ['cantle', 'cental', 'lancet', 'tancel'], 'centare': ['centare', 'crenate'], 'centaur': ['centaur', 'untrace'], 'centauri': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centaury': ['centaury', 'cyanuret'], 'centena': ['canteen', 'centena'], 'centenar': ['centenar', 'entrance'], 'centenier': ['centenier', 'renitence'], 'center': ['center', 'recent', 'tenrec'], 'centered': ['centered', 'decenter', 'decentre', 'recedent'], 'centerer': ['centerer', 'recenter', 'recentre', 'terrence'], 'centermost': ['centermost', 'escortment'], 'centesimal': ['centesimal', 'lemniscate'], 'centiar': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'centiare': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'centibar': ['bacterin', 'centibar'], 'centimeter': ['centimeter', 'recitement', 'remittence'], 'centimo': ['centimo', 'entomic', 'tecomin'], 'centimolar': ['centimolar', 'melicraton'], 'centinormal': ['centinormal', 'conterminal', 'nonmetrical'], 'cento': ['cento', 'conte', 'tecon'], 'centrad': ['cantred', 'centrad', 'tranced'], 'centrale': ['celarent', 'centrale', 'enclaret'], 'centranth': ['centranth', 'trenchant'], 'centraxonia': ['centraxonia', 'excarnation'], 'centriole': ['centriole', 'electrion', 'relection'], 'centrodorsal': ['centrodorsal', 'dorsocentral'], 'centroid': ['centroid', 'doctrine'], 'centrolineal': ['centrolineal', 'crenellation'], 'centunculus': ['centunculus', 'unsucculent'], 'centuria': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centurial': ['centurial', 'lucretian', 'ultranice'], 'centuried': ['centuried', 'unrecited'], 'centurion': ['centurion', 'continuer', 'cornutine'], 'cepa': ['cape', 'cepa', 'pace'], 'cephalin': ['alphenic', 'cephalin'], 'cephalina': ['cephalina', 'epilachna'], 'cephaloid': ['cephaloid', 'pholcidae'], 'cephalomeningitis': ['cephalomeningitis', 'meningocephalitis'], 'cephalometric': ['cephalometric', 'petrochemical'], 'cephalopodous': ['cephalopodous', 'podocephalous'], 'cephas': ['cephas', 'pesach'], 'cepolidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ceps': ['ceps', 'spec'], 'ceptor': ['ceptor', 'copter'], 'ceral': ['ceral', 'clare', 'clear', 'lacer'], 'ceramal': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'ceramic': ['ceramic', 'racemic'], 'ceramist': ['camerist', 'ceramist', 'matrices'], 'ceras': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'cerasein': ['cerasein', 'increase'], 'cerasin': ['arsenic', 'cerasin', 'sarcine'], 'cerastes': ['cateress', 'cerastes'], 'cerata': ['arcate', 'cerata'], 'cerate': ['cerate', 'create', 'ecarte'], 'cerated': ['cedrate', 'cerated'], 'ceratiid': ['ceratiid', 'raticide'], 'ceration': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'ceratium': ['ceratium', 'muricate'], 'ceratonia': ['canariote', 'ceratonia'], 'ceratosa': ['ceratosa', 'ostracea'], 'ceratothecal': ['ceratothecal', 'chloracetate'], 'cerberic': ['cerberic', 'cerebric'], 'cercal': ['carcel', 'cercal'], 'cerci': ['cerci', 'ceric', 'cicer', 'circe'], 'cercus': ['cercus', 'cruces'], 'cerdonian': ['cerdonian', 'ordinance'], 'cere': ['cere', 'cree'], 'cereal': ['alerce', 'cereal', 'relace'], 'cerealin': ['cerealin', 'cinereal', 'reliance'], 'cerebra': ['cerebra', 'rebrace'], 'cerebric': ['cerberic', 'cerebric'], 'cerebroma': ['cerebroma', 'embraceor'], 'cerebromeningitis': ['cerebromeningitis', 'meningocerebritis'], 'cerebrum': ['cerebrum', 'cumberer'], 'cered': ['ceder', 'cedre', 'cered', 'creed'], 'cerement': ['cementer', 'cerement', 'recement'], 'ceremonial': ['ceremonial', 'neomiracle'], 'ceresin': ['ceresin', 'sincere'], 'cereus': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cerevis': ['cerevis', 'scrieve', 'service'], 'ceria': ['acier', 'aeric', 'ceria', 'erica'], 'ceric': ['cerci', 'ceric', 'cicer', 'circe'], 'ceride': ['ceride', 'deicer'], 'cerillo': ['cerillo', 'colleri', 'collier'], 'ceriman': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'cerin': ['cerin', 'crine'], 'cerion': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'ceriops': ['ceriops', 'persico'], 'cerite': ['cerite', 'certie', 'recite', 'tierce'], 'cerium': ['cerium', 'uremic'], 'cernuous': ['cernuous', 'coenurus'], 'cero': ['cero', 'core'], 'ceroma': ['ceroma', 'corema'], 'ceroplast': ['ceroplast', 'precostal'], 'ceroplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'ceroplasty': ['ceroplasty', 'coreplasty'], 'cerotic': ['cerotic', 'orectic'], 'cerotin': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cerous': ['cerous', 'course', 'crouse', 'source'], 'certain': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'certhia': ['certhia', 'rhaetic', 'theriac'], 'certie': ['cerite', 'certie', 'recite', 'tierce'], 'certifiable': ['certifiable', 'rectifiable'], 'certification': ['certification', 'cretification', 'rectification'], 'certificative': ['certificative', 'rectificative'], 'certificator': ['certificator', 'rectificator'], 'certificatory': ['certificatory', 'rectificatory'], 'certified': ['certified', 'rectified'], 'certifier': ['certifier', 'rectifier'], 'certify': ['certify', 'cretify', 'rectify'], 'certis': ['certis', 'steric'], 'certitude': ['certitude', 'rectitude'], 'certosina': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'certosino': ['certosino', 'cortisone', 'socotrine'], 'cerulean': ['cerulean', 'laurence'], 'ceruminal': ['ceruminal', 'melanuric', 'numerical'], 'ceruse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cervicobuccal': ['buccocervical', 'cervicobuccal'], 'cervicodorsal': ['cervicodorsal', 'dorsocervical'], 'cervicodynia': ['cervicodynia', 'corycavidine'], 'cervicofacial': ['cervicofacial', 'faciocervical'], 'cervicolabial': ['cervicolabial', 'labiocervical'], 'cervicovesical': ['cervicovesical', 'vesicocervical'], 'cervoid': ['cervoid', 'divorce'], 'cervuline': ['cervuline', 'virulence'], 'ceryl': ['ceryl', 'clyer'], 'cerynean': ['ancyrene', 'cerynean'], 'cesare': ['cesare', 'crease', 'recase', 'searce'], 'cesarolite': ['cesarolite', 'esoterical'], 'cesium': ['cesium', 'miscue'], 'cesser': ['cesser', 'recess'], 'cession': ['cession', 'oscines'], 'cessor': ['cessor', 'crosse', 'scorse'], 'cest': ['cest', 'sect'], 'cestodaria': ['castoridae', 'cestodaria'], 'cestrian': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cetane': ['cetane', 'tenace'], 'cetene': ['cetene', 'ectene'], 'ceti': ['ceti', 'cite', 'tice'], 'cetid': ['cetid', 'edict'], 'cetomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'cetonia': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'cetonian': ['cetonian', 'enaction'], 'cetorhinus': ['cetorhinus', 'urosthenic'], 'cetus': ['cetus', 'scute'], 'cevenol': ['cevenol', 'clovene'], 'cevine': ['cevine', 'evince', 'venice'], 'cha': ['ach', 'cha'], 'chab': ['bach', 'chab'], 'chabouk': ['chabouk', 'chakobu'], 'chaco': ['chaco', 'choca', 'coach'], 'chacte': ['cachet', 'chacte'], 'chaenolobus': ['chaenolobus', 'unchoosable'], 'chaeta': ['achate', 'chaeta'], 'chaetites': ['aesthetic', 'chaetites'], 'chaetognath': ['chaetognath', 'gnathotheca'], 'chaetopod': ['chaetopod', 'podotheca'], 'chafer': ['chafer', 'frache'], 'chagan': ['chagan', 'changa'], 'chagrin': ['arching', 'chagrin'], 'chai': ['chai', 'chia'], 'chain': ['chain', 'chian', 'china'], 'chained': ['chained', 'echidna'], 'chainer': ['chainer', 'enchair', 'rechain'], 'chainlet': ['chainlet', 'ethnical'], 'chainman': ['chainman', 'chinaman'], 'chair': ['chair', 'chria'], 'chairer': ['chairer', 'charier'], 'chait': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chakar': ['chakar', 'chakra', 'charka'], 'chakari': ['chakari', 'chikara', 'kachari'], 'chakobu': ['chabouk', 'chakobu'], 'chakra': ['chakar', 'chakra', 'charka'], 'chalcon': ['chalcon', 'clochan', 'conchal'], 'chalcosine': ['ascolichen', 'chalcosine'], 'chaldron': ['chaldron', 'chlordan', 'chondral'], 'chalet': ['achtel', 'chalet', 'thecal', 'thecla'], 'chalker': ['chalker', 'hackler'], 'chalky': ['chalky', 'hackly'], 'challie': ['alichel', 'challie', 'helical'], 'chalmer': ['chalmer', 'charmel'], 'chalon': ['chalon', 'lochan'], 'chalone': ['chalone', 'cholane'], 'chalta': ['caltha', 'chalta'], 'chamal': ['almach', 'chamal'], 'chamar': ['chamar', 'machar'], 'chamber': ['becharm', 'brecham', 'chamber'], 'chamberer': ['chamberer', 'rechamber'], 'chamian': ['chamian', 'mahican'], 'chamisal': ['chamisal', 'chiasmal'], 'chamiso': ['chamiso', 'chamois'], 'chamite': ['chamite', 'hematic'], 'chamois': ['chamiso', 'chamois'], 'champa': ['champa', 'mapach'], 'champain': ['champain', 'chinampa'], 'chancer': ['chancer', 'chancre'], 'chanchito': ['chanchito', 'nachitoch'], 'chanco': ['chanco', 'concha'], 'chancre': ['chancer', 'chancre'], 'chandu': ['chandu', 'daunch'], 'chane': ['achen', 'chane', 'chena', 'hance'], 'chang': ['chang', 'ganch'], 'changa': ['chagan', 'changa'], 'changer': ['changer', 'genarch'], 'chanidae': ['chanidae', 'hacienda'], 'channeler': ['channeler', 'encharnel'], 'chanst': ['chanst', 'snatch', 'stanch'], 'chant': ['chant', 'natch'], 'chanter': ['chanter', 'rechant'], 'chantey': ['atechny', 'chantey'], 'chantry': ['cathryn', 'chantry'], 'chaos': ['chaos', 'oshac'], 'chaotical': ['acatholic', 'chaotical'], 'chap': ['caph', 'chap'], 'chaparro': ['chaparro', 'parachor'], 'chape': ['chape', 'cheap', 'peach'], 'chaped': ['chaped', 'phecda'], 'chapel': ['chapel', 'lepcha', 'pleach'], 'chapelet': ['chapelet', 'peachlet'], 'chapelmaster': ['chapelmaster', 'spermathecal'], 'chaperno': ['canephor', 'chaperno', 'chaperon'], 'chaperon': ['canephor', 'chaperno', 'chaperon'], 'chaperone': ['canephore', 'chaperone'], 'chaperonless': ['chaperonless', 'proseneschal'], 'chapin': ['apinch', 'chapin', 'phanic'], 'chapiter': ['chapiter', 'phreatic'], 'chaps': ['chaps', 'pasch'], 'chapt': ['chapt', 'pacht', 'patch'], 'chapter': ['chapter', 'patcher', 'repatch'], 'char': ['arch', 'char', 'rach'], 'chara': ['achar', 'chara'], 'charac': ['charac', 'charca'], 'characin': ['anarchic', 'characin'], 'characinoid': ['arachidonic', 'characinoid'], 'charadrii': ['charadrii', 'richardia'], 'charas': ['achras', 'charas'], 'charbon': ['brochan', 'charbon'], 'charca': ['charac', 'charca'], 'chare': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'charer': ['archer', 'charer', 'rechar'], 'charette': ['catheter', 'charette'], 'charge': ['charge', 'creagh'], 'charier': ['chairer', 'charier'], 'chariot': ['chariot', 'haricot'], 'charioted': ['charioted', 'trochidae'], 'chariotman': ['achromatin', 'chariotman', 'machinator'], 'charism': ['charism', 'chrisma'], 'charisma': ['archaism', 'charisma'], 'chark': ['chark', 'karch'], 'charka': ['chakar', 'chakra', 'charka'], 'charlatanistic': ['antarchistical', 'charlatanistic'], 'charleen': ['charleen', 'charlene'], 'charlene': ['charleen', 'charlene'], 'charles': ['charles', 'clasher'], 'charm': ['charm', 'march'], 'charmel': ['chalmer', 'charmel'], 'charmer': ['charmer', 'marcher', 'remarch'], 'charnel': ['charnel', 'larchen'], 'charon': ['anchor', 'archon', 'charon', 'rancho'], 'charpoy': ['charpoy', 'corypha'], 'chart': ['chart', 'ratch'], 'charter': ['charter', 'ratcher'], 'charterer': ['charterer', 'recharter'], 'charting': ['charting', 'ratching'], 'chartism': ['carsmith', 'chartism'], 'charuk': ['charuk', 'chukar'], 'chary': ['archy', 'chary'], 'chasable': ['cashable', 'chasable'], 'chaser': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'chasma': ['ascham', 'chasma'], 'chaste': ['chaste', 'sachet', 'scathe', 'scheat'], 'chasten': ['chasten', 'sanetch'], 'chastener': ['chastener', 'rechasten'], 'chastity': ['chastity', 'yachtist'], 'chasuble': ['chasuble', 'subchela'], 'chat': ['chat', 'tach'], 'chatelainry': ['chatelainry', 'trachylinae'], 'chati': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chatino': ['cathion', 'chatino'], 'chatsome': ['chatsome', 'moschate'], 'chatta': ['attach', 'chatta'], 'chattation': ['chattation', 'thanatotic'], 'chattel': ['chattel', 'latchet'], 'chatter': ['chatter', 'ratchet'], 'chattery': ['chattery', 'ratchety', 'trachyte'], 'chatti': ['chatti', 'hattic'], 'chatty': ['chatty', 'tatchy'], 'chatwood': ['chatwood', 'woodchat'], 'chaute': ['chaute', 'chueta'], 'chawan': ['chawan', 'chwana', 'wachna'], 'chawer': ['chawer', 'rechaw'], 'chawk': ['chawk', 'whack'], 'chay': ['achy', 'chay'], 'cheap': ['chape', 'cheap', 'peach'], 'cheapen': ['cheapen', 'peachen'], 'cheapery': ['cheapery', 'peachery'], 'cheapside': ['cheapside', 'sphecidae'], 'cheat': ['cheat', 'tache', 'teach', 'theca'], 'cheatable': ['cheatable', 'teachable'], 'cheatableness': ['cheatableness', 'teachableness'], 'cheater': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'cheatery': ['cheatery', 'cytherea', 'teachery'], 'cheating': ['cheating', 'teaching'], 'cheatingly': ['cheatingly', 'teachingly'], 'cheatrie': ['cheatrie', 'hetaeric'], 'checker': ['checker', 'recheck'], 'chee': ['chee', 'eche'], 'cheek': ['cheek', 'cheke', 'keech'], 'cheerer': ['cheerer', 'recheer'], 'cheerly': ['cheerly', 'lechery'], 'cheery': ['cheery', 'reechy'], 'cheet': ['cheet', 'hecte'], 'cheir': ['cheir', 'rheic'], 'cheiropodist': ['cheiropodist', 'coeditorship'], 'cheka': ['cheka', 'keach'], 'cheke': ['cheek', 'cheke', 'keech'], 'chela': ['chela', 'lache', 'leach'], 'chelide': ['chelide', 'heliced'], 'chelidon': ['chelidon', 'chelonid', 'delichon'], 'chelidonate': ['chelidonate', 'endothecial'], 'chelodina': ['chelodina', 'hedonical'], 'chelone': ['chelone', 'echelon'], 'chelonid': ['chelidon', 'chelonid', 'delichon'], 'cheloniid': ['cheloniid', 'lichenoid'], 'chemiatrist': ['chemiatrist', 'chrismatite', 'theatricism'], 'chemical': ['alchemic', 'chemical'], 'chemicomechanical': ['chemicomechanical', 'mechanicochemical'], 'chemicophysical': ['chemicophysical', 'physicochemical'], 'chemicovital': ['chemicovital', 'vitochemical'], 'chemiloon': ['chemiloon', 'homocline'], 'chemotaxy': ['chemotaxy', 'myxotheca'], 'chemotropic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'chena': ['achen', 'chane', 'chena', 'hance'], 'chenica': ['chenica', 'chicane'], 'chenille': ['chenille', 'hellenic'], 'chenopod': ['chenopod', 'ponchoed'], 'chera': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'chermes': ['chermes', 'schemer'], 'chert': ['chert', 'retch'], 'cherte': ['cherte', 'etcher'], 'chervil': ['chervil', 'chilver'], 'cheson': ['cheson', 'chosen', 'schone'], 'chest': ['chest', 'stech'], 'chestily': ['chestily', 'lecythis'], 'chesty': ['chesty', 'scythe'], 'chet': ['chet', 'etch', 'tche', 'tech'], 'chettik': ['chettik', 'thicket'], 'chetty': ['chetty', 'tetchy'], 'chewer': ['chewer', 'rechew'], 'chewink': ['chewink', 'whicken'], 'chi': ['chi', 'hic', 'ich'], 'chia': ['chai', 'chia'], 'chiam': ['chiam', 'machi', 'micah'], 'chian': ['chain', 'chian', 'china'], 'chiasmal': ['chamisal', 'chiasmal'], 'chiastolite': ['chiastolite', 'heliostatic'], 'chicane': ['chenica', 'chicane'], 'chicle': ['chicle', 'cliche'], 'chid': ['chid', 'dich'], 'chider': ['chider', 'herdic'], 'chidra': ['chidra', 'diarch'], 'chief': ['chief', 'fiche'], 'chield': ['chield', 'childe'], 'chien': ['chien', 'chine', 'niche'], 'chikara': ['chakari', 'chikara', 'kachari'], 'chil': ['chil', 'lich'], 'childe': ['chield', 'childe'], 'chilean': ['chilean', 'echinal', 'nichael'], 'chili': ['chili', 'lichi'], 'chiliasm': ['chiliasm', 'hilasmic', 'machilis'], 'chilla': ['achill', 'cahill', 'chilla'], 'chiloma': ['chiloma', 'malicho'], 'chilopod': ['chilopod', 'pholcoid'], 'chilopoda': ['chilopoda', 'haplodoci'], 'chilostome': ['chilostome', 'schooltime'], 'chilver': ['chervil', 'chilver'], 'chimane': ['chimane', 'machine'], 'chime': ['chime', 'hemic', 'miche'], 'chimer': ['chimer', 'mechir', 'micher'], 'chimera': ['chimera', 'hermaic'], 'chimney': ['chimney', 'hymenic'], 'chimu': ['chimu', 'humic'], 'chin': ['chin', 'inch'], 'china': ['chain', 'chian', 'china'], 'chinaman': ['chainman', 'chinaman'], 'chinampa': ['champain', 'chinampa'], 'chinanta': ['acanthin', 'chinanta'], 'chinar': ['chinar', 'inarch'], 'chine': ['chien', 'chine', 'niche'], 'chined': ['chined', 'inched'], 'chink': ['chink', 'kinch'], 'chinkle': ['chinkle', 'kelchin'], 'chinks': ['chinks', 'skinch'], 'chinoa': ['chinoa', 'noahic'], 'chinotti': ['chinotti', 'tithonic'], 'chint': ['chint', 'nitch'], 'chiolite': ['chiolite', 'eolithic'], 'chionididae': ['chionididae', 'onchidiidae'], 'chiral': ['archil', 'chiral'], 'chirapsia': ['chirapsia', 'pharisaic'], 'chirata': ['cathari', 'chirata', 'cithara'], 'chiro': ['chiro', 'choir', 'ichor'], 'chiromancist': ['chiromancist', 'monarchistic'], 'chiromant': ['chiromant', 'chromatin'], 'chiromantic': ['chiromantic', 'chromatinic'], 'chiromantis': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chirometer': ['chirometer', 'rheometric'], 'chiroplasty': ['chiroplasty', 'polyarchist'], 'chiropter': ['chiropter', 'peritroch'], 'chirosophist': ['chirosophist', 'opisthorchis'], 'chirotes': ['chirotes', 'theorics'], 'chirotype': ['chirotype', 'hypocrite'], 'chirp': ['chirp', 'prich'], 'chirper': ['chirper', 'prerich'], 'chiseler': ['chiseler', 'rechisel'], 'chit': ['chit', 'itch', 'tchi'], 'chita': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chital': ['chital', 'claith'], 'chitinoid': ['chitinoid', 'dithionic'], 'chitosan': ['atchison', 'chitosan'], 'chitose': ['chitose', 'echoist'], 'chloe': ['chloe', 'choel'], 'chloracetate': ['ceratothecal', 'chloracetate'], 'chloranthy': ['chloranthy', 'rhynchotal'], 'chlorate': ['chlorate', 'trochlea'], 'chlordan': ['chaldron', 'chlordan', 'chondral'], 'chlore': ['chlore', 'choler', 'orchel'], 'chloremia': ['chloremia', 'homerical'], 'chlorinate': ['chlorinate', 'ectorhinal', 'tornachile'], 'chlorite': ['chlorite', 'clothier'], 'chloritic': ['chloritic', 'trochilic'], 'chloroamine': ['chloroamine', 'melanochroi'], 'chloroanaemia': ['aeolharmonica', 'chloroanaemia'], 'chloroanemia': ['chloroanemia', 'choleromania'], 'chloroiodide': ['chloroiodide', 'iodochloride'], 'chloroplatinic': ['chloroplatinic', 'platinochloric'], 'cho': ['cho', 'och'], 'choana': ['aonach', 'choana'], 'choca': ['chaco', 'choca', 'coach'], 'choco': ['choco', 'hocco'], 'choel': ['chloe', 'choel'], 'choenix': ['choenix', 'hexonic'], 'choes': ['choes', 'chose'], 'choiak': ['choiak', 'kochia'], 'choice': ['choice', 'echoic'], 'choil': ['choil', 'choli', 'olchi'], 'choir': ['chiro', 'choir', 'ichor'], 'choirman': ['choirman', 'harmonic', 'omniarch'], 'choker': ['choker', 'hocker'], 'choky': ['choky', 'hocky'], 'chol': ['chol', 'loch'], 'chola': ['chola', 'loach', 'olcha'], 'cholane': ['chalone', 'cholane'], 'cholangioitis': ['angiocholitis', 'cholangioitis'], 'cholanic': ['cholanic', 'colchian'], 'cholate': ['cathole', 'cholate'], 'cholecystoduodenostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'choler': ['chlore', 'choler', 'orchel'], 'cholera': ['cholera', 'choreal'], 'cholerine': ['cholerine', 'rhinocele'], 'choleromania': ['chloroanemia', 'choleromania'], 'cholesteremia': ['cholesteremia', 'heteroecismal'], 'choli': ['choil', 'choli', 'olchi'], 'choline': ['choline', 'helicon'], 'cholo': ['cholo', 'cohol'], 'chondral': ['chaldron', 'chlordan', 'chondral'], 'chondrite': ['chondrite', 'threnodic'], 'chondroadenoma': ['adenochondroma', 'chondroadenoma'], 'chondroangioma': ['angiochondroma', 'chondroangioma'], 'chondroarthritis': ['arthrochondritis', 'chondroarthritis'], 'chondrocostal': ['chondrocostal', 'costochondral'], 'chondrofibroma': ['chondrofibroma', 'fibrochondroma'], 'chondrolipoma': ['chondrolipoma', 'lipochondroma'], 'chondromyxoma': ['chondromyxoma', 'myxochondroma'], 'chondromyxosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'choop': ['choop', 'pooch'], 'chopa': ['chopa', 'phoca', 'poach'], 'chopin': ['chopin', 'phonic'], 'chopine': ['chopine', 'phocine'], 'chora': ['achor', 'chora', 'corah', 'orach', 'roach'], 'choral': ['choral', 'lorcha'], 'chorasmian': ['anachorism', 'chorasmian', 'maraschino'], 'chordal': ['chordal', 'dorlach'], 'chorditis': ['chorditis', 'orchidist'], 'chordotonal': ['chordotonal', 'notochordal'], 'chore': ['chore', 'ocher'], 'chorea': ['chorea', 'ochrea', 'rochea'], 'choreal': ['cholera', 'choreal'], 'choree': ['choree', 'cohere', 'echoer'], 'choreoid': ['choreoid', 'ochidore'], 'choreus': ['choreus', 'chouser', 'rhoecus'], 'choric': ['choric', 'orchic'], 'choriocele': ['choriocele', 'orchiocele'], 'chorioidoretinitis': ['chorioidoretinitis', 'retinochorioiditis'], 'chorism': ['chorism', 'chrisom'], 'chorist': ['chorist', 'ostrich'], 'choristate': ['choristate', 'rheostatic'], 'chorization': ['chorization', 'rhizoctonia', 'zonotrichia'], 'choroid': ['choroid', 'ochroid'], 'chort': ['chort', 'rotch', 'torch'], 'chorten': ['chorten', 'notcher'], 'chorti': ['chorti', 'orthic', 'thoric', 'trochi'], 'chose': ['choes', 'chose'], 'chosen': ['cheson', 'chosen', 'schone'], 'chou': ['chou', 'ouch'], 'chough': ['chough', 'hughoc'], 'choup': ['choup', 'pouch'], 'chous': ['chous', 'hocus'], 'chouser': ['choreus', 'chouser', 'rhoecus'], 'chowder': ['chowder', 'cowherd'], 'chria': ['chair', 'chria'], 'chrism': ['chrism', 'smirch'], 'chrisma': ['charism', 'chrisma'], 'chrismation': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chrismatite': ['chemiatrist', 'chrismatite', 'theatricism'], 'chrisom': ['chorism', 'chrisom'], 'christ': ['christ', 'strich'], 'christen': ['christen', 'snitcher'], 'christener': ['christener', 'rechristen'], 'christian': ['christian', 'christina'], 'christiana': ['arachnitis', 'christiana'], 'christina': ['christian', 'christina'], 'christophe': ['christophe', 'hectorship'], 'chromatician': ['achromatinic', 'chromatician'], 'chromatid': ['chromatid', 'dichromat'], 'chromatin': ['chiromant', 'chromatin'], 'chromatinic': ['chiromantic', 'chromatinic'], 'chromatocyte': ['chromatocyte', 'thoracectomy'], 'chromatoid': ['chromatoid', 'tichodroma'], 'chromatone': ['chromatone', 'enomotarch'], 'chromid': ['chromid', 'richdom'], 'chromidae': ['archidome', 'chromidae'], 'chromite': ['chromite', 'trichome'], 'chromocyte': ['chromocyte', 'cytochrome'], 'chromolithography': ['chromolithography', 'lithochromography'], 'chromophotography': ['chromophotography', 'photochromography'], 'chromophotolithograph': ['chromophotolithograph', 'photochromolithograph'], 'chromopsia': ['chromopsia', 'isocamphor'], 'chromotype': ['chromotype', 'cormophyte', 'ectomorphy'], 'chromotypic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'chronophotograph': ['chronophotograph', 'photochronograph'], 'chronophotographic': ['chronophotographic', 'photochronographic'], 'chronophotography': ['chronophotography', 'photochronography'], 'chrysography': ['chrysography', 'psychorrhagy'], 'chrysolite': ['chrysolite', 'chrysotile'], 'chrysopid': ['chrysopid', 'dysphoric'], 'chrysotile': ['chrysolite', 'chrysotile'], 'chucker': ['chucker', 'rechuck'], 'chueta': ['chaute', 'chueta'], 'chukar': ['charuk', 'chukar'], 'chulan': ['chulan', 'launch', 'nuchal'], 'chum': ['chum', 'much'], 'chumpish': ['chumpish', 'chumship'], 'chumship': ['chumpish', 'chumship'], 'chunari': ['chunari', 'unchair'], 'chunnia': ['chunnia', 'unchain'], 'chuprassie': ['chuprassie', 'haruspices'], 'churl': ['churl', 'lurch'], 'churn': ['churn', 'runch'], 'chut': ['chut', 'tchu', 'utch'], 'chwana': ['chawan', 'chwana', 'wachna'], 'chyak': ['chyak', 'hacky'], 'chylous': ['chylous', 'slouchy'], 'cibarial': ['biracial', 'cibarial'], 'cibarian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cibolan': ['cibolan', 'coalbin'], 'cicala': ['alcaic', 'cicala'], 'cicatrize': ['arcticize', 'cicatrize'], 'cicely': ['cecily', 'cicely'], 'cicer': ['cerci', 'ceric', 'cicer', 'circe'], 'cicerone': ['cicerone', 'croceine'], 'cicindela': ['cicindela', 'cinclidae', 'icelandic'], 'ciclatoun': ['ciclatoun', 'noctiluca'], 'ciconian': ['aniconic', 'ciconian'], 'ciconine': ['ciconine', 'conicine'], 'cidaridae': ['acrididae', 'cardiidae', 'cidaridae'], 'cidaris': ['cidaris', 'sciarid'], 'cider': ['cider', 'cried', 'deric', 'dicer'], 'cigala': ['caliga', 'cigala'], 'cigar': ['cigar', 'craig'], 'cilia': ['cilia', 'iliac'], 'ciliation': ['ciliation', 'coinitial'], 'cilice': ['cilice', 'icicle'], 'cimbia': ['cimbia', 'iambic'], 'cimicidae': ['amicicide', 'cimicidae'], 'cinchonine': ['cinchonine', 'conchinine'], 'cinclidae': ['cicindela', 'cinclidae', 'icelandic'], 'cinder': ['cedrin', 'cinder', 'crined'], 'cinderous': ['cinderous', 'decursion'], 'cindie': ['cindie', 'incide'], 'cine': ['cine', 'nice'], 'cinel': ['cinel', 'cline'], 'cinema': ['anemic', 'cinema', 'iceman'], 'cinematographer': ['cinematographer', 'megachiropteran'], 'cinene': ['cinene', 'nicene'], 'cineole': ['cineole', 'coeline'], 'cinerama': ['amacrine', 'american', 'camerina', 'cinerama'], 'cineration': ['cineration', 'inceration'], 'cinerea': ['cairene', 'cinerea'], 'cinereal': ['cerealin', 'cinereal', 'reliance'], 'cingulum': ['cingulum', 'glucinum'], 'cinnamate': ['antanemic', 'cinnamate'], 'cinnamol': ['cinnamol', 'nonclaim'], 'cinnamon': ['cinnamon', 'mannonic'], 'cinnamoned': ['cinnamoned', 'demicannon'], 'cinque': ['cinque', 'quince'], 'cinter': ['cinter', 'cretin', 'crinet'], 'cinura': ['anuric', 'cinura', 'uranic'], 'cion': ['cion', 'coin', 'icon'], 'cipher': ['cipher', 'rechip'], 'cipo': ['cipo', 'pico'], 'circe': ['cerci', 'ceric', 'cicer', 'circe'], 'circle': ['circle', 'cleric'], 'cirrate': ['cartier', 'cirrate', 'erratic'], 'cirrated': ['cirrated', 'craterid'], 'cirrhotic': ['cirrhotic', 'trichroic'], 'cirrose': ['cirrose', 'crosier'], 'cirsectomy': ['cirsectomy', 'citromyces'], 'cirsoid': ['cirsoid', 'soricid'], 'ciruela': ['auricle', 'ciruela'], 'cise': ['cise', 'sice'], 'cisplatine': ['cisplatine', 'plasticine'], 'cispontine': ['cispontine', 'inspection'], 'cissoidal': ['cissoidal', 'dissocial'], 'cistern': ['cistern', 'increst'], 'cisterna': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cisternal': ['cisternal', 'larcenist'], 'cistvaen': ['cistvaen', 'vesicant'], 'cit': ['cit', 'tic'], 'citadel': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'citatory': ['atrocity', 'citatory'], 'cite': ['ceti', 'cite', 'tice'], 'citer': ['citer', 'recti', 'ticer', 'trice'], 'cithara': ['cathari', 'chirata', 'cithara'], 'citharist': ['citharist', 'trachitis'], 'citharoedic': ['citharoedic', 'diachoretic'], 'cither': ['cither', 'thrice'], 'citied': ['citied', 'dietic'], 'citizen': ['citizen', 'zincite'], 'citral': ['citral', 'rictal'], 'citramide': ['citramide', 'diametric', 'matricide'], 'citrange': ['argentic', 'citrange'], 'citrate': ['atretic', 'citrate'], 'citrated': ['citrated', 'tetracid', 'tetradic'], 'citrean': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'citrene': ['citrene', 'enteric', 'enticer', 'tercine'], 'citreous': ['citreous', 'urticose'], 'citric': ['citric', 'critic'], 'citrin': ['citrin', 'nitric'], 'citrination': ['citrination', 'intrication'], 'citrine': ['citrine', 'crinite', 'inciter', 'neritic'], 'citromyces': ['cirsectomy', 'citromyces'], 'citron': ['citron', 'cortin', 'crotin'], 'citronade': ['citronade', 'endaortic', 'redaction'], 'citronella': ['citronella', 'interlocal'], 'citrus': ['citrus', 'curtis', 'rictus', 'rustic'], 'cive': ['cive', 'vice'], 'civet': ['civet', 'evict'], 'civetone': ['civetone', 'evection'], 'civitan': ['activin', 'civitan'], 'cixo': ['cixo', 'coix'], 'clabber': ['cabbler', 'clabber'], 'clacker': ['cackler', 'clacker', 'crackle'], 'cladine': ['cladine', 'decalin', 'iceland'], 'cladonia': ['cladonia', 'condalia', 'diaconal'], 'cladophyll': ['cladophyll', 'phylloclad'], 'claim': ['claim', 'clima', 'malic'], 'claimant': ['calamint', 'claimant'], 'claimer': ['claimer', 'miracle', 'reclaim'], 'clairce': ['clairce', 'clarice'], 'claire': ['carlie', 'claire', 'eclair', 'erical'], 'claith': ['chital', 'claith'], 'claiver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clam': ['calm', 'clam'], 'clamant': ['calmant', 'clamant'], 'clamative': ['calmative', 'clamative'], 'clamatores': ['clamatores', 'scleromata'], 'clamber': ['cambrel', 'clamber', 'cramble'], 'clame': ['camel', 'clame', 'cleam', 'macle'], 'clamer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'clamor': ['clamor', 'colmar'], 'clamorist': ['clamorist', 'crotalism'], 'clangingly': ['clangingly', 'glancingly'], 'clap': ['calp', 'clap'], 'clapper': ['clapper', 'crapple'], 'claquer': ['claquer', 'lacquer'], 'clarain': ['carinal', 'carlina', 'clarain', 'cranial'], 'clare': ['ceral', 'clare', 'clear', 'lacer'], 'clarence': ['canceler', 'clarence', 'recancel'], 'claret': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'claretian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'clarice': ['clairce', 'clarice'], 'clarin': ['carlin', 'clarin', 'crinal'], 'clarinda': ['cardinal', 'clarinda'], 'clarion': ['carolin', 'clarion', 'colarin', 'locrian'], 'clarionet': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'clarist': ['carlist', 'clarist'], 'claro': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'clary': ['acryl', 'caryl', 'clary'], 'clasher': ['charles', 'clasher'], 'clasp': ['clasp', 'scalp'], 'clasper': ['clasper', 'reclasp', 'scalper'], 'clasping': ['clasping', 'scalping'], 'classed': ['classed', 'declass'], 'classer': ['carless', 'classer', 'reclass'], 'classism': ['classism', 'misclass'], 'classwork': ['classwork', 'crosswalk'], 'clat': ['clat', 'talc'], 'clathrina': ['alchitran', 'clathrina'], 'clathrose': ['clathrose', 'searcloth'], 'clatterer': ['clatterer', 'craterlet'], 'claude': ['caudle', 'cedula', 'claude'], 'claudian': ['claudian', 'dulciana'], 'claudicate': ['aciculated', 'claudicate'], 'clause': ['caelus', 'caules', 'clause'], 'claustral': ['claustral', 'lacustral'], 'clava': ['caval', 'clava'], 'clavacin': ['clavacin', 'vaccinal'], 'clavaria': ['calvaria', 'clavaria'], 'clave': ['calve', 'cavel', 'clave'], 'claver': ['calver', 'carvel', 'claver'], 'claviculate': ['calculative', 'claviculate'], 'clavier': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clavis': ['clavis', 'slavic'], 'clay': ['acyl', 'clay', 'lacy'], 'clayer': ['clayer', 'lacery'], 'claytonia': ['acylation', 'claytonia'], 'clead': ['clead', 'decal', 'laced'], 'cleam': ['camel', 'clame', 'cleam', 'macle'], 'cleamer': ['carmele', 'cleamer'], 'clean': ['canel', 'clean', 'lance', 'lenca'], 'cleaner': ['cleaner', 'reclean'], 'cleanly': ['cleanly', 'lancely'], 'cleanout': ['cleanout', 'outlance'], 'cleanse': ['cleanse', 'scalene'], 'cleanup': ['cleanup', 'unplace'], 'clear': ['ceral', 'clare', 'clear', 'lacer'], 'clearable': ['clearable', 'lacerable'], 'clearer': ['clearer', 'reclear'], 'cleat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'clefted': ['clefted', 'deflect'], 'cleistocarp': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'cleistogeny': ['cleistogeny', 'lysogenetic'], 'cleoid': ['cleoid', 'coiled', 'docile'], 'cleopatra': ['acropetal', 'cleopatra'], 'cleric': ['circle', 'cleric'], 'clericature': ['clericature', 'recirculate'], 'clerkess': ['clerkess', 'reckless'], 'clerking': ['clerking', 'reckling'], 'clerus': ['clerus', 'cruels'], 'clethra': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'cleveite': ['cleveite', 'elective'], 'cliche': ['chicle', 'cliche'], 'clicker': ['clicker', 'crickle'], 'clidastes': ['clidastes', 'discastle'], 'clientage': ['clientage', 'genetical'], 'cliented': ['cliented', 'denticle'], 'cliftonia': ['cliftonia', 'fictional'], 'clima': ['claim', 'clima', 'malic'], 'climber': ['climber', 'reclimb'], 'clime': ['clime', 'melic'], 'cline': ['cinel', 'cline'], 'clinger': ['clinger', 'cringle'], 'clinia': ['anilic', 'clinia'], 'clinicopathological': ['clinicopathological', 'pathologicoclinical'], 'clinium': ['clinium', 'ulminic'], 'clinker': ['clinker', 'crinkle'], 'clinoclase': ['clinoclase', 'oscillance'], 'clinoclasite': ['callisection', 'clinoclasite'], 'clinodome': ['clinodome', 'melodicon', 'monocleid'], 'clinology': ['clinology', 'coolingly'], 'clinometer': ['clinometer', 'recoilment'], 'clinospore': ['clinospore', 'necropolis'], 'clio': ['clio', 'coil', 'coli', 'loci'], 'cliona': ['alnico', 'cliona', 'oilcan'], 'clione': ['clione', 'coelin', 'encoil', 'enolic'], 'clipeus': ['clipeus', 'spicule'], 'clipper': ['clipper', 'cripple'], 'clipse': ['clipse', 'splice'], 'clipsome': ['clipsome', 'polemics'], 'clite': ['clite', 'telic'], 'clites': ['celtis', 'clites'], 'clitia': ['clitia', 'italic'], 'clition': ['clition', 'nilotic'], 'clitoria': ['clitoria', 'loricati'], 'clitoridean': ['clitoridean', 'directional'], 'clitoris': ['clitoris', 'coistril'], 'clive': ['clive', 'velic'], 'cloacinal': ['cloacinal', 'cocillana'], 'cloam': ['cloam', 'comal'], 'cloamen': ['aclemon', 'cloamen'], 'clobber': ['clobber', 'cobbler'], 'clochan': ['chalcon', 'clochan', 'conchal'], 'clocked': ['clocked', 'cockled'], 'clocker': ['clocker', 'cockler'], 'clod': ['clod', 'cold'], 'clodder': ['clodder', 'coddler'], 'cloggy': ['cloggy', 'coggly'], 'cloister': ['cloister', 'coistrel'], 'cloisteral': ['cloisteral', 'sclerotial'], 'cloit': ['cloit', 'lotic'], 'clonicotonic': ['clonicotonic', 'tonicoclonic'], 'clonus': ['clonus', 'consul'], 'clop': ['clop', 'colp'], 'close': ['close', 'socle'], 'closer': ['closer', 'cresol', 'escrol'], 'closter': ['closter', 'costrel'], 'closterium': ['closterium', 'sclerotium'], 'clot': ['clot', 'colt'], 'clothier': ['chlorite', 'clothier'], 'clotho': ['clotho', 'coolth'], 'clotter': ['clotter', 'crottle'], 'cloture': ['cloture', 'clouter'], 'cloud': ['cloud', 'could'], 'clouter': ['cloture', 'clouter'], 'clovene': ['cevenol', 'clovene'], 'clow': ['clow', 'cowl'], 'cloy': ['cloy', 'coly'], 'clue': ['clue', 'luce'], 'clumse': ['clumse', 'muscle'], 'clumsily': ['clumsily', 'scyllium'], 'clumsy': ['clumsy', 'muscly'], 'clunist': ['clunist', 'linctus'], 'clupea': ['alecup', 'clupea'], 'clupeine': ['clupeine', 'pulicene'], 'clusia': ['caulis', 'clusia', 'sicula'], 'clutch': ['clutch', 'cultch'], 'clutter': ['clutter', 'cuttler'], 'clyde': ['clyde', 'decyl'], 'clyer': ['ceryl', 'clyer'], 'clymenia': ['clymenia', 'mycelian'], 'clypeolate': ['clypeolate', 'ptyalocele'], 'clysis': ['clysis', 'lyssic'], 'clysmic': ['clysmic', 'cyclism'], 'cnemial': ['cnemial', 'melanic'], 'cnemis': ['cnemis', 'mnesic'], 'cneorum': ['cneorum', 'corneum'], 'cnicus': ['cnicus', 'succin'], 'cnida': ['canid', 'cnida', 'danic'], 'cnidaria': ['acridian', 'cnidaria'], 'cnidian': ['cnidian', 'indican'], 'cnidophore': ['cnidophore', 'princehood'], 'coach': ['chaco', 'choca', 'coach'], 'coacher': ['caroche', 'coacher', 'recoach'], 'coachlet': ['catechol', 'coachlet'], 'coactor': ['coactor', 'tarocco'], 'coadamite': ['acetamido', 'coadamite'], 'coadnate': ['anecdota', 'coadnate'], 'coadunite': ['coadunite', 'education', 'noctuidae'], 'coagent': ['coagent', 'cognate'], 'coagulate': ['catalogue', 'coagulate'], 'coaita': ['atocia', 'coaita'], 'coal': ['alco', 'coal', 'cola', 'loca'], 'coalbin': ['cibolan', 'coalbin'], 'coaler': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coalite': ['aloetic', 'coalite'], 'coalition': ['coalition', 'lociation'], 'coalitionist': ['coalitionist', 'solicitation'], 'coalizer': ['calorize', 'coalizer'], 'coalpit': ['capitol', 'coalpit', 'optical', 'topical'], 'coaltitude': ['coaltitude', 'colatitude'], 'coaming': ['coaming', 'macigno'], 'coan': ['coan', 'onca'], 'coapt': ['capot', 'coapt'], 'coarb': ['carbo', 'carob', 'coarb', 'cobra'], 'coarrange': ['arrogance', 'coarrange'], 'coarse': ['acrose', 'coarse'], 'coarsen': ['carnose', 'coarsen', 'narcose'], 'coassert': ['castores', 'coassert'], 'coast': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'coastal': ['coastal', 'salacot'], 'coaster': ['coaster', 'recoast'], 'coasting': ['agnostic', 'coasting'], 'coated': ['coated', 'decoat'], 'coater': ['coater', 'recoat'], 'coating': ['coating', 'cotinga'], 'coatroom': ['coatroom', 'morocota'], 'coax': ['coax', 'coxa'], 'cobbler': ['clobber', 'cobbler'], 'cobia': ['baioc', 'cabio', 'cobia'], 'cobiron': ['boronic', 'cobiron'], 'cobitis': ['biotics', 'cobitis'], 'cobra': ['carbo', 'carob', 'coarb', 'cobra'], 'cocaine': ['cocaine', 'oceanic'], 'cocainist': ['cocainist', 'siccation'], 'cocama': ['cocama', 'macaco'], 'cocamine': ['cocamine', 'comacine'], 'cochleare': ['archocele', 'cochleare'], 'cochleitis': ['cochleitis', 'ochlesitic'], 'cocillana': ['cloacinal', 'cocillana'], 'cocker': ['cocker', 'recock'], 'cockily': ['cockily', 'colicky'], 'cockled': ['clocked', 'cockled'], 'cockler': ['clocker', 'cockler'], 'cockup': ['cockup', 'upcock'], 'cocreditor': ['cocreditor', 'codirector'], 'cocurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'cod': ['cod', 'doc'], 'codamine': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'codder': ['codder', 'corded'], 'coddler': ['clodder', 'coddler'], 'code': ['code', 'coed'], 'codebtor': ['bedoctor', 'codebtor'], 'coder': ['coder', 'cored', 'credo'], 'coderive': ['coderive', 'divorcee'], 'codicil': ['codicil', 'dicolic'], 'codille': ['celloid', 'codille', 'collide', 'collied'], 'codirector': ['cocreditor', 'codirector'], 'codium': ['codium', 'mucoid'], 'coed': ['code', 'coed'], 'coeditorship': ['cheiropodist', 'coeditorship'], 'coelar': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coelata': ['alcoate', 'coelata'], 'coelection': ['coelection', 'entocoelic'], 'coelia': ['aeolic', 'coelia'], 'coelin': ['clione', 'coelin', 'encoil', 'enolic'], 'coeline': ['cineole', 'coeline'], 'coelogyne': ['coelogyne', 'gonyocele'], 'coenactor': ['coenactor', 'croconate'], 'coenobiar': ['borocaine', 'coenobiar'], 'coenurus': ['cernuous', 'coenurus'], 'coestate': ['coestate', 'ecostate'], 'coeternal': ['antrocele', 'coeternal', 'tolerance'], 'coeval': ['alcove', 'coeval', 'volcae'], 'cofaster': ['cofaster', 'forecast'], 'coferment': ['coferment', 'forcement'], 'cogeneric': ['cogeneric', 'concierge'], 'coggly': ['cloggy', 'coggly'], 'cognate': ['coagent', 'cognate'], 'cognatical': ['cognatical', 'galactonic'], 'cognation': ['cognation', 'contagion'], 'cognition': ['cognition', 'incognito'], 'cognominal': ['cognominal', 'gnomonical'], 'cogon': ['cogon', 'congo'], 'cograil': ['argolic', 'cograil'], 'coheir': ['coheir', 'heroic'], 'cohen': ['cohen', 'enoch'], 'cohere': ['choree', 'cohere', 'echoer'], 'cohol': ['cholo', 'cohol'], 'cohune': ['cohune', 'hounce'], 'coif': ['coif', 'fico', 'foci'], 'coign': ['coign', 'incog'], 'coil': ['clio', 'coil', 'coli', 'loci'], 'coiled': ['cleoid', 'coiled', 'docile'], 'coiler': ['coiler', 'recoil'], 'coin': ['cion', 'coin', 'icon'], 'coinclude': ['coinclude', 'undecolic'], 'coiner': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'coinfer': ['coinfer', 'conifer'], 'coinherence': ['coinherence', 'incoherence'], 'coinherent': ['coinherent', 'incoherent'], 'coinitial': ['ciliation', 'coinitial'], 'coinmate': ['coinmate', 'maconite'], 'coinspire': ['coinspire', 'precision'], 'coinsure': ['coinsure', 'corineus', 'cusinero'], 'cointer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cointreau': ['cautioner', 'cointreau'], 'coistrel': ['cloister', 'coistrel'], 'coistril': ['clitoris', 'coistril'], 'coix': ['cixo', 'coix'], 'coker': ['coker', 'corke', 'korec'], 'coky': ['coky', 'yock'], 'cola': ['alco', 'coal', 'cola', 'loca'], 'colalgia': ['alogical', 'colalgia'], 'colan': ['colan', 'conal'], 'colane': ['canelo', 'colane'], 'colarin': ['carolin', 'clarion', 'colarin', 'locrian'], 'colate': ['acetol', 'colate', 'locate'], 'colation': ['colation', 'coontail', 'location'], 'colatitude': ['coaltitude', 'colatitude'], 'colchian': ['cholanic', 'colchian'], 'colcine': ['colcine', 'concile', 'conicle'], 'colcothar': ['colcothar', 'ochlocrat'], 'cold': ['clod', 'cold'], 'colder': ['cedrol', 'colder', 'cordel'], 'colectomy': ['colectomy', 'cyclotome'], 'colemanite': ['colemanite', 'melaconite'], 'coleur': ['coleur', 'colure'], 'coleus': ['coleus', 'oscule'], 'coli': ['clio', 'coil', 'coli', 'loci'], 'colias': ['colias', 'scolia', 'social'], 'colicky': ['cockily', 'colicky'], 'colima': ['colima', 'olamic'], 'colin': ['colin', 'nicol'], 'colinear': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'colitis': ['colitis', 'solicit'], 'colk': ['colk', 'lock'], 'colla': ['callo', 'colla', 'local'], 'collage': ['alcogel', 'collage'], 'collare': ['collare', 'corella', 'ocellar'], 'collaret': ['collaret', 'corallet'], 'collarino': ['collarino', 'coronilla'], 'collatee': ['collatee', 'ocellate'], 'collationer': ['collationer', 'recollation'], 'collectioner': ['collectioner', 'recollection'], 'collegial': ['collegial', 'gallicole'], 'collegian': ['allogenic', 'collegian'], 'colleri': ['cerillo', 'colleri', 'collier'], 'colleter': ['colleter', 'coteller', 'coterell', 'recollet'], 'colletia': ['colletia', 'teocalli'], 'collide': ['celloid', 'codille', 'collide', 'collied'], 'collidine': ['celloidin', 'collidine', 'decillion'], 'collie': ['collie', 'ocelli'], 'collied': ['celloid', 'codille', 'collide', 'collied'], 'collier': ['cerillo', 'colleri', 'collier'], 'colligate': ['colligate', 'cotillage'], 'colline': ['colline', 'lioncel'], 'collinear': ['collinear', 'coralline'], 'collinsia': ['collinsia', 'isoclinal'], 'collotypy': ['collotypy', 'polycotyl'], 'collusive': ['collusive', 'colluvies'], 'colluvies': ['collusive', 'colluvies'], 'collyba': ['callboy', 'collyba'], 'colmar': ['clamor', 'colmar'], 'colobus': ['colobus', 'subcool'], 'coloenteritis': ['coloenteritis', 'enterocolitis'], 'colombian': ['colombian', 'colombina'], 'colombina': ['colombian', 'colombina'], 'colonalgia': ['colonalgia', 'naological'], 'colonate': ['colonate', 'ecotonal'], 'colonialist': ['colonialist', 'oscillation'], 'coloproctitis': ['coloproctitis', 'proctocolitis'], 'color': ['color', 'corol', 'crool'], 'colored': ['colored', 'croodle', 'decolor'], 'colorer': ['colorer', 'recolor'], 'colorin': ['colorin', 'orcinol'], 'colorman': ['colorman', 'conormal'], 'colp': ['clop', 'colp'], 'colpeurynter': ['colpeurynter', 'counterreply'], 'colpitis': ['colpitis', 'politics', 'psilotic'], 'colporrhagia': ['colporrhagia', 'orographical'], 'colt': ['clot', 'colt'], 'colter': ['colter', 'lector', 'torcel'], 'coltskin': ['coltskin', 'linstock'], 'colubrina': ['binocular', 'caliburno', 'colubrina'], 'columbo': ['columbo', 'coulomb'], 'columbotitanate': ['columbotitanate', 'titanocolumbate'], 'columnated': ['columnated', 'documental'], 'columned': ['columned', 'uncledom'], 'colunar': ['colunar', 'cornual', 'courlan'], 'colure': ['coleur', 'colure'], 'colutea': ['caulote', 'colutea', 'oculate'], 'coly': ['cloy', 'coly'], 'coma': ['coma', 'maco'], 'comacine': ['cocamine', 'comacine'], 'comal': ['cloam', 'comal'], 'coman': ['coman', 'macon', 'manoc'], 'comart': ['carmot', 'comart'], 'comate': ['comate', 'metoac', 'tecoma'], 'combat': ['combat', 'tombac'], 'comber': ['comber', 'recomb'], 'combinedly': ['combinedly', 'molybdenic'], 'comedial': ['cameloid', 'comedial', 'melodica'], 'comedian': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'comediant': ['comediant', 'metaconid'], 'comedist': ['comedist', 'demotics', 'docetism', 'domestic'], 'comedown': ['comedown', 'downcome'], 'comeliness': ['comeliness', 'incomeless'], 'comeling': ['comeling', 'comingle'], 'comenic': ['comenic', 'encomic', 'meconic'], 'comer': ['comer', 'crome'], 'comforter': ['comforter', 'recomfort'], 'comid': ['comid', 'domic'], 'coming': ['coming', 'gnomic'], 'comingle': ['comeling', 'comingle'], 'comintern': ['comintern', 'nonmetric'], 'comitia': ['caimito', 'comitia'], 'comitragedy': ['comitragedy', 'tragicomedy'], 'comity': ['comity', 'myotic'], 'commander': ['commander', 'recommand'], 'commation': ['commation', 'monatomic'], 'commelina': ['commelina', 'melomanic'], 'commender': ['commender', 'recommend'], 'commentarial': ['commentarial', 'manometrical'], 'commination': ['commination', 'monamniotic'], 'commissioner': ['commissioner', 'recommission'], 'commonality': ['ammonolytic', 'commonality'], 'commorient': ['commorient', 'metronomic', 'monometric'], 'compact': ['accompt', 'compact'], 'compacter': ['compacter', 'recompact'], 'company': ['company', 'copyman'], 'compare': ['compare', 'compear'], 'comparition': ['comparition', 'proamniotic'], 'compasser': ['compasser', 'recompass'], 'compear': ['compare', 'compear'], 'compenetrate': ['compenetrate', 'contemperate'], 'competitioner': ['competitioner', 'recompetition'], 'compile': ['compile', 'polemic'], 'compiler': ['compiler', 'complier'], 'complainer': ['complainer', 'procnemial', 'recomplain'], 'complaint': ['complaint', 'compliant'], 'complanate': ['complanate', 'placentoma'], 'compliant': ['complaint', 'compliant'], 'complier': ['compiler', 'complier'], 'compounder': ['compounder', 'recompound'], 'comprehender': ['comprehender', 'recomprehend'], 'compressed': ['compressed', 'decompress'], 'comprise': ['comprise', 'perosmic'], 'compromission': ['compromission', 'procommission'], 'conal': ['colan', 'conal'], 'conamed': ['conamed', 'macedon'], 'conant': ['cannot', 'canton', 'conant', 'nonact'], 'conarial': ['carolina', 'conarial'], 'conarium': ['conarium', 'coumarin'], 'conative': ['conative', 'invocate'], 'concealer': ['concealer', 'reconceal'], 'concent': ['concent', 'connect'], 'concenter': ['concenter', 'reconnect'], 'concentive': ['concentive', 'connective'], 'concertize': ['concertize', 'concretize'], 'concessioner': ['concessioner', 'reconcession'], 'concha': ['chanco', 'concha'], 'conchal': ['chalcon', 'clochan', 'conchal'], 'conchinine': ['cinchonine', 'conchinine'], 'concierge': ['cogeneric', 'concierge'], 'concile': ['colcine', 'concile', 'conicle'], 'concocter': ['concocter', 'reconcoct'], 'concreter': ['concreter', 'reconcert'], 'concretize': ['concertize', 'concretize'], 'concretor': ['concretor', 'conrector'], 'condalia': ['cladonia', 'condalia', 'diaconal'], 'condemner': ['condemner', 'recondemn'], 'condite': ['condite', 'ctenoid'], 'conditioner': ['conditioner', 'recondition'], 'condor': ['condor', 'cordon'], 'conduit': ['conduit', 'duction', 'noctuid'], 'condylomatous': ['condylomatous', 'monodactylous'], 'cone': ['cone', 'once'], 'conepate': ['conepate', 'tepecano'], 'coner': ['coner', 'crone', 'recon'], 'cones': ['cones', 'scone'], 'confesser': ['confesser', 'reconfess'], 'configurationism': ['configurationism', 'misconfiguration'], 'confirmer': ['confirmer', 'reconfirm'], 'confirmor': ['confirmor', 'corniform'], 'conflate': ['conflate', 'falconet'], 'conformer': ['conformer', 'reconform'], 'confounder': ['confounder', 'reconfound'], 'confrere': ['confrere', 'enforcer', 'reconfer'], 'confronter': ['confronter', 'reconfront'], 'congealer': ['congealer', 'recongeal'], 'congeneric': ['congeneric', 'necrogenic'], 'congenerous': ['congenerous', 'necrogenous'], 'congenial': ['congenial', 'goclenian'], 'congo': ['cogon', 'congo'], 'congreet': ['congreet', 'coregent'], 'congreve': ['congreve', 'converge'], 'conical': ['conical', 'laconic'], 'conicine': ['ciconine', 'conicine'], 'conicle': ['colcine', 'concile', 'conicle'], 'conicoid': ['conicoid', 'conoidic'], 'conidium': ['conidium', 'mucinoid', 'oncidium'], 'conifer': ['coinfer', 'conifer'], 'conima': ['camion', 'conima', 'manioc', 'monica'], 'conin': ['conin', 'nonic', 'oncin'], 'conine': ['conine', 'connie', 'ennoic'], 'conjoiner': ['conjoiner', 'reconjoin'], 'conk': ['conk', 'nock'], 'conker': ['conker', 'reckon'], 'conkers': ['conkers', 'snocker'], 'connarite': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'connatal': ['cantonal', 'connatal'], 'connation': ['connation', 'nonaction'], 'connature': ['antecornu', 'connature'], 'connect': ['concent', 'connect'], 'connectival': ['connectival', 'conventical'], 'connective': ['concentive', 'connective'], 'connie': ['conine', 'connie', 'ennoic'], 'connoissance': ['connoissance', 'nonaccession'], 'conoidal': ['conoidal', 'dolciano'], 'conoidic': ['conicoid', 'conoidic'], 'conor': ['conor', 'croon', 'ronco'], 'conormal': ['colorman', 'conormal'], 'conoy': ['conoy', 'coony'], 'conrad': ['candor', 'cardon', 'conrad'], 'conrector': ['concretor', 'conrector'], 'conred': ['cedron', 'conred'], 'conringia': ['conringia', 'inorganic'], 'consenter': ['consenter', 'nonsecret', 'reconsent'], 'conservable': ['conservable', 'conversable'], 'conservancy': ['conservancy', 'conversancy'], 'conservant': ['conservant', 'conversant'], 'conservation': ['conservation', 'conversation'], 'conservational': ['conservational', 'conversational'], 'conservationist': ['conservationist', 'conversationist'], 'conservative': ['conservative', 'conversative'], 'conserve': ['conserve', 'converse'], 'conserver': ['conserver', 'converser'], 'considerate': ['considerate', 'desecration'], 'considerative': ['considerative', 'devisceration'], 'considered': ['considered', 'deconsider'], 'considerer': ['considerer', 'reconsider'], 'consigner': ['consigner', 'reconsign'], 'conspiracy': ['conspiracy', 'snipocracy'], 'conspire': ['conspire', 'incorpse'], 'constate': ['catstone', 'constate'], 'constitutionalism': ['constitutionalism', 'misconstitutional'], 'constitutioner': ['constitutioner', 'reconstitution'], 'constrain': ['constrain', 'transonic'], 'constructer': ['constructer', 'reconstruct'], 'constructionism': ['constructionism', 'misconstruction'], 'consul': ['clonus', 'consul'], 'consulage': ['consulage', 'glucosane'], 'consulary': ['consulary', 'cynosural'], 'consulter': ['consulter', 'reconsult'], 'consume': ['consume', 'muscone'], 'consumer': ['consumer', 'mucrones'], 'consute': ['consute', 'contuse'], 'contagion': ['cognation', 'contagion'], 'contain': ['actinon', 'cantion', 'contain'], 'container': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'conte': ['cento', 'conte', 'tecon'], 'contemperate': ['compenetrate', 'contemperate'], 'contender': ['contender', 'recontend'], 'conter': ['conter', 'cornet', 'cronet', 'roncet'], 'conterminal': ['centinormal', 'conterminal', 'nonmetrical'], 'contester': ['contester', 'recontest'], 'continual': ['continual', 'inoculant', 'unctional'], 'continued': ['continued', 'unnoticed'], 'continuer': ['centurion', 'continuer', 'cornutine'], 'contise': ['contise', 'noetics', 'section'], 'contline': ['contline', 'nonlicet'], 'contortae': ['contortae', 'crotonate'], 'contour': ['contour', 'cornuto', 'countor', 'crouton'], 'contra': ['cantor', 'carton', 'contra'], 'contracter': ['contracter', 'correctant', 'recontract'], 'contrapose': ['antroscope', 'contrapose'], 'contravene': ['contravene', 'covenanter'], 'contrite': ['contrite', 'tetronic'], 'contrive': ['contrive', 'invector'], 'conturbation': ['conturbation', 'obtruncation'], 'contuse': ['consute', 'contuse'], 'conure': ['conure', 'rounce', 'uncore'], 'conventical': ['connectival', 'conventical'], 'conventioner': ['conventioner', 'reconvention'], 'converge': ['congreve', 'converge'], 'conversable': ['conservable', 'conversable'], 'conversancy': ['conservancy', 'conversancy'], 'conversant': ['conservant', 'conversant'], 'conversation': ['conservation', 'conversation'], 'conversational': ['conservational', 'conversational'], 'conversationist': ['conservationist', 'conversationist'], 'conversative': ['conservative', 'conversative'], 'converse': ['conserve', 'converse'], 'converser': ['conserver', 'converser'], 'converter': ['converter', 'reconvert'], 'convertise': ['convertise', 'ventricose'], 'conveyer': ['conveyer', 'reconvey'], 'conycatcher': ['conycatcher', 'technocracy'], 'conyrine': ['conyrine', 'corynine'], 'cooker': ['cooker', 'recook'], 'cool': ['cool', 'loco'], 'coolant': ['coolant', 'octonal'], 'cooler': ['cooler', 'recool'], 'coolingly': ['clinology', 'coolingly'], 'coolth': ['clotho', 'coolth'], 'coolweed': ['coolweed', 'locoweed'], 'cooly': ['cooly', 'coyol'], 'coonroot': ['coonroot', 'octoroon'], 'coontail': ['colation', 'coontail', 'location'], 'coony': ['conoy', 'coony'], 'coop': ['coop', 'poco'], 'coos': ['coos', 'soco'], 'coost': ['coost', 'scoot'], 'coot': ['coot', 'coto', 'toco'], 'copa': ['copa', 'paco'], 'copable': ['copable', 'placebo'], 'copalite': ['copalite', 'poetical'], 'coparent': ['coparent', 'portance'], 'copart': ['captor', 'copart'], 'copartner': ['copartner', 'procreant'], 'copatain': ['copatain', 'pacation'], 'copehan': ['copehan', 'panoche', 'phocean'], 'copen': ['copen', 'ponce'], 'coperta': ['coperta', 'pectora', 'porcate'], 'copied': ['copied', 'epodic'], 'copis': ['copis', 'pisco'], 'copist': ['copist', 'coptis', 'optics', 'postic'], 'copita': ['atopic', 'capito', 'copita'], 'coplanar': ['coplanar', 'procanal'], 'copleased': ['copleased', 'escaloped'], 'copperer': ['copperer', 'recopper'], 'coppery': ['coppery', 'precopy'], 'copr': ['copr', 'corp', 'crop'], 'coprinae': ['caponier', 'coprinae', 'procaine'], 'coprinus': ['coprinus', 'poncirus'], 'coprolagnia': ['carpogonial', 'coprolagnia'], 'coprophagist': ['coprophagist', 'topographics'], 'coprose': ['coprose', 'scooper'], 'copse': ['copse', 'pecos', 'scope'], 'copter': ['ceptor', 'copter'], 'coptis': ['copist', 'coptis', 'optics', 'postic'], 'copula': ['copula', 'cupola'], 'copular': ['copular', 'croupal', 'cupolar', 'porcula'], 'copulate': ['copulate', 'outplace'], 'copulation': ['copulation', 'poculation'], 'copus': ['copus', 'scoup'], 'copyman': ['company', 'copyman'], 'copyrighter': ['copyrighter', 'recopyright'], 'coque': ['coque', 'ocque'], 'coquitlam': ['coquitlam', 'quamoclit'], 'cor': ['cor', 'cro', 'orc', 'roc'], 'cora': ['acor', 'caro', 'cora', 'orca'], 'coraciae': ['coraciae', 'icacorea'], 'coracial': ['caracoli', 'coracial'], 'coracias': ['coracias', 'rascacio'], 'coradicate': ['coradicate', 'ectocardia'], 'corah': ['achor', 'chora', 'corah', 'orach', 'roach'], 'coraise': ['coraise', 'scoriae'], 'coral': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'coraled': ['acerdol', 'coraled'], 'coralist': ['calorist', 'coralist'], 'corallet': ['collaret', 'corallet'], 'corallian': ['corallian', 'corallina'], 'corallina': ['corallian', 'corallina'], 'coralline': ['collinear', 'coralline'], 'corallite': ['corallite', 'lectorial'], 'coram': ['carom', 'coram', 'macro', 'marco'], 'coranto': ['cartoon', 'coranto'], 'corban': ['bracon', 'carbon', 'corban'], 'corbeil': ['bricole', 'corbeil', 'orbicle'], 'cordaitean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'cordate': ['cordate', 'decator', 'redcoat'], 'corded': ['codder', 'corded'], 'cordel': ['cedrol', 'colder', 'cordel'], 'corder': ['corder', 'record'], 'cordia': ['caroid', 'cordia'], 'cordial': ['cordial', 'dorical'], 'cordicole': ['cordicole', 'crocodile'], 'cordierite': ['cordierite', 'directoire'], 'cordoba': ['bocardo', 'cordoba'], 'cordon': ['condor', 'cordon'], 'core': ['cero', 'core'], 'cored': ['coder', 'cored', 'credo'], 'coregent': ['congreet', 'coregent'], 'coreless': ['coreless', 'sclerose'], 'corella': ['collare', 'corella', 'ocellar'], 'corema': ['ceroma', 'corema'], 'coreplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'coreplasty': ['ceroplasty', 'coreplasty'], 'corer': ['corer', 'crore'], 'coresidual': ['coresidual', 'radiculose'], 'coresign': ['coresign', 'cosigner'], 'corge': ['corge', 'gorce'], 'corgi': ['corgi', 'goric', 'orgic'], 'corial': ['caroli', 'corial', 'lorica'], 'coriamyrtin': ['coriamyrtin', 'criminatory'], 'corin': ['corin', 'noric', 'orcin'], 'corindon': ['corindon', 'nodicorn'], 'corineus': ['coinsure', 'corineus', 'cusinero'], 'corinna': ['corinna', 'cronian'], 'corinne': ['corinne', 'cornein', 'neronic'], 'cork': ['cork', 'rock'], 'corke': ['coker', 'corke', 'korec'], 'corked': ['corked', 'docker', 'redock'], 'corker': ['corker', 'recork', 'rocker'], 'corkiness': ['corkiness', 'rockiness'], 'corking': ['corking', 'rocking'], 'corkish': ['corkish', 'rockish'], 'corkwood': ['corkwood', 'rockwood', 'woodrock'], 'corky': ['corky', 'rocky'], 'corm': ['corm', 'crom'], 'cormophyte': ['chromotype', 'cormophyte', 'ectomorphy'], 'cormophytic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'cornage': ['acrogen', 'cornage'], 'cornea': ['carone', 'cornea'], 'corneal': ['carneol', 'corneal'], 'cornein': ['corinne', 'cornein', 'neronic'], 'cornelia': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'cornelius': ['cornelius', 'inclosure', 'reclusion'], 'corneocalcareous': ['calcareocorneous', 'corneocalcareous'], 'cornet': ['conter', 'cornet', 'cronet', 'roncet'], 'corneum': ['cneorum', 'corneum'], 'cornic': ['cornic', 'crocin'], 'cornice': ['cornice', 'crocein'], 'corniform': ['confirmor', 'corniform'], 'cornin': ['cornin', 'rincon'], 'cornish': ['cornish', 'cronish', 'sorchin'], 'cornual': ['colunar', 'cornual', 'courlan'], 'cornuate': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cornuated': ['cornuated', 'undercoat'], 'cornucopiate': ['cornucopiate', 'reoccupation'], 'cornulites': ['cornulites', 'uncloister'], 'cornute': ['cornute', 'counter', 'recount', 'trounce'], 'cornutine': ['centurion', 'continuer', 'cornutine'], 'cornuto': ['contour', 'cornuto', 'countor', 'crouton'], 'corny': ['corny', 'crony'], 'corol': ['color', 'corol', 'crool'], 'corollated': ['corollated', 'decollator'], 'corona': ['caroon', 'corona', 'racoon'], 'coronad': ['cardoon', 'coronad'], 'coronadite': ['carotenoid', 'coronadite', 'decoration'], 'coronal': ['coronal', 'locarno'], 'coronaled': ['canoodler', 'coronaled'], 'coronate': ['coronate', 'octonare', 'otocrane'], 'coronated': ['coronated', 'creodonta'], 'coroner': ['coroner', 'crooner', 'recroon'], 'coronilla': ['collarino', 'coronilla'], 'corp': ['copr', 'corp', 'crop'], 'corporealist': ['corporealist', 'prosectorial'], 'corradiate': ['corradiate', 'cortaderia', 'eradicator'], 'correal': ['caroler', 'correal'], 'correctant': ['contracter', 'correctant', 'recontract'], 'correctioner': ['correctioner', 'recorrection'], 'corrente': ['corrente', 'terceron'], 'correption': ['correption', 'porrection'], 'corrodentia': ['corrodentia', 'recordation'], 'corrupter': ['corrupter', 'recorrupt'], 'corsage': ['corsage', 'socager'], 'corsaint': ['cantoris', 'castorin', 'corsaint'], 'corse': ['corse', 'score'], 'corselet': ['corselet', 'sclerote', 'selector'], 'corset': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'corta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'cortaderia': ['corradiate', 'cortaderia', 'eradicator'], 'cortes': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'cortical': ['cortical', 'crotalic'], 'cortices': ['cortices', 'cresotic'], 'corticose': ['corticose', 'creosotic'], 'cortin': ['citron', 'cortin', 'crotin'], 'cortina': ['anticor', 'carotin', 'cortina', 'ontaric'], 'cortinate': ['carnotite', 'cortinate'], 'cortisone': ['certosino', 'cortisone', 'socotrine'], 'corton': ['corton', 'croton'], 'corvinae': ['corvinae', 'veronica'], 'cory': ['cory', 'croy'], 'corycavidine': ['cervicodynia', 'corycavidine'], 'corydon': ['corydon', 'croydon'], 'corynine': ['conyrine', 'corynine'], 'corypha': ['charpoy', 'corypha'], 'coryphene': ['coryphene', 'hypercone'], 'cos': ['cos', 'osc', 'soc'], 'cosalite': ['cosalite', 'societal'], 'coset': ['coset', 'estoc', 'scote'], 'cosh': ['cosh', 'scho'], 'cosharer': ['cosharer', 'horsecar'], 'cosigner': ['coresign', 'cosigner'], 'cosine': ['cosine', 'oscine'], 'cosmati': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'cosmetical': ['cacomistle', 'cosmetical'], 'cosmetician': ['cosmetician', 'encomiastic'], 'cosmist': ['cosmist', 'scotism'], 'cossack': ['cassock', 'cossack'], 'cosse': ['cosse', 'secos'], 'cost': ['cost', 'scot'], 'costa': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'costar': ['arctos', 'castor', 'costar', 'scrota'], 'costean': ['costean', 'tsoneca'], 'coster': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'costing': ['costing', 'gnostic'], 'costispinal': ['costispinal', 'pansciolist'], 'costmary': ['arctomys', 'costmary', 'mascotry'], 'costochondral': ['chondrocostal', 'costochondral'], 'costosternal': ['costosternal', 'sternocostal'], 'costovertebral': ['costovertebral', 'vertebrocostal'], 'costrel': ['closter', 'costrel'], 'costula': ['costula', 'locusta', 'talcous'], 'costumer': ['costumer', 'customer'], 'cosurety': ['cosurety', 'courtesy'], 'cosustain': ['cosustain', 'scusation'], 'cotarius': ['cotarius', 'octarius', 'suctoria'], 'cotarnine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'cote': ['cote', 'teco'], 'coteline': ['coteline', 'election'], 'coteller': ['colleter', 'coteller', 'coterell', 'recollet'], 'coterell': ['colleter', 'coteller', 'coterell', 'recollet'], 'cotesian': ['canoeist', 'cotesian'], 'coth': ['coth', 'ocht'], 'cotidal': ['cotidal', 'lactoid', 'talcoid'], 'cotillage': ['colligate', 'cotillage'], 'cotillion': ['cotillion', 'octillion'], 'cotinga': ['coating', 'cotinga'], 'cotinus': ['cotinus', 'suction', 'unstoic'], 'cotise': ['cotise', 'oecist'], 'coto': ['coot', 'coto', 'toco'], 'cotranspire': ['cotranspire', 'pornerastic'], 'cotrine': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cotripper': ['cotripper', 'periproct'], 'cotte': ['cotte', 'octet'], 'cotylosaur': ['cotylosaur', 'osculatory'], 'cotype': ['cotype', 'ectopy'], 'coude': ['coude', 'douce'], 'could': ['cloud', 'could'], 'coulisse': ['coulisse', 'leucosis', 'ossicule'], 'coulomb': ['columbo', 'coulomb'], 'coumalic': ['caulomic', 'coumalic'], 'coumarin': ['conarium', 'coumarin'], 'counsel': ['counsel', 'unclose'], 'counter': ['cornute', 'counter', 'recount', 'trounce'], 'counteracter': ['counteracter', 'countercarte'], 'countercarte': ['counteracter', 'countercarte'], 'countercharm': ['countercharm', 'countermarch'], 'counterguard': ['counterguard', 'uncorrugated'], 'counteridea': ['counteridea', 'decurionate'], 'countermarch': ['countercharm', 'countermarch'], 'counterpaled': ['counterpaled', 'counterplead', 'unpercolated'], 'counterpaly': ['counterpaly', 'counterplay'], 'counterplay': ['counterpaly', 'counterplay'], 'counterplead': ['counterpaled', 'counterplead', 'unpercolated'], 'counterreply': ['colpeurynter', 'counterreply'], 'countersale': ['countersale', 'counterseal'], 'countersea': ['countersea', 'nectareous'], 'counterseal': ['countersale', 'counterseal'], 'countershade': ['countershade', 'decantherous'], 'counterstand': ['counterstand', 'uncontrasted'], 'countertail': ['countertail', 'reluctation'], 'countertrades': ['countertrades', 'unstercorated'], 'countervail': ['countervail', 'involucrate'], 'countervair': ['countervair', 'overcurtain', 'recurvation'], 'countor': ['contour', 'cornuto', 'countor', 'crouton'], 'coupe': ['coupe', 'pouce'], 'couper': ['couper', 'croupe', 'poucer', 'recoup'], 'couplement': ['couplement', 'uncomplete'], 'couplet': ['couplet', 'octuple'], 'coupon': ['coupon', 'uncoop'], 'couponed': ['couponed', 'uncooped'], 'courante': ['cornuate', 'courante', 'cuneator', 'outrance'], 'courbaril': ['courbaril', 'orbicular'], 'courlan': ['colunar', 'cornual', 'courlan'], 'cours': ['cours', 'scour'], 'course': ['cerous', 'course', 'crouse', 'source'], 'coursed': ['coursed', 'scoured'], 'courser': ['courser', 'scourer'], 'coursing': ['coursing', 'scouring'], 'court': ['court', 'crout', 'turco'], 'courtesan': ['acentrous', 'courtesan', 'nectarous'], 'courtesy': ['cosurety', 'courtesy'], 'courtier': ['courtier', 'outcrier'], 'courtiership': ['courtiership', 'peritrichous'], 'courtin': ['courtin', 'ruction'], 'courtman': ['courtman', 'turcoman'], 'couter': ['couter', 'croute'], 'couth': ['couth', 'thuoc', 'touch'], 'couthily': ['couthily', 'touchily'], 'couthiness': ['couthiness', 'touchiness'], 'couthless': ['couthless', 'touchless'], 'coutil': ['coutil', 'toluic'], 'covenanter': ['contravene', 'covenanter'], 'coverer': ['coverer', 'recover'], 'coversine': ['coversine', 'vernicose'], 'covert': ['covert', 'vector'], 'covisit': ['covisit', 'ovistic'], 'cowardy': ['cowardy', 'cowyard'], 'cowherd': ['chowder', 'cowherd'], 'cowl': ['clow', 'cowl'], 'cowyard': ['cowardy', 'cowyard'], 'coxa': ['coax', 'coxa'], 'coxite': ['coxite', 'exotic'], 'coyness': ['coyness', 'sycones'], 'coyol': ['cooly', 'coyol'], 'coyote': ['coyote', 'oocyte'], 'craber': ['bracer', 'craber'], 'crabhole': ['bachelor', 'crabhole'], 'crablet': ['beclart', 'crablet'], 'crackable': ['blackacre', 'crackable'], 'crackle': ['cackler', 'clacker', 'crackle'], 'crackmans': ['crackmans', 'cracksman'], 'cracksman': ['crackmans', 'cracksman'], 'cradge': ['cadger', 'cradge'], 'cradle': ['cardel', 'cradle'], 'cradlemate': ['cradlemate', 'malcreated'], 'craig': ['cigar', 'craig'], 'crain': ['cairn', 'crain', 'naric'], 'crake': ['acker', 'caker', 'crake', 'creak'], 'cram': ['cram', 'marc'], 'cramasie': ['cramasie', 'mesaraic'], 'crambe': ['becram', 'camber', 'crambe'], 'crambidae': ['carbamide', 'crambidae'], 'crambinae': ['carbamine', 'crambinae'], 'cramble': ['cambrel', 'clamber', 'cramble'], 'cramper': ['cramper', 'recramp'], 'crampon': ['crampon', 'cropman'], 'cranage': ['carnage', 'cranage', 'garance'], 'crance': ['cancer', 'crance'], 'crane': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'craner': ['craner', 'rancer'], 'craney': ['carney', 'craney'], 'crania': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'craniad': ['acridan', 'craniad'], 'cranial': ['carinal', 'carlina', 'clarain', 'cranial'], 'cranially': ['ancillary', 'carlylian', 'cranially'], 'cranian': ['canarin', 'cranian'], 'craniate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'cranic': ['cancri', 'carnic', 'cranic'], 'craniectomy': ['craniectomy', 'cyanometric'], 'craniognomy': ['craniognomy', 'organonymic'], 'craniota': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'cranker': ['cranker', 'recrank'], 'crap': ['carp', 'crap'], 'crape': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'crappie': ['crappie', 'epicarp'], 'crapple': ['clapper', 'crapple'], 'crappo': ['crappo', 'croppa'], 'craps': ['craps', 'scarp', 'scrap'], 'crapulous': ['crapulous', 'opuscular'], 'crare': ['carer', 'crare', 'racer'], 'crate': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'crateful': ['crateful', 'fulcrate'], 'crater': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'craterid': ['cirrated', 'craterid'], 'crateriform': ['crateriform', 'terraciform'], 'crateris': ['crateris', 'serratic'], 'craterlet': ['clatterer', 'craterlet'], 'craterous': ['craterous', 'recusator'], 'cratinean': ['cratinean', 'incarnate', 'nectarian'], 'cratometric': ['cratometric', 'metrocratic'], 'crave': ['carve', 'crave', 'varec'], 'craven': ['carven', 'cavern', 'craven'], 'craver': ['carver', 'craver'], 'craving': ['carving', 'craving'], 'crayon': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'crayonist': ['carnosity', 'crayonist'], 'crea': ['acer', 'acre', 'care', 'crea', 'race'], 'creagh': ['charge', 'creagh'], 'creak': ['acker', 'caker', 'crake', 'creak'], 'cream': ['cream', 'macer'], 'creamer': ['amercer', 'creamer'], 'creant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crease': ['cesare', 'crease', 'recase', 'searce'], 'creaser': ['creaser', 'searcer'], 'creasing': ['creasing', 'scirenga'], 'creat': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'creatable': ['creatable', 'traceable'], 'create': ['cerate', 'create', 'ecarte'], 'creatine': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'creatinine': ['creatinine', 'incinerate'], 'creation': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'creational': ['creational', 'crotalinae', 'laceration', 'reactional'], 'creationary': ['creationary', 'reactionary'], 'creationism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'creationist': ['creationist', 'reactionist'], 'creative': ['creative', 'reactive'], 'creatively': ['creatively', 'reactively'], 'creativeness': ['creativeness', 'reactiveness'], 'creativity': ['creativity', 'reactivity'], 'creator': ['creator', 'reactor'], 'crebrous': ['crebrous', 'obscurer'], 'credential': ['credential', 'interlaced', 'reclinated'], 'credit': ['credit', 'direct'], 'creditable': ['creditable', 'directable'], 'creditive': ['creditive', 'directive'], 'creditor': ['creditor', 'director'], 'creditorship': ['creditorship', 'directorship'], 'creditress': ['creditress', 'directress'], 'creditrix': ['creditrix', 'directrix'], 'crednerite': ['crednerite', 'interceder'], 'credo': ['coder', 'cored', 'credo'], 'cree': ['cere', 'cree'], 'creed': ['ceder', 'cedre', 'cered', 'creed'], 'creedal': ['cedrela', 'creedal', 'declare'], 'creedalism': ['creedalism', 'misdeclare'], 'creedist': ['creedist', 'desertic', 'discreet', 'discrete'], 'creep': ['creep', 'crepe'], 'creepered': ['creepered', 'predecree'], 'creepie': ['creepie', 'repiece'], 'cremation': ['cremation', 'manticore'], 'cremator': ['cremator', 'mercator'], 'crematorial': ['crematorial', 'mercatorial'], 'cremor': ['cremor', 'cromer'], 'crena': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'crenate': ['centare', 'crenate'], 'crenated': ['crenated', 'decanter', 'nectared'], 'crenation': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'crenelate': ['crenelate', 'lanceteer'], 'crenelation': ['crenelation', 'intolerance'], 'crenele': ['crenele', 'encreel'], 'crenellation': ['centrolineal', 'crenellation'], 'crenitic': ['crenitic', 'cretinic'], 'crenology': ['crenology', 'necrology'], 'crenula': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'crenulate': ['calenture', 'crenulate'], 'creodonta': ['coronated', 'creodonta'], 'creolian': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'creolin': ['creolin', 'licorne', 'locrine'], 'creosotic': ['corticose', 'creosotic'], 'crepe': ['creep', 'crepe'], 'crepidula': ['crepidula', 'pedicular'], 'crepine': ['crepine', 'increep'], 'crepiness': ['crepiness', 'princesse'], 'crepis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'crepitant': ['crepitant', 'pittancer'], 'crepitation': ['actinopteri', 'crepitation', 'precitation'], 'crepitous': ['crepitous', 'euproctis', 'uroseptic'], 'crepitus': ['crepitus', 'piecrust'], 'crepon': ['crepon', 'procne'], 'crepy': ['crepy', 'cypre', 'percy'], 'cresol': ['closer', 'cresol', 'escrol'], 'cresolin': ['cresolin', 'licensor'], 'cresotic': ['cortices', 'cresotic'], 'cresson': ['cresson', 'crosnes'], 'crestline': ['crestline', 'stenciler'], 'crestmoreite': ['crestmoreite', 'stereometric'], 'creta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cretan': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crete': ['crete', 'erect'], 'cretification': ['certification', 'cretification', 'rectification'], 'cretify': ['certify', 'cretify', 'rectify'], 'cretin': ['cinter', 'cretin', 'crinet'], 'cretinic': ['crenitic', 'cretinic'], 'cretinoid': ['cretinoid', 'direction'], 'cretion': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cretism': ['cretism', 'metrics'], 'crewer': ['crewer', 'recrew'], 'cribo': ['boric', 'cribo', 'orbic'], 'crickle': ['clicker', 'crickle'], 'cricothyroid': ['cricothyroid', 'thyrocricoid'], 'cried': ['cider', 'cried', 'deric', 'dicer'], 'crier': ['crier', 'ricer'], 'criey': ['criey', 'ricey'], 'crile': ['crile', 'elric', 'relic'], 'crimean': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'crimeful': ['crimeful', 'merciful'], 'crimeless': ['crimeless', 'merciless'], 'crimelessness': ['crimelessness', 'mercilessness'], 'criminalese': ['criminalese', 'misreliance'], 'criminate': ['antimeric', 'carminite', 'criminate', 'metrician'], 'criminatory': ['coriamyrtin', 'criminatory'], 'crimpage': ['crimpage', 'pergamic'], 'crinal': ['carlin', 'clarin', 'crinal'], 'crinanite': ['crinanite', 'natricine'], 'crinated': ['crinated', 'dicentra'], 'crine': ['cerin', 'crine'], 'crined': ['cedrin', 'cinder', 'crined'], 'crinet': ['cinter', 'cretin', 'crinet'], 'cringle': ['clinger', 'cringle'], 'crinite': ['citrine', 'crinite', 'inciter', 'neritic'], 'crinkle': ['clinker', 'crinkle'], 'cripes': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'cripple': ['clipper', 'cripple'], 'crisp': ['crisp', 'scrip'], 'crispation': ['antipsoric', 'ascription', 'crispation'], 'crisped': ['crisped', 'discerp'], 'crispy': ['crispy', 'cypris'], 'crista': ['crista', 'racist'], 'cristopher': ['cristopher', 'rectorship'], 'criteria': ['criteria', 'triceria'], 'criterion': ['criterion', 'tricerion'], 'criterium': ['criterium', 'tricerium'], 'crith': ['crith', 'richt'], 'critic': ['citric', 'critic'], 'cro': ['cor', 'cro', 'orc', 'roc'], 'croak': ['arock', 'croak'], 'croat': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'croatan': ['cantaro', 'croatan'], 'croatian': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'crocein': ['cornice', 'crocein'], 'croceine': ['cicerone', 'croceine'], 'crocetin': ['crocetin', 'necrotic'], 'crocidolite': ['crocidolite', 'crocodilite'], 'crocin': ['cornic', 'crocin'], 'crocodile': ['cordicole', 'crocodile'], 'crocodilite': ['crocidolite', 'crocodilite'], 'croconate': ['coenactor', 'croconate'], 'crocus': ['crocus', 'succor'], 'crom': ['corm', 'crom'], 'crome': ['comer', 'crome'], 'cromer': ['cremor', 'cromer'], 'crone': ['coner', 'crone', 'recon'], 'cronet': ['conter', 'cornet', 'cronet', 'roncet'], 'cronian': ['corinna', 'cronian'], 'cronish': ['cornish', 'cronish', 'sorchin'], 'crony': ['corny', 'crony'], 'croodle': ['colored', 'croodle', 'decolor'], 'crool': ['color', 'corol', 'crool'], 'croon': ['conor', 'croon', 'ronco'], 'crooner': ['coroner', 'crooner', 'recroon'], 'crop': ['copr', 'corp', 'crop'], 'cropman': ['crampon', 'cropman'], 'croppa': ['crappo', 'croppa'], 'crore': ['corer', 'crore'], 'crosa': ['arcos', 'crosa', 'oscar', 'sacro'], 'crosier': ['cirrose', 'crosier'], 'crosnes': ['cresson', 'crosnes'], 'crosse': ['cessor', 'crosse', 'scorse'], 'crosser': ['crosser', 'recross'], 'crossite': ['crossite', 'crosstie'], 'crossover': ['crossover', 'overcross'], 'crosstie': ['crossite', 'crosstie'], 'crosstied': ['crosstied', 'dissector'], 'crosstree': ['crosstree', 'rectoress'], 'crosswalk': ['classwork', 'crosswalk'], 'crotal': ['carlot', 'crotal'], 'crotalic': ['cortical', 'crotalic'], 'crotalinae': ['creational', 'crotalinae', 'laceration', 'reactional'], 'crotaline': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'crotalism': ['clamorist', 'crotalism'], 'crotalo': ['crotalo', 'locator'], 'crotaloid': ['crotaloid', 'doctorial'], 'crotin': ['citron', 'cortin', 'crotin'], 'croton': ['corton', 'croton'], 'crotonate': ['contortae', 'crotonate'], 'crottle': ['clotter', 'crottle'], 'crouchant': ['archcount', 'crouchant'], 'croupal': ['copular', 'croupal', 'cupolar', 'porcula'], 'croupe': ['couper', 'croupe', 'poucer', 'recoup'], 'croupily': ['croupily', 'polyuric'], 'croupiness': ['croupiness', 'percussion', 'supersonic'], 'crouse': ['cerous', 'course', 'crouse', 'source'], 'crout': ['court', 'crout', 'turco'], 'croute': ['couter', 'croute'], 'crouton': ['contour', 'cornuto', 'countor', 'crouton'], 'crowder': ['crowder', 'recrowd'], 'crowned': ['crowned', 'decrown'], 'crowner': ['crowner', 'recrown'], 'crownmaker': ['cankerworm', 'crownmaker'], 'croy': ['cory', 'croy'], 'croydon': ['corydon', 'croydon'], 'cruces': ['cercus', 'cruces'], 'cruciate': ['aceturic', 'cruciate'], 'crudwort': ['crudwort', 'curdwort'], 'cruel': ['cruel', 'lucre', 'ulcer'], 'cruels': ['clerus', 'cruels'], 'cruelty': ['cruelty', 'cutlery'], 'cruet': ['cruet', 'eruct', 'recut', 'truce'], 'cruise': ['cruise', 'crusie'], 'cruisken': ['cruisken', 'unsicker'], 'crunode': ['crunode', 'uncored'], 'crureus': ['crureus', 'surcrue'], 'crurogenital': ['crurogenital', 'genitocrural'], 'cruroinguinal': ['cruroinguinal', 'inguinocrural'], 'crus': ['crus', 'scur'], 'crusado': ['acrodus', 'crusado'], 'crusca': ['crusca', 'curcas'], 'cruse': ['cruse', 'curse', 'sucre'], 'crusher': ['crusher', 'recrush'], 'crusie': ['cruise', 'crusie'], 'crust': ['crust', 'curst'], 'crustate': ['crustate', 'scrutate'], 'crustation': ['crustation', 'scrutation'], 'crustily': ['crustily', 'rusticly'], 'crustiness': ['crustiness', 'rusticness'], 'crusty': ['crusty', 'curtsy'], 'cruth': ['cruth', 'rutch'], 'cryosel': ['cryosel', 'scroyle'], 'cryptodire': ['cryptodire', 'predictory'], 'cryptomeria': ['cryptomeria', 'imprecatory'], 'cryptostomate': ['cryptostomate', 'prostatectomy'], 'ctenidial': ['ctenidial', 'identical'], 'ctenoid': ['condite', 'ctenoid'], 'ctenolium': ['ctenolium', 'monticule'], 'ctenophore': ['ctenophore', 'nectophore'], 'ctetology': ['ctetology', 'tectology'], 'cuailnge': ['cuailnge', 'glaucine'], 'cuarteron': ['cuarteron', 'raconteur'], 'cubanite': ['cubanite', 'incubate'], 'cuber': ['bruce', 'cebur', 'cuber'], 'cubist': ['bustic', 'cubist'], 'cubit': ['butic', 'cubit'], 'cubitale': ['baculite', 'cubitale'], 'cuboidal': ['baculoid', 'cuboidal'], 'cuchan': ['caunch', 'cuchan'], 'cueball': ['bullace', 'cueball'], 'cueman': ['acumen', 'cueman'], 'cuir': ['cuir', 'uric'], 'culebra': ['culebra', 'curable'], 'culet': ['culet', 'lucet'], 'culinary': ['culinary', 'uranylic'], 'culmy': ['culmy', 'cumyl'], 'culpose': ['culpose', 'ploceus', 'upclose'], 'cultch': ['clutch', 'cultch'], 'cultivar': ['cultivar', 'curvital'], 'culturine': ['culturine', 'inculture'], 'cumaean': ['cumaean', 'encauma'], 'cumar': ['carum', 'cumar'], 'cumber': ['cumber', 'cumbre'], 'cumberer': ['cerebrum', 'cumberer'], 'cumbraite': ['bacterium', 'cumbraite'], 'cumbre': ['cumber', 'cumbre'], 'cumic': ['cumic', 'mucic'], 'cumin': ['cumin', 'mucin'], 'cumol': ['cumol', 'locum'], 'cumulite': ['cumulite', 'lutecium'], 'cumyl': ['culmy', 'cumyl'], 'cuna': ['cuna', 'unca'], 'cunan': ['canun', 'cunan'], 'cuneal': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'cuneator': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cunila': ['cunila', 'lucian', 'lucina', 'uncial'], 'cuon': ['cuon', 'unco'], 'cuorin': ['cuorin', 'uronic'], 'cupid': ['cupid', 'pudic'], 'cupidity': ['cupidity', 'pudicity'], 'cupidone': ['cupidone', 'uncopied'], 'cupola': ['copula', 'cupola'], 'cupolar': ['copular', 'croupal', 'cupolar', 'porcula'], 'cupreous': ['cupreous', 'upcourse'], 'cuprite': ['cuprite', 'picture'], 'curable': ['culebra', 'curable'], 'curate': ['acture', 'cauter', 'curate'], 'curateship': ['curateship', 'pasticheur'], 'curation': ['curation', 'nocturia'], 'curatory': ['curatory', 'outcarry'], 'curcas': ['crusca', 'curcas'], 'curdle': ['curdle', 'curled'], 'curdwort': ['crudwort', 'curdwort'], 'cure': ['cure', 'ecru', 'eruc'], 'curer': ['curer', 'recur'], 'curial': ['curial', 'lauric', 'uracil', 'uralic'], 'curialist': ['curialist', 'rusticial'], 'curie': ['curie', 'ureic'], 'curin': ['curin', 'incur', 'runic'], 'curine': ['curine', 'erucin', 'neuric'], 'curiosa': ['carious', 'curiosa'], 'curite': ['curite', 'teucri', 'uretic'], 'curled': ['curdle', 'curled'], 'curler': ['curler', 'recurl'], 'cursa': ['cursa', 'scaur'], 'cursal': ['cursal', 'sulcar'], 'curse': ['cruse', 'curse', 'sucre'], 'cursed': ['cedrus', 'cursed'], 'curst': ['crust', 'curst'], 'cursus': ['cursus', 'ruscus'], 'curtail': ['curtail', 'trucial'], 'curtailer': ['curtailer', 'recruital', 'reticular'], 'curtain': ['curtain', 'turacin', 'turcian'], 'curtation': ['anticourt', 'curtation', 'ructation'], 'curtilage': ['curtilage', 'cutigeral', 'graticule'], 'curtis': ['citrus', 'curtis', 'rictus', 'rustic'], 'curtise': ['curtise', 'icterus'], 'curtsy': ['crusty', 'curtsy'], 'curvital': ['cultivar', 'curvital'], 'cush': ['cush', 'such'], 'cushionless': ['cushionless', 'slouchiness'], 'cusinero': ['coinsure', 'corineus', 'cusinero'], 'cusk': ['cusk', 'suck'], 'cusp': ['cusp', 'scup'], 'cuspal': ['cuspal', 'placus'], 'custom': ['custom', 'muscot'], 'customer': ['costumer', 'customer'], 'cutheal': ['auchlet', 'cutheal', 'taluche'], 'cutigeral': ['curtilage', 'cutigeral', 'graticule'], 'cutin': ['cutin', 'incut', 'tunic'], 'cutis': ['cutis', 'ictus'], 'cutler': ['cutler', 'reluct'], 'cutleress': ['cutleress', 'lecturess', 'truceless'], 'cutleria': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'cutlery': ['cruelty', 'cutlery'], 'cutlet': ['cutlet', 'cuttle'], 'cutoff': ['cutoff', 'offcut'], 'cutout': ['cutout', 'outcut'], 'cutover': ['cutover', 'overcut'], 'cuttle': ['cutlet', 'cuttle'], 'cuttler': ['clutter', 'cuttler'], 'cutup': ['cutup', 'upcut'], 'cuya': ['cuya', 'yuca'], 'cyamus': ['cyamus', 'muysca'], 'cyan': ['cany', 'cyan'], 'cyanidine': ['cyanidine', 'dicyanine'], 'cyanol': ['alcyon', 'cyanol'], 'cyanole': ['alcyone', 'cyanole'], 'cyanometric': ['craniectomy', 'cyanometric'], 'cyanophycin': ['cyanophycin', 'phycocyanin'], 'cyanuret': ['centaury', 'cyanuret'], 'cyath': ['cathy', 'cyath', 'yacht'], 'cyclamine': ['cyclamine', 'macilency'], 'cyclian': ['cyclian', 'cynical'], 'cyclide': ['cyclide', 'decylic', 'dicycle'], 'cyclism': ['clysmic', 'cyclism'], 'cyclotome': ['colectomy', 'cyclotome'], 'cydonian': ['anodynic', 'cydonian'], 'cylindrite': ['cylindrite', 'indirectly'], 'cylix': ['cylix', 'xylic'], 'cymation': ['cymation', 'myatonic', 'onymatic'], 'cymoid': ['cymoid', 'mycoid'], 'cymometer': ['cymometer', 'mecometry'], 'cymose': ['cymose', 'mycose'], 'cymule': ['cymule', 'lyceum'], 'cynara': ['canary', 'cynara'], 'cynaroid': ['cynaroid', 'dicaryon'], 'cynical': ['cyclian', 'cynical'], 'cynogale': ['acylogen', 'cynogale'], 'cynophilic': ['cynophilic', 'philocynic'], 'cynosural': ['consulary', 'cynosural'], 'cyphonism': ['cyphonism', 'symphonic'], 'cypre': ['crepy', 'cypre', 'percy'], 'cypria': ['cypria', 'picary', 'piracy'], 'cyprian': ['cyprian', 'cyprina'], 'cyprina': ['cyprian', 'cyprina'], 'cyprine': ['cyprine', 'pyrenic'], 'cypris': ['crispy', 'cypris'], 'cyrano': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'cyril': ['cyril', 'lyric'], 'cyrilla': ['cyrilla', 'lyrical'], 'cyrtopia': ['cyrtopia', 'poticary'], 'cyst': ['cyst', 'scyt'], 'cystidean': ['asyndetic', 'cystidean', 'syndicate'], 'cystitis': ['cystitis', 'scytitis'], 'cystoadenoma': ['adenocystoma', 'cystoadenoma'], 'cystofibroma': ['cystofibroma', 'fibrocystoma'], 'cystolith': ['cystolith', 'lithocyst'], 'cystomyxoma': ['cystomyxoma', 'myxocystoma'], 'cystonephrosis': ['cystonephrosis', 'nephrocystosis'], 'cystopyelitis': ['cystopyelitis', 'pyelocystitis'], 'cystotome': ['cystotome', 'cytostome', 'ostectomy'], 'cystourethritis': ['cystourethritis', 'urethrocystitis'], 'cytase': ['cytase', 'stacey'], 'cytherea': ['cheatery', 'cytherea', 'teachery'], 'cytherean': ['cytherean', 'enchytrae'], 'cytisine': ['cytisine', 'syenitic'], 'cytoblastemic': ['blastomycetic', 'cytoblastemic'], 'cytoblastemous': ['blastomycetous', 'cytoblastemous'], 'cytochrome': ['chromocyte', 'cytochrome'], 'cytoid': ['cytoid', 'docity'], 'cytomere': ['cytomere', 'merocyte'], 'cytophil': ['cytophil', 'phycitol'], 'cytosine': ['cenosity', 'cytosine'], 'cytosome': ['cytosome', 'otomyces'], 'cytost': ['cytost', 'scotty'], 'cytostome': ['cystotome', 'cytostome', 'ostectomy'], 'czarian': ['czarian', 'czarina'], 'czarina': ['czarian', 'czarina'], 'da': ['ad', 'da'], 'dab': ['bad', 'dab'], 'dabber': ['barbed', 'dabber'], 'dabbler': ['dabbler', 'drabble'], 'dabitis': ['dabitis', 'dibatis'], 'dablet': ['dablet', 'tabled'], 'dace': ['cade', 'dace', 'ecad'], 'dacelo': ['alcedo', 'dacelo'], 'dacian': ['acnida', 'anacid', 'dacian'], 'dacker': ['arcked', 'dacker'], 'dacryolith': ['dacryolith', 'hydrotical'], 'dacryon': ['candroy', 'dacryon'], 'dactylonomy': ['dactylonomy', 'monodactyly'], 'dactylopteridae': ['dactylopteridae', 'pterodactylidae'], 'dactylopterus': ['dactylopterus', 'pterodactylus'], 'dacus': ['cadus', 'dacus'], 'dad': ['add', 'dad'], 'dada': ['adad', 'adda', 'dada'], 'dadap': ['dadap', 'padda'], 'dade': ['dade', 'dead', 'edda'], 'dadu': ['addu', 'dadu', 'daud', 'duad'], 'dae': ['ade', 'dae'], 'daemon': ['daemon', 'damone', 'modena'], 'daemonic': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'daer': ['ared', 'daer', 'dare', 'dear', 'read'], 'dag': ['dag', 'gad'], 'dagaba': ['badaga', 'dagaba', 'gadaba'], 'dagame': ['dagame', 'damage'], 'dagbane': ['bandage', 'dagbane'], 'dagestan': ['dagestan', 'standage'], 'dagger': ['dagger', 'gadger', 'ragged'], 'daggers': ['daggers', 'seggard'], 'daggle': ['daggle', 'lagged'], 'dago': ['dago', 'goad'], 'dagomba': ['dagomba', 'gambado'], 'dags': ['dags', 'sgad'], 'dah': ['dah', 'dha', 'had'], 'daidle': ['daidle', 'laddie'], 'daikon': ['daikon', 'nodiak'], 'dail': ['dail', 'dali', 'dial', 'laid', 'lida'], 'daily': ['daily', 'lydia'], 'daimen': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'daimio': ['daimio', 'maioid'], 'daimon': ['amidon', 'daimon', 'domain'], 'dain': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'dairi': ['dairi', 'darii', 'radii'], 'dairy': ['dairy', 'diary', 'yaird'], 'dais': ['dais', 'dasi', 'disa', 'said', 'sida'], 'daisy': ['daisy', 'sayid'], 'daker': ['daker', 'drake', 'kedar', 'radek'], 'dal': ['dal', 'lad'], 'dale': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dalea': ['adela', 'dalea'], 'dalecarlian': ['calendarial', 'dalecarlian'], 'daleman': ['daleman', 'lademan', 'leadman'], 'daler': ['alder', 'daler', 'lader'], 'dalesman': ['dalesman', 'leadsman'], 'dali': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dalle': ['dalle', 'della', 'ladle'], 'dallying': ['dallying', 'ladyling'], 'dalt': ['dalt', 'tald'], 'dalteen': ['dalteen', 'dentale', 'edental'], 'dam': ['dam', 'mad'], 'dama': ['adam', 'dama'], 'damage': ['dagame', 'damage'], 'daman': ['adman', 'daman', 'namda'], 'damara': ['armada', 'damara', 'ramada'], 'dame': ['dame', 'made', 'mead'], 'damewort': ['damewort', 'wardmote'], 'damia': ['amadi', 'damia', 'madia', 'maida'], 'damie': ['amide', 'damie', 'media'], 'damier': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'damine': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'dammer': ['dammer', 'dramme'], 'dammish': ['dammish', 'mahdism'], 'damn': ['damn', 'mand'], 'damnation': ['damnation', 'mandation'], 'damnatory': ['damnatory', 'mandatory'], 'damned': ['damned', 'demand', 'madden'], 'damner': ['damner', 'manred', 'randem', 'remand'], 'damnii': ['amidin', 'damnii'], 'damnous': ['damnous', 'osmunda'], 'damon': ['damon', 'monad', 'nomad'], 'damone': ['daemon', 'damone', 'modena'], 'damonico': ['damonico', 'monoacid'], 'dampen': ['dampen', 'madnep'], 'damper': ['damper', 'ramped'], 'dampish': ['dampish', 'madship', 'phasmid'], 'dan': ['and', 'dan'], 'dana': ['anda', 'dana'], 'danaan': ['ananda', 'danaan'], 'danai': ['danai', 'diana', 'naiad'], 'danainae': ['anadenia', 'danainae'], 'danakil': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danalite': ['danalite', 'detainal'], 'dancalite': ['cadential', 'dancalite'], 'dance': ['dance', 'decan'], 'dancer': ['cedarn', 'dancer', 'nacred'], 'dancery': ['ardency', 'dancery'], 'dander': ['dander', 'darned', 'nadder'], 'dandle': ['dandle', 'landed'], 'dandler': ['dandler', 'dendral'], 'dane': ['ande', 'dane', 'dean', 'edna'], 'danewort': ['danewort', 'teardown'], 'danger': ['danger', 'gander', 'garden', 'ranged'], 'dangerful': ['dangerful', 'gardenful'], 'dangerless': ['dangerless', 'gardenless'], 'dangle': ['angled', 'dangle', 'englad', 'lagend'], 'dangler': ['dangler', 'gnarled'], 'danglin': ['danglin', 'landing'], 'dani': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'danian': ['andian', 'danian', 'nidana'], 'danic': ['canid', 'cnida', 'danic'], 'daniel': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'daniele': ['adeline', 'daniele', 'delaine'], 'danielic': ['alcidine', 'danielic', 'lecaniid'], 'danio': ['adion', 'danio', 'doina', 'donia'], 'danish': ['danish', 'sandhi'], 'danism': ['danism', 'disman'], 'danite': ['danite', 'detain'], 'dankali': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danli': ['danli', 'ladin', 'linda', 'nidal'], 'dannie': ['aidenn', 'andine', 'dannie', 'indane'], 'danseuse': ['danseuse', 'sudanese'], 'dantean': ['andante', 'dantean'], 'dantist': ['dantist', 'distant'], 'danuri': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dao': ['ado', 'dao', 'oda'], 'daoine': ['daoine', 'oneida'], 'dap': ['dap', 'pad'], 'daphnis': ['daphnis', 'dishpan'], 'dapicho': ['dapicho', 'phacoid'], 'dapple': ['dapple', 'lapped', 'palped'], 'dar': ['dar', 'rad'], 'daraf': ['daraf', 'farad'], 'darby': ['bardy', 'darby'], 'darci': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dare': ['ared', 'daer', 'dare', 'dear', 'read'], 'dareall': ['ardella', 'dareall'], 'daren': ['andre', 'arend', 'daren', 'redan'], 'darer': ['darer', 'drear'], 'darg': ['darg', 'drag', 'grad'], 'darger': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'dargo': ['dargo', 'dogra', 'drago'], 'dargsman': ['dargsman', 'dragsman'], 'dari': ['arid', 'dari', 'raid'], 'daric': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'darien': ['darien', 'draine'], 'darii': ['dairi', 'darii', 'radii'], 'darin': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'daring': ['daring', 'dingar', 'gradin'], 'darius': ['darius', 'radius'], 'darken': ['darken', 'kanred', 'ranked'], 'darkener': ['darkener', 'redarken'], 'darn': ['darn', 'nard', 'rand'], 'darned': ['dander', 'darned', 'nadder'], 'darnel': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'darner': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darning': ['darning', 'randing'], 'darrein': ['darrein', 'drainer'], 'darren': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darshana': ['darshana', 'shardana'], 'darst': ['darst', 'darts', 'strad'], 'dart': ['dart', 'drat'], 'darter': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'darting': ['darting', 'trading'], 'dartle': ['dartle', 'tardle'], 'dartoic': ['arctoid', 'carotid', 'dartoic'], 'dartre': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'dartrose': ['dartrose', 'roadster'], 'darts': ['darst', 'darts', 'strad'], 'daryl': ['daryl', 'lardy', 'lyard'], 'das': ['das', 'sad'], 'dash': ['dash', 'sadh', 'shad'], 'dashed': ['dashed', 'shaded'], 'dasheen': ['dasheen', 'enshade'], 'dasher': ['dasher', 'shader', 'sheard'], 'dashing': ['dashing', 'shading'], 'dashnak': ['dashnak', 'shadkan'], 'dashy': ['dashy', 'shady'], 'dasi': ['dais', 'dasi', 'disa', 'said', 'sida'], 'dasnt': ['dasnt', 'stand'], 'dasturi': ['dasturi', 'rudista'], 'dasya': ['adays', 'dasya'], 'dasyurine': ['dasyurine', 'dysneuria'], 'data': ['adat', 'data'], 'datable': ['albetad', 'datable'], 'dataria': ['dataria', 'radiata'], 'date': ['adet', 'date', 'tade', 'tead', 'teda'], 'dateless': ['dateless', 'detassel'], 'dater': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'datil': ['datil', 'dital', 'tidal', 'tilda'], 'datism': ['amidst', 'datism'], 'daub': ['baud', 'buda', 'daub'], 'dauber': ['dauber', 'redaub'], 'daubster': ['daubster', 'subtread'], 'daud': ['addu', 'dadu', 'daud', 'duad'], 'daunch': ['chandu', 'daunch'], 'daunter': ['daunter', 'unarted', 'unrated', 'untread'], 'dauntless': ['adultness', 'dauntless'], 'daur': ['ardu', 'daur', 'dura'], 'dave': ['dave', 'deva', 'vade', 'veda'], 'daven': ['daven', 'vaned'], 'davy': ['davy', 'vady'], 'daw': ['awd', 'daw', 'wad'], 'dawdler': ['dawdler', 'waddler'], 'dawdling': ['dawdling', 'waddling'], 'dawdlingly': ['dawdlingly', 'waddlingly'], 'dawdy': ['dawdy', 'waddy'], 'dawn': ['dawn', 'wand'], 'dawnlike': ['dawnlike', 'wandlike'], 'dawny': ['dawny', 'wandy'], 'day': ['ady', 'day', 'yad'], 'dayal': ['adlay', 'dayal'], 'dayfly': ['dayfly', 'ladyfy'], 'days': ['days', 'dyas'], 'daysman': ['daysman', 'mandyas'], 'daytime': ['daytime', 'maytide'], 'daywork': ['daywork', 'workday'], 'daze': ['adze', 'daze'], 'de': ['de', 'ed'], 'deacon': ['acnode', 'deacon'], 'deaconship': ['deaconship', 'endophasic'], 'dead': ['dade', 'dead', 'edda'], 'deadborn': ['deadborn', 'endboard'], 'deadener': ['deadener', 'endeared'], 'deadlock': ['deadlock', 'deckload'], 'deaf': ['deaf', 'fade'], 'deair': ['aider', 'deair', 'irade', 'redia'], 'deal': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dealable': ['dealable', 'leadable'], 'dealation': ['atloidean', 'dealation'], 'dealer': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'dealership': ['dealership', 'leadership'], 'dealing': ['adeling', 'dealing', 'leading'], 'dealt': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deaminase': ['deaminase', 'mesadenia'], 'dean': ['ande', 'dane', 'dean', 'edna'], 'deaner': ['deaner', 'endear'], 'deaness': ['deaness', 'edessan'], 'deaquation': ['adequation', 'deaquation'], 'dear': ['ared', 'daer', 'dare', 'dear', 'read'], 'dearie': ['aeried', 'dearie'], 'dearth': ['dearth', 'hatred', 'rathed', 'thread'], 'deary': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'deash': ['deash', 'hades', 'sadhe', 'shade'], 'deasil': ['aisled', 'deasil', 'ladies', 'sailed'], 'deave': ['deave', 'eaved', 'evade'], 'deb': ['bed', 'deb'], 'debacle': ['belaced', 'debacle'], 'debar': ['ardeb', 'beard', 'bread', 'debar'], 'debark': ['bedark', 'debark'], 'debaser': ['debaser', 'sabered'], 'debater': ['betread', 'debater'], 'deben': ['beden', 'deben', 'deneb'], 'debi': ['beid', 'bide', 'debi', 'dieb'], 'debile': ['debile', 'edible'], 'debit': ['bidet', 'debit'], 'debosh': ['beshod', 'debosh'], 'debrief': ['debrief', 'defiber', 'fibered'], 'debutant': ['debutant', 'unbatted'], 'debutante': ['debutante', 'unabetted'], 'decachord': ['decachord', 'dodecarch'], 'decadic': ['caddice', 'decadic'], 'decal': ['clead', 'decal', 'laced'], 'decalin': ['cladine', 'decalin', 'iceland'], 'decaliter': ['decaliter', 'decalitre'], 'decalitre': ['decaliter', 'decalitre'], 'decameter': ['decameter', 'decametre'], 'decametre': ['decameter', 'decametre'], 'decan': ['dance', 'decan'], 'decanal': ['candela', 'decanal'], 'decani': ['decani', 'decian'], 'decant': ['cadent', 'canted', 'decant'], 'decantate': ['catenated', 'decantate'], 'decanter': ['crenated', 'decanter', 'nectared'], 'decantherous': ['countershade', 'decantherous'], 'decap': ['caped', 'decap', 'paced'], 'decart': ['cedrat', 'decart', 'redact'], 'decastere': ['decastere', 'desecrate'], 'decator': ['cordate', 'decator', 'redcoat'], 'decay': ['acedy', 'decay'], 'deceiver': ['deceiver', 'received'], 'decennia': ['cadinene', 'decennia', 'enneadic'], 'decennial': ['celandine', 'decennial'], 'decent': ['cedent', 'decent'], 'decenter': ['centered', 'decenter', 'decentre', 'recedent'], 'decentre': ['centered', 'decenter', 'decentre', 'recedent'], 'decern': ['cendre', 'decern'], 'decian': ['decani', 'decian'], 'deciatine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'decider': ['decider', 'decried'], 'decillion': ['celloidin', 'collidine', 'decillion'], 'decima': ['amiced', 'decima'], 'decimal': ['camelid', 'decimal', 'declaim', 'medical'], 'decimally': ['decimally', 'medically'], 'decimate': ['decimate', 'medicate'], 'decimation': ['decimation', 'medication'], 'decimator': ['decimator', 'medicator', 'mordicate'], 'decimestrial': ['decimestrial', 'sedimetrical'], 'decimosexto': ['decimosexto', 'sextodecimo'], 'deckel': ['deckel', 'deckle'], 'decker': ['decker', 'redeck'], 'deckle': ['deckel', 'deckle'], 'deckload': ['deadlock', 'deckload'], 'declaim': ['camelid', 'decimal', 'declaim', 'medical'], 'declaimer': ['declaimer', 'demiracle'], 'declaration': ['declaration', 'redactional'], 'declare': ['cedrela', 'creedal', 'declare'], 'declass': ['classed', 'declass'], 'declinate': ['declinate', 'encitadel'], 'declinatory': ['adrenolytic', 'declinatory'], 'decoat': ['coated', 'decoat'], 'decollate': ['decollate', 'ocellated'], 'decollator': ['corollated', 'decollator'], 'decolor': ['colored', 'croodle', 'decolor'], 'decompress': ['compressed', 'decompress'], 'deconsider': ['considered', 'deconsider'], 'decorate': ['decorate', 'ocreated'], 'decoration': ['carotenoid', 'coronadite', 'decoration'], 'decorist': ['decorist', 'sectroid'], 'decream': ['decream', 'racemed'], 'decree': ['decree', 'recede'], 'decreer': ['decreer', 'receder'], 'decreet': ['decreet', 'decrete'], 'decrepit': ['decrepit', 'depicter', 'precited'], 'decrete': ['decreet', 'decrete'], 'decretist': ['decretist', 'trisected'], 'decrial': ['decrial', 'radicel', 'radicle'], 'decried': ['decider', 'decried'], 'decrown': ['crowned', 'decrown'], 'decry': ['cedry', 'decry'], 'decurionate': ['counteridea', 'decurionate'], 'decurrency': ['decurrency', 'recrudency'], 'decursion': ['cinderous', 'decursion'], 'decus': ['decus', 'duces'], 'decyl': ['clyde', 'decyl'], 'decylic': ['cyclide', 'decylic', 'dicycle'], 'dedan': ['dedan', 'denda'], 'dedicant': ['addicent', 'dedicant'], 'dedo': ['dedo', 'dode', 'eddo'], 'deduce': ['deduce', 'deuced'], 'deduct': ['deduct', 'ducted'], 'deem': ['deem', 'deme', 'mede', 'meed'], 'deemer': ['deemer', 'meered', 'redeem', 'remede'], 'deep': ['deep', 'peed'], 'deer': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deerhair': ['deerhair', 'dehairer'], 'deerhorn': ['deerhorn', 'dehorner'], 'deerwood': ['deerwood', 'doorweed'], 'defat': ['defat', 'fated'], 'defaulter': ['defaulter', 'redefault'], 'defeater': ['defeater', 'federate', 'redefeat'], 'defensor': ['defensor', 'foresend'], 'defer': ['defer', 'freed'], 'defial': ['afield', 'defial'], 'defiber': ['debrief', 'defiber', 'fibered'], 'defile': ['defile', 'fidele'], 'defiled': ['defiled', 'fielded'], 'defiler': ['defiler', 'fielder'], 'definable': ['beanfield', 'definable'], 'define': ['define', 'infeed'], 'definer': ['definer', 'refined'], 'deflect': ['clefted', 'deflect'], 'deflesh': ['deflesh', 'fleshed'], 'deflex': ['deflex', 'flexed'], 'deflower': ['deflower', 'flowered'], 'defluent': ['defluent', 'unfelted'], 'defog': ['defog', 'fodge'], 'deforciant': ['deforciant', 'fornicated'], 'deforest': ['deforest', 'forested'], 'deform': ['deform', 'formed'], 'deformer': ['deformer', 'reformed'], 'defray': ['defray', 'frayed'], 'defrost': ['defrost', 'frosted'], 'deg': ['deg', 'ged'], 'degarnish': ['degarnish', 'garnished'], 'degasser': ['degasser', 'dressage'], 'degelation': ['degelation', 'delegation'], 'degrain': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'degu': ['degu', 'gude'], 'dehair': ['dehair', 'haired'], 'dehairer': ['deerhair', 'dehairer'], 'dehorn': ['dehorn', 'horned'], 'dehorner': ['deerhorn', 'dehorner'], 'dehors': ['dehors', 'rhodes', 'shoder', 'shored'], 'dehortation': ['dehortation', 'theriodonta'], 'dehusk': ['dehusk', 'husked'], 'deicer': ['ceride', 'deicer'], 'deictical': ['deictical', 'dialectic'], 'deification': ['deification', 'edification'], 'deificatory': ['deificatory', 'edificatory'], 'deifier': ['deifier', 'edifier'], 'deify': ['deify', 'edify'], 'deign': ['deign', 'dinge', 'nidge'], 'deino': ['deino', 'dione', 'edoni'], 'deinocephalia': ['deinocephalia', 'palaeechinoid'], 'deinos': ['deinos', 'donsie', 'inodes', 'onside'], 'deipara': ['deipara', 'paridae'], 'deirdre': ['deirdre', 'derider', 'derride', 'ridered'], 'deism': ['deism', 'disme'], 'deist': ['deist', 'steid'], 'deistic': ['deistic', 'dietics'], 'deistically': ['deistically', 'dialystelic'], 'deity': ['deity', 'tydie'], 'deityship': ['deityship', 'diphysite'], 'del': ['del', 'eld', 'led'], 'delaine': ['adeline', 'daniele', 'delaine'], 'delaminate': ['antemedial', 'delaminate'], 'delapse': ['delapse', 'sepaled'], 'delate': ['delate', 'elated'], 'delater': ['delater', 'related', 'treadle'], 'delator': ['delator', 'leotard'], 'delawn': ['delawn', 'lawned', 'wandle'], 'delay': ['delay', 'leady'], 'delayer': ['delayer', 'layered', 'redelay'], 'delayful': ['delayful', 'feudally'], 'dele': ['dele', 'lede', 'leed'], 'delead': ['delead', 'leaded'], 'delegation': ['degelation', 'delegation'], 'delegatory': ['delegatory', 'derogately'], 'delete': ['delete', 'teedle'], 'delf': ['delf', 'fled'], 'delhi': ['delhi', 'hield'], 'delia': ['adiel', 'delia', 'ideal'], 'delian': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'delible': ['bellied', 'delible'], 'delicateness': ['delicateness', 'delicatessen'], 'delicatessen': ['delicateness', 'delicatessen'], 'delichon': ['chelidon', 'chelonid', 'delichon'], 'delict': ['delict', 'deltic'], 'deligation': ['deligation', 'gadolinite', 'gelatinoid'], 'delignate': ['delignate', 'gelatined'], 'delimit': ['delimit', 'limited'], 'delimitation': ['delimitation', 'mniotiltidae'], 'delineator': ['delineator', 'rondeletia'], 'delint': ['delint', 'dentil'], 'delirament': ['delirament', 'derailment'], 'deliriant': ['deliriant', 'draintile', 'interlaid'], 'deliver': ['deliver', 'deviler', 'livered'], 'deliverer': ['deliverer', 'redeliver'], 'della': ['dalle', 'della', 'ladle'], 'deloul': ['deloul', 'duello'], 'delphinius': ['delphinius', 'sulphinide'], 'delta': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deltaic': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'deltic': ['delict', 'deltic'], 'deluding': ['deluding', 'ungilded'], 'delusion': ['delusion', 'unsoiled'], 'delusionist': ['delusionist', 'indissolute'], 'deluster': ['deluster', 'ulstered'], 'demal': ['demal', 'medal'], 'demand': ['damned', 'demand', 'madden'], 'demander': ['demander', 'redemand'], 'demanding': ['demanding', 'maddening'], 'demandingly': ['demandingly', 'maddeningly'], 'demantoid': ['demantoid', 'dominated'], 'demarcate': ['camerated', 'demarcate'], 'demarcation': ['demarcation', 'democratian'], 'demark': ['demark', 'marked'], 'demast': ['demast', 'masted'], 'deme': ['deem', 'deme', 'mede', 'meed'], 'demean': ['amende', 'demean', 'meaned', 'nadeem'], 'demeanor': ['demeanor', 'enamored'], 'dementia': ['dementia', 'mendaite'], 'demerit': ['demerit', 'dimeter', 'merited', 'mitered'], 'demerol': ['demerol', 'modeler', 'remodel'], 'demetrian': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'demi': ['demi', 'diem', 'dime', 'mide'], 'demibrute': ['bermudite', 'demibrute'], 'demicannon': ['cinnamoned', 'demicannon'], 'demicanon': ['demicanon', 'dominance'], 'demidog': ['demidog', 'demigod'], 'demigod': ['demidog', 'demigod'], 'demiluster': ['demiluster', 'demilustre'], 'demilustre': ['demiluster', 'demilustre'], 'demiparallel': ['demiparallel', 'imparalleled'], 'demipronation': ['demipronation', 'preadmonition', 'predomination'], 'demiracle': ['declaimer', 'demiracle'], 'demiram': ['demiram', 'mermaid'], 'demirep': ['demirep', 'epiderm', 'impeder', 'remiped'], 'demirobe': ['demirobe', 'embodier'], 'demisable': ['beadleism', 'demisable'], 'demise': ['demise', 'diseme'], 'demit': ['demit', 'timed'], 'demiturned': ['demiturned', 'undertimed'], 'demob': ['demob', 'mobed'], 'democratian': ['demarcation', 'democratian'], 'demolisher': ['demolisher', 'redemolish'], 'demoniac': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'demoniacism': ['demoniacism', 'seminomadic'], 'demonial': ['demonial', 'melanoid'], 'demoniast': ['ademonist', 'demoniast', 'staminode'], 'demonish': ['demonish', 'hedonism'], 'demonism': ['demonism', 'medimnos', 'misnomed'], 'demotics': ['comedist', 'demotics', 'docetism', 'domestic'], 'demotion': ['demotion', 'entomoid', 'moontide'], 'demount': ['demount', 'mounted'], 'demurrer': ['demurrer', 'murderer'], 'demurring': ['demurring', 'murdering'], 'demurringly': ['demurringly', 'murderingly'], 'demy': ['demy', 'emyd'], 'den': ['den', 'end', 'ned'], 'denarius': ['denarius', 'desaurin', 'unraised'], 'denaro': ['denaro', 'orenda'], 'denary': ['denary', 'yander'], 'denat': ['denat', 'entad'], 'denature': ['denature', 'undereat'], 'denda': ['dedan', 'denda'], 'dendral': ['dandler', 'dendral'], 'dendrite': ['dendrite', 'tindered'], 'dendrites': ['dendrites', 'distender', 'redistend'], 'dene': ['dene', 'eden', 'need'], 'deneb': ['beden', 'deben', 'deneb'], 'dengue': ['dengue', 'unedge'], 'denial': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'denier': ['denier', 'nereid'], 'denierer': ['denierer', 'reindeer'], 'denigrate': ['argentide', 'denigrate', 'dinergate'], 'denim': ['denim', 'mendi'], 'denis': ['denis', 'snide'], 'denominate': ['denominate', 'emendation'], 'denotable': ['denotable', 'detonable'], 'denotation': ['denotation', 'detonation'], 'denotative': ['denotative', 'detonative'], 'denotive': ['denotive', 'devonite'], 'denouncer': ['denouncer', 'unencored'], 'dense': ['dense', 'needs'], 'denshare': ['denshare', 'seerhand'], 'denshire': ['denshire', 'drisheen'], 'density': ['density', 'destiny'], 'dent': ['dent', 'tend'], 'dental': ['dental', 'tandle'], 'dentale': ['dalteen', 'dentale', 'edental'], 'dentalism': ['dentalism', 'dismantle'], 'dentaria': ['anteriad', 'atridean', 'dentaria'], 'dentatoserrate': ['dentatoserrate', 'serratodentate'], 'dentatosinuate': ['dentatosinuate', 'sinuatodentate'], 'denter': ['denter', 'rented', 'tender'], 'dentex': ['dentex', 'extend'], 'denticle': ['cliented', 'denticle'], 'denticular': ['denticular', 'unarticled'], 'dentil': ['delint', 'dentil'], 'dentilingual': ['dentilingual', 'indulgential', 'linguidental'], 'dentin': ['dentin', 'indent', 'intend', 'tinned'], 'dentinal': ['dentinal', 'teinland', 'tendinal'], 'dentine': ['dentine', 'nineted'], 'dentinitis': ['dentinitis', 'tendinitis'], 'dentinoma': ['dentinoma', 'nominated'], 'dentist': ['dentist', 'distent', 'stinted'], 'dentolabial': ['dentolabial', 'labiodental'], 'dentolingual': ['dentolingual', 'linguodental'], 'denture': ['denture', 'untreed'], 'denudative': ['denudative', 'undeviated'], 'denude': ['denude', 'dudeen'], 'denumeral': ['denumeral', 'undermeal', 'unrealmed'], 'denunciator': ['denunciator', 'underaction'], 'deny': ['deny', 'dyne'], 'deoppilant': ['deoppilant', 'pentaploid'], 'deota': ['deota', 'todea'], 'depa': ['depa', 'peda'], 'depaint': ['depaint', 'inadept', 'painted', 'patined'], 'depart': ['depart', 'parted', 'petard'], 'departition': ['departition', 'partitioned', 'trepidation'], 'departure': ['apertured', 'departure'], 'depas': ['depas', 'sepad', 'spade'], 'depencil': ['depencil', 'penciled', 'pendicle'], 'depender': ['depender', 'redepend'], 'depetticoat': ['depetticoat', 'petticoated'], 'depicter': ['decrepit', 'depicter', 'precited'], 'depiction': ['depiction', 'pectinoid'], 'depilate': ['depilate', 'leptidae', 'pileated'], 'depletion': ['depletion', 'diplotene'], 'deploration': ['deploration', 'periodontal'], 'deploy': ['deploy', 'podley'], 'depoh': ['depoh', 'ephod', 'hoped'], 'depolish': ['depolish', 'polished'], 'deport': ['deport', 'ported', 'redtop'], 'deportation': ['antitorpedo', 'deportation'], 'deposal': ['adelops', 'deposal'], 'deposer': ['deposer', 'reposed'], 'deposit': ['deposit', 'topside'], 'deposition': ['deposition', 'positioned'], 'depositional': ['depositional', 'despoliation'], 'depositure': ['depositure', 'pterideous'], 'deprave': ['deprave', 'pervade'], 'depraver': ['depraver', 'pervader'], 'depravingly': ['depravingly', 'pervadingly'], 'deprecable': ['deprecable', 'precedable'], 'deprecation': ['capernoited', 'deprecation'], 'depreciation': ['depreciation', 'predeication'], 'depressant': ['depressant', 'partedness'], 'deprint': ['deprint', 'printed'], 'deprival': ['deprival', 'prevalid'], 'deprivate': ['deprivate', 'predative'], 'deprive': ['deprive', 'previde'], 'depriver': ['depriver', 'predrive'], 'depurant': ['depurant', 'unparted'], 'depuration': ['depuration', 'portunidae'], 'deraign': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derail': ['ariled', 'derail', 'dialer'], 'derailment': ['delirament', 'derailment'], 'derange': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'deranged': ['deranged', 'gardened'], 'deranger': ['deranger', 'gardener'], 'derat': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'derate': ['derate', 'redate'], 'derater': ['derater', 'retrade', 'retread', 'treader'], 'deray': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'dere': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deregister': ['deregister', 'registered'], 'derelict': ['derelict', 'relicted'], 'deric': ['cider', 'cried', 'deric', 'dicer'], 'derider': ['deirdre', 'derider', 'derride', 'ridered'], 'deringa': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derision': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'derivation': ['derivation', 'ordinative'], 'derivational': ['derivational', 'revalidation'], 'derive': ['derive', 'redive'], 'deriver': ['deriver', 'redrive', 'rivered'], 'derma': ['armed', 'derma', 'dream', 'ramed'], 'dermad': ['dermad', 'madder'], 'dermal': ['dermal', 'marled', 'medlar'], 'dermatic': ['dermatic', 'timecard'], 'dermatine': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'dermatoneurosis': ['dermatoneurosis', 'neurodermatosis'], 'dermatophone': ['dermatophone', 'herpetomonad'], 'dermoblast': ['blastoderm', 'dermoblast'], 'dermol': ['dermol', 'molder', 'remold'], 'dermosclerite': ['dermosclerite', 'sclerodermite'], 'dern': ['dern', 'rend'], 'derogately': ['delegatory', 'derogately'], 'derogation': ['derogation', 'trogonidae'], 'derout': ['derout', 'detour', 'douter'], 'derride': ['deirdre', 'derider', 'derride', 'ridered'], 'derries': ['derries', 'desirer', 'resider', 'serried'], 'derringer': ['derringer', 'regrinder'], 'derry': ['derry', 'redry', 'ryder'], 'derust': ['derust', 'duster'], 'desalt': ['desalt', 'salted'], 'desand': ['desand', 'sadden', 'sanded'], 'desaurin': ['denarius', 'desaurin', 'unraised'], 'descendant': ['adscendent', 'descendant'], 'descender': ['descender', 'redescend'], 'descent': ['descent', 'scented'], 'description': ['description', 'discerption'], 'desecrate': ['decastere', 'desecrate'], 'desecration': ['considerate', 'desecration'], 'deseed': ['deseed', 'seeded'], 'desertic': ['creedist', 'desertic', 'discreet', 'discrete'], 'desertion': ['desertion', 'detersion'], 'deserver': ['deserver', 'reserved', 'reversed'], 'desex': ['desex', 'sexed'], 'deshabille': ['deshabille', 'shieldable'], 'desi': ['desi', 'ides', 'seid', 'side'], 'desiccation': ['desiccation', 'discoactine'], 'desight': ['desight', 'sighted'], 'design': ['design', 'singed'], 'designer': ['designer', 'redesign', 'resigned'], 'desilver': ['desilver', 'silvered'], 'desirable': ['desirable', 'redisable'], 'desire': ['desire', 'reside'], 'desirer': ['derries', 'desirer', 'resider', 'serried'], 'desirous': ['desirous', 'siderous'], 'desition': ['desition', 'sedition'], 'desma': ['desma', 'mesad'], 'desman': ['amends', 'desman'], 'desmopathy': ['desmopathy', 'phymatodes'], 'desorption': ['desorption', 'priodontes'], 'despair': ['despair', 'pardesi'], 'despairing': ['despairing', 'spinigrade'], 'desperation': ['desperation', 'esperantido'], 'despise': ['despise', 'pedesis'], 'despiser': ['despiser', 'disperse'], 'despoil': ['despoil', 'soliped', 'spoiled'], 'despoiler': ['despoiler', 'leprosied'], 'despoliation': ['depositional', 'despoliation'], 'despot': ['despot', 'posted'], 'despotat': ['despotat', 'postdate'], 'dessert': ['dessert', 'tressed'], 'destain': ['destain', 'instead', 'sainted', 'satined'], 'destine': ['destine', 'edestin'], 'destinism': ['destinism', 'timidness'], 'destiny': ['density', 'destiny'], 'desugar': ['desugar', 'sugared'], 'detail': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'detailer': ['detailer', 'elaterid'], 'detain': ['danite', 'detain'], 'detainal': ['danalite', 'detainal'], 'detar': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'detassel': ['dateless', 'detassel'], 'detax': ['detax', 'taxed'], 'detecter': ['detecter', 'redetect'], 'detent': ['detent', 'netted', 'tented'], 'deter': ['deter', 'treed'], 'determinant': ['determinant', 'detrainment'], 'detersion': ['desertion', 'detersion'], 'detest': ['detest', 'tested'], 'dethrone': ['dethrone', 'threnode'], 'detin': ['detin', 'teind', 'tined'], 'detinet': ['detinet', 'dinette'], 'detonable': ['denotable', 'detonable'], 'detonation': ['denotation', 'detonation'], 'detonative': ['denotative', 'detonative'], 'detonator': ['detonator', 'tetraodon'], 'detour': ['derout', 'detour', 'douter'], 'detracter': ['detracter', 'retracted'], 'detraction': ['detraction', 'doctrinate', 'tetarconid'], 'detrain': ['antired', 'detrain', 'randite', 'trained'], 'detrainment': ['determinant', 'detrainment'], 'detrusion': ['detrusion', 'tinderous', 'unstoried'], 'detrusive': ['detrusive', 'divesture', 'servitude'], 'deuce': ['deuce', 'educe'], 'deuced': ['deduce', 'deuced'], 'deul': ['deul', 'duel', 'leud'], 'deva': ['dave', 'deva', 'vade', 'veda'], 'devance': ['devance', 'vendace'], 'develin': ['develin', 'endevil'], 'developer': ['developer', 'redevelop'], 'devil': ['devil', 'divel', 'lived'], 'deviler': ['deliver', 'deviler', 'livered'], 'devisceration': ['considerative', 'devisceration'], 'deviser': ['deviser', 'diverse', 'revised'], 'devitrify': ['devitrify', 'fervidity'], 'devoid': ['devoid', 'voided'], 'devoir': ['devoir', 'voider'], 'devonite': ['denotive', 'devonite'], 'devourer': ['devourer', 'overdure', 'overrude'], 'devow': ['devow', 'vowed'], 'dew': ['dew', 'wed'], 'dewan': ['awned', 'dewan', 'waned'], 'dewater': ['dewater', 'tarweed', 'watered'], 'dewer': ['dewer', 'ewder', 'rewed'], 'dewey': ['dewey', 'weedy'], 'dewily': ['dewily', 'widely', 'wieldy'], 'dewiness': ['dewiness', 'wideness'], 'dewool': ['dewool', 'elwood', 'wooled'], 'deworm': ['deworm', 'wormed'], 'dewy': ['dewy', 'wyde'], 'dextraural': ['dextraural', 'extradural'], 'dextrosinistral': ['dextrosinistral', 'sinistrodextral'], 'dey': ['dey', 'dye', 'yed'], 'deyhouse': ['deyhouse', 'dyehouse'], 'deyship': ['deyship', 'diphyes'], 'dezinc': ['dezinc', 'zendic'], 'dha': ['dah', 'dha', 'had'], 'dhamnoo': ['dhamnoo', 'hoodman', 'manhood'], 'dhan': ['dhan', 'hand'], 'dharna': ['andhra', 'dharna'], 'dheri': ['dheri', 'hider', 'hired'], 'dhobi': ['bodhi', 'dhobi'], 'dhoon': ['dhoon', 'hondo'], 'dhu': ['dhu', 'hud'], 'di': ['di', 'id'], 'diabolist': ['diabolist', 'idioblast'], 'diacetin': ['diacetin', 'indicate'], 'diacetine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'diacetyl': ['diacetyl', 'lyctidae'], 'diachoretic': ['citharoedic', 'diachoretic'], 'diaclase': ['diaclase', 'sidalcea'], 'diaconal': ['cladonia', 'condalia', 'diaconal'], 'diact': ['diact', 'dicta'], 'diadem': ['diadem', 'mediad'], 'diaderm': ['admired', 'diaderm'], 'diaeretic': ['diaeretic', 'icteridae'], 'diagenetic': ['diagenetic', 'digenetica'], 'diageotropism': ['diageotropism', 'geodiatropism'], 'diagonal': ['diagonal', 'ganoidal', 'gonadial'], 'dial': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dialect': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'dialectic': ['deictical', 'dialectic'], 'dialector': ['dialector', 'lacertoid'], 'dialer': ['ariled', 'derail', 'dialer'], 'dialin': ['anilid', 'dialin', 'dianil', 'inlaid'], 'dialing': ['dialing', 'gliadin'], 'dialister': ['dialister', 'trailside'], 'diallelon': ['diallelon', 'llandeilo'], 'dialogism': ['dialogism', 'sigmoidal'], 'dialystelic': ['deistically', 'dialystelic'], 'dialytic': ['calidity', 'dialytic'], 'diamagnet': ['agminated', 'diamagnet'], 'diamantine': ['diamantine', 'inanimated'], 'diameter': ['diameter', 'diatreme'], 'diametric': ['citramide', 'diametric', 'matricide'], 'diamide': ['amidide', 'diamide', 'mididae'], 'diamine': ['amidine', 'diamine'], 'diamorphine': ['diamorphine', 'phronimidae'], 'dian': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'diana': ['danai', 'diana', 'naiad'], 'diander': ['diander', 'drained'], 'diane': ['diane', 'idean'], 'dianetics': ['andesitic', 'dianetics'], 'dianil': ['anilid', 'dialin', 'dianil', 'inlaid'], 'diapensia': ['diapensia', 'diaspinae'], 'diaper': ['diaper', 'paired'], 'diaphote': ['diaphote', 'hepatoid'], 'diaphtherin': ['diaphtherin', 'diphtherian'], 'diapnoic': ['diapnoic', 'pinacoid'], 'diapnotic': ['antipodic', 'diapnotic'], 'diaporthe': ['aphrodite', 'atrophied', 'diaporthe'], 'diarch': ['chidra', 'diarch'], 'diarchial': ['diarchial', 'rachidial'], 'diarchy': ['diarchy', 'hyracid'], 'diarian': ['aridian', 'diarian'], 'diary': ['dairy', 'diary', 'yaird'], 'diascia': ['ascidia', 'diascia'], 'diascope': ['diascope', 'psocidae', 'scopidae'], 'diaspinae': ['diapensia', 'diaspinae'], 'diastem': ['diastem', 'misdate'], 'diastema': ['adamsite', 'diastema'], 'diaster': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'diastole': ['diastole', 'isolated', 'sodalite', 'solidate'], 'diastrophic': ['aphrodistic', 'diastrophic'], 'diastrophy': ['diastrophy', 'dystrophia'], 'diatomales': ['diatomales', 'mastoidale', 'mastoideal'], 'diatomean': ['diatomean', 'mantoidea'], 'diatomin': ['diatomin', 'domitian'], 'diatonic': ['actinoid', 'diatonic', 'naticoid'], 'diatreme': ['diameter', 'diatreme'], 'diatropism': ['diatropism', 'prismatoid'], 'dib': ['bid', 'dib'], 'dibatis': ['dabitis', 'dibatis'], 'dibber': ['dibber', 'ribbed'], 'dibbler': ['dibbler', 'dribble'], 'dibrom': ['dibrom', 'morbid'], 'dicaryon': ['cynaroid', 'dicaryon'], 'dicast': ['dicast', 'stadic'], 'dice': ['dice', 'iced'], 'dicentra': ['crinated', 'dicentra'], 'dicer': ['cider', 'cried', 'deric', 'dicer'], 'diceras': ['diceras', 'radices', 'sidecar'], 'dich': ['chid', 'dich'], 'dichroite': ['dichroite', 'erichtoid', 'theriodic'], 'dichromat': ['chromatid', 'dichromat'], 'dichter': ['dichter', 'ditcher'], 'dicolic': ['codicil', 'dicolic'], 'dicolon': ['dicolon', 'dolcino'], 'dicoumarin': ['acridonium', 'dicoumarin'], 'dicta': ['diact', 'dicta'], 'dictaphone': ['dictaphone', 'endopathic'], 'dictational': ['antidotical', 'dictational'], 'dictionary': ['dictionary', 'indicatory'], 'dicyanine': ['cyanidine', 'dicyanine'], 'dicycle': ['cyclide', 'decylic', 'dicycle'], 'dicyema': ['dicyema', 'mediacy'], 'diddle': ['diddle', 'lidded'], 'diddler': ['diddler', 'driddle'], 'didym': ['didym', 'middy'], 'die': ['die', 'ide'], 'dieb': ['beid', 'bide', 'debi', 'dieb'], 'diego': ['diego', 'dogie', 'geoid'], 'dielytra': ['dielytra', 'tileyard'], 'diem': ['demi', 'diem', 'dime', 'mide'], 'dier': ['dier', 'dire', 'reid', 'ride'], 'diesel': ['diesel', 'sedile', 'seidel'], 'diet': ['diet', 'dite', 'edit', 'tide', 'tied'], 'dietal': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dieter': ['dieter', 'tiered'], 'dietic': ['citied', 'dietic'], 'dietics': ['deistic', 'dietics'], 'dig': ['dig', 'gid'], 'digenetica': ['diagenetic', 'digenetica'], 'digeny': ['digeny', 'dyeing'], 'digester': ['digester', 'redigest'], 'digitalein': ['digitalein', 'diligentia'], 'digitation': ['digitation', 'goniatitid'], 'digitonin': ['digitonin', 'indigotin'], 'digredient': ['digredient', 'reddingite'], 'dihalo': ['dihalo', 'haloid'], 'diiambus': ['basidium', 'diiambus'], 'dika': ['dika', 'kaid'], 'dikaryon': ['ankyroid', 'dikaryon'], 'dike': ['dike', 'keid'], 'dilacerate': ['dilacerate', 'lacertidae'], 'dilatant': ['atlantid', 'dilatant'], 'dilate': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dilater': ['dilater', 'lardite', 'redtail'], 'dilatometric': ['calotermitid', 'dilatometric'], 'dilator': ['dilator', 'ortalid'], 'dilatory': ['adroitly', 'dilatory', 'idolatry'], 'diligence': ['ceilinged', 'diligence'], 'diligentia': ['digitalein', 'diligentia'], 'dillue': ['dillue', 'illude'], 'dilluer': ['dilluer', 'illuder'], 'dilo': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'diluent': ['diluent', 'untiled'], 'dilute': ['dilute', 'dultie'], 'diluted': ['diluted', 'luddite'], 'dilutent': ['dilutent', 'untilted', 'untitled'], 'diluvian': ['diluvian', 'induvial'], 'dim': ['dim', 'mid'], 'dimatis': ['amidist', 'dimatis'], 'dimble': ['dimble', 'limbed'], 'dime': ['demi', 'diem', 'dime', 'mide'], 'dimer': ['dimer', 'mider'], 'dimera': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'dimeran': ['adermin', 'amerind', 'dimeran'], 'dimerous': ['dimerous', 'soredium'], 'dimeter': ['demerit', 'dimeter', 'merited', 'mitered'], 'dimetria': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'diminisher': ['diminisher', 'rediminish'], 'dimit': ['dimit', 'timid'], 'dimmer': ['dimmer', 'immerd', 'rimmed'], 'dimna': ['dimna', 'manid'], 'dimyarian': ['dimyarian', 'myrianida'], 'din': ['din', 'ind', 'nid'], 'dinah': ['ahind', 'dinah'], 'dinar': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'dinder': ['dinder', 'ridden', 'rinded'], 'dindle': ['dindle', 'niddle'], 'dine': ['dine', 'enid', 'inde', 'nide'], 'diner': ['diner', 'riden', 'rinde'], 'dinergate': ['argentide', 'denigrate', 'dinergate'], 'dinero': ['dinero', 'dorine'], 'dinette': ['detinet', 'dinette'], 'dineuric': ['dineuric', 'eurindic'], 'dingar': ['daring', 'dingar', 'gradin'], 'dinge': ['deign', 'dinge', 'nidge'], 'dingle': ['dingle', 'elding', 'engild', 'gilden'], 'dingo': ['dingo', 'doing', 'gondi', 'gonid'], 'dingwall': ['dingwall', 'windgall'], 'dingy': ['dingy', 'dying'], 'dinheiro': ['dinheiro', 'hernioid'], 'dinic': ['dinic', 'indic'], 'dining': ['dining', 'indign', 'niding'], 'dink': ['dink', 'kind'], 'dinkey': ['dinkey', 'kidney'], 'dinocerata': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'dinoceratan': ['carnationed', 'dinoceratan'], 'dinomic': ['dinomic', 'dominic'], 'dint': ['dint', 'tind'], 'dinus': ['dinus', 'indus', 'nidus'], 'dioeciopolygamous': ['dioeciopolygamous', 'polygamodioecious'], 'diogenite': ['diogenite', 'gideonite'], 'diol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dion': ['dion', 'nodi', 'odin'], 'dione': ['deino', 'dione', 'edoni'], 'diopter': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'dioptra': ['dioptra', 'parotid'], 'dioptral': ['dioptral', 'tripodal'], 'dioptric': ['dioptric', 'tripodic'], 'dioptrical': ['dioptrical', 'tripodical'], 'dioptry': ['dioptry', 'tripody'], 'diorama': ['amaroid', 'diorama'], 'dioramic': ['dioramic', 'dromicia'], 'dioscorein': ['dioscorein', 'dioscorine'], 'dioscorine': ['dioscorein', 'dioscorine'], 'dioscuri': ['dioscuri', 'sciuroid'], 'diose': ['diose', 'idose', 'oside'], 'diosmin': ['diosmin', 'odinism'], 'diosmotic': ['diosmotic', 'sodomitic'], 'diparentum': ['diparentum', 'unimparted'], 'dipetto': ['dipetto', 'diptote'], 'diphase': ['aphides', 'diphase'], 'diphaser': ['diphaser', 'parished', 'raphides', 'sephardi'], 'diphosphate': ['diphosphate', 'phosphatide'], 'diphtherian': ['diaphtherin', 'diphtherian'], 'diphyes': ['deyship', 'diphyes'], 'diphysite': ['deityship', 'diphysite'], 'dipicrate': ['dipicrate', 'patricide', 'pediatric'], 'diplanar': ['diplanar', 'prandial'], 'diplasion': ['aspidinol', 'diplasion'], 'dipleura': ['dipleura', 'epidural'], 'dipleural': ['dipleural', 'preludial'], 'diplocephalus': ['diplocephalus', 'pseudophallic'], 'diploe': ['diploe', 'dipole'], 'diploetic': ['diploetic', 'lepidotic'], 'diplotene': ['depletion', 'diplotene'], 'dipnoan': ['dipnoan', 'nonpaid', 'pandion'], 'dipolar': ['dipolar', 'polarid'], 'dipole': ['diploe', 'dipole'], 'dipsaceous': ['dipsaceous', 'spadiceous'], 'dipter': ['dipter', 'trepid'], 'dipteraceous': ['dipteraceous', 'epiceratodus'], 'dipteral': ['dipteral', 'tripedal'], 'dipterological': ['dipterological', 'pteridological'], 'dipterologist': ['dipterologist', 'pteridologist'], 'dipterology': ['dipterology', 'pteridology'], 'dipteros': ['dipteros', 'portside'], 'diptote': ['dipetto', 'diptote'], 'dirca': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dircaean': ['caridean', 'dircaean', 'radiance'], 'dire': ['dier', 'dire', 'reid', 'ride'], 'direct': ['credit', 'direct'], 'directable': ['creditable', 'directable'], 'directer': ['cedriret', 'directer', 'recredit', 'redirect'], 'direction': ['cretinoid', 'direction'], 'directional': ['clitoridean', 'directional'], 'directive': ['creditive', 'directive'], 'directly': ['directly', 'tridecyl'], 'directoire': ['cordierite', 'directoire'], 'director': ['creditor', 'director'], 'directorship': ['creditorship', 'directorship'], 'directress': ['creditress', 'directress'], 'directrix': ['creditrix', 'directrix'], 'direly': ['direly', 'idyler'], 'direption': ['direption', 'perdition', 'tropidine'], 'dirge': ['dirge', 'gride', 'redig', 'ridge'], 'dirgelike': ['dirgelike', 'ridgelike'], 'dirgeman': ['dirgeman', 'margined', 'midrange'], 'dirgler': ['dirgler', 'girdler'], 'dirten': ['dirten', 'rident', 'tinder'], 'dis': ['dis', 'sid'], 'disa': ['dais', 'dasi', 'disa', 'said', 'sida'], 'disadventure': ['disadventure', 'unadvertised'], 'disappearer': ['disappearer', 'redisappear'], 'disarmed': ['disarmed', 'misdread'], 'disastimeter': ['disastimeter', 'semistriated'], 'disattire': ['disattire', 'distraite'], 'disbud': ['disbud', 'disdub'], 'disburse': ['disburse', 'subsider'], 'discastle': ['clidastes', 'discastle'], 'discern': ['discern', 'rescind'], 'discerner': ['discerner', 'rescinder'], 'discernment': ['discernment', 'rescindment'], 'discerp': ['crisped', 'discerp'], 'discerption': ['description', 'discerption'], 'disclike': ['disclike', 'sicklied'], 'discoactine': ['desiccation', 'discoactine'], 'discoid': ['discoid', 'disodic'], 'discontinuer': ['discontinuer', 'undiscretion'], 'discounter': ['discounter', 'rediscount'], 'discoverer': ['discoverer', 'rediscover'], 'discreate': ['discreate', 'sericated'], 'discreet': ['creedist', 'desertic', 'discreet', 'discrete'], 'discreetly': ['discreetly', 'discretely'], 'discreetness': ['discreetness', 'discreteness'], 'discrepate': ['discrepate', 'pederastic'], 'discrete': ['creedist', 'desertic', 'discreet', 'discrete'], 'discretely': ['discreetly', 'discretely'], 'discreteness': ['discreetness', 'discreteness'], 'discretion': ['discretion', 'soricident'], 'discriminator': ['discriminator', 'doctrinairism'], 'disculpate': ['disculpate', 'spiculated'], 'discusser': ['discusser', 'rediscuss'], 'discutable': ['discutable', 'subdeltaic', 'subdialect'], 'disdub': ['disbud', 'disdub'], 'disease': ['disease', 'seaside'], 'diseme': ['demise', 'diseme'], 'disenact': ['disenact', 'distance'], 'disendow': ['disendow', 'downside'], 'disentwine': ['disentwine', 'indentwise'], 'disharmony': ['disharmony', 'hydramnios'], 'dishearten': ['dishearten', 'intershade'], 'dished': ['dished', 'eddish'], 'disherent': ['disherent', 'hinderest', 'tenderish'], 'dishling': ['dishling', 'hidlings'], 'dishonor': ['dishonor', 'ironshod'], 'dishorn': ['dishorn', 'dronish'], 'dishpan': ['daphnis', 'dishpan'], 'disilicate': ['disilicate', 'idealistic'], 'disimprove': ['disimprove', 'misprovide'], 'disk': ['disk', 'kids', 'skid'], 'dislocate': ['dislocate', 'lactoside'], 'disman': ['danism', 'disman'], 'dismantle': ['dentalism', 'dismantle'], 'disme': ['deism', 'disme'], 'dismemberer': ['dismemberer', 'disremember'], 'disnature': ['disnature', 'sturnidae', 'truandise'], 'disnest': ['disnest', 'dissent'], 'disodic': ['discoid', 'disodic'], 'disparage': ['disparage', 'grapsidae'], 'disparation': ['disparation', 'tridiapason'], 'dispatcher': ['dispatcher', 'redispatch'], 'dispensable': ['dispensable', 'piebaldness'], 'dispense': ['dispense', 'piedness'], 'disperse': ['despiser', 'disperse'], 'dispetal': ['dispetal', 'pedalist'], 'dispireme': ['dispireme', 'epidermis'], 'displayer': ['displayer', 'redisplay'], 'displeaser': ['displeaser', 'pearlsides'], 'disponee': ['disponee', 'openside'], 'disporum': ['disporum', 'misproud'], 'disprepare': ['disprepare', 'predespair'], 'disrate': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'disremember': ['dismemberer', 'disremember'], 'disrepute': ['disrepute', 'redispute'], 'disrespect': ['disrespect', 'disscepter'], 'disrupt': ['disrupt', 'prudist'], 'disscepter': ['disrespect', 'disscepter'], 'disseat': ['disseat', 'sestiad'], 'dissector': ['crosstied', 'dissector'], 'dissent': ['disnest', 'dissent'], 'dissenter': ['dissenter', 'tiredness'], 'dissertate': ['dissertate', 'statesider'], 'disserve': ['disserve', 'dissever'], 'dissever': ['disserve', 'dissever'], 'dissocial': ['cissoidal', 'dissocial'], 'dissolve': ['dissolve', 'voidless'], 'dissoul': ['dissoul', 'dulosis', 'solidus'], 'distale': ['distale', 'salited'], 'distance': ['disenact', 'distance'], 'distant': ['dantist', 'distant'], 'distater': ['distater', 'striated'], 'distender': ['dendrites', 'distender', 'redistend'], 'distent': ['dentist', 'distent', 'stinted'], 'distich': ['distich', 'stichid'], 'distillage': ['distillage', 'sigillated'], 'distiller': ['distiller', 'redistill'], 'distinguisher': ['distinguisher', 'redistinguish'], 'distoma': ['distoma', 'mastoid'], 'distome': ['distome', 'modiste'], 'distrainer': ['distrainer', 'redistrain'], 'distrait': ['distrait', 'triadist'], 'distraite': ['disattire', 'distraite'], 'disturber': ['disturber', 'redisturb'], 'disulphone': ['disulphone', 'unpolished'], 'disuniform': ['disuniform', 'indusiform'], 'dit': ['dit', 'tid'], 'dita': ['adit', 'dita'], 'dital': ['datil', 'dital', 'tidal', 'tilda'], 'ditcher': ['dichter', 'ditcher'], 'dite': ['diet', 'dite', 'edit', 'tide', 'tied'], 'diter': ['diter', 'tired', 'tried'], 'dithionic': ['chitinoid', 'dithionic'], 'ditone': ['ditone', 'intoed'], 'ditrochean': ['achondrite', 'ditrochean', 'ordanchite'], 'diuranate': ['diuranate', 'untiaraed'], 'diurna': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'diurnation': ['diurnation', 'induration'], 'diurne': ['diurne', 'inured', 'ruined', 'unride'], 'diva': ['avid', 'diva'], 'divan': ['divan', 'viand'], 'divata': ['divata', 'dvaita'], 'divel': ['devil', 'divel', 'lived'], 'diver': ['diver', 'drive'], 'diverge': ['diverge', 'grieved'], 'diverse': ['deviser', 'diverse', 'revised'], 'diverter': ['diverter', 'redivert', 'verditer'], 'divest': ['divest', 'vedist'], 'divesture': ['detrusive', 'divesture', 'servitude'], 'divisionism': ['divisionism', 'misdivision'], 'divorce': ['cervoid', 'divorce'], 'divorcee': ['coderive', 'divorcee'], 'do': ['do', 'od'], 'doable': ['albedo', 'doable'], 'doarium': ['doarium', 'uramido'], 'doat': ['doat', 'toad', 'toda'], 'doater': ['doater', 'toader'], 'doating': ['antigod', 'doating'], 'doatish': ['doatish', 'toadish'], 'dob': ['bod', 'dob'], 'dobe': ['bode', 'dobe'], 'dobra': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'dobrao': ['dobrao', 'doorba'], 'doby': ['body', 'boyd', 'doby'], 'doc': ['cod', 'doc'], 'docetism': ['comedist', 'demotics', 'docetism', 'domestic'], 'docile': ['cleoid', 'coiled', 'docile'], 'docity': ['cytoid', 'docity'], 'docker': ['corked', 'docker', 'redock'], 'doctorial': ['crotaloid', 'doctorial'], 'doctorship': ['doctorship', 'trophodisc'], 'doctrinairism': ['discriminator', 'doctrinairism'], 'doctrinate': ['detraction', 'doctrinate', 'tetarconid'], 'doctrine': ['centroid', 'doctrine'], 'documental': ['columnated', 'documental'], 'dod': ['dod', 'odd'], 'dode': ['dedo', 'dode', 'eddo'], 'dodecarch': ['decachord', 'dodecarch'], 'dodlet': ['dodlet', 'toddle'], 'dodman': ['dodman', 'oddman'], 'doe': ['doe', 'edo', 'ode'], 'doeg': ['doeg', 'doge', 'gode'], 'doer': ['doer', 'redo', 'rode', 'roed'], 'does': ['does', 'dose'], 'doesnt': ['doesnt', 'stoned'], 'dog': ['dog', 'god'], 'dogate': ['dogate', 'dotage', 'togaed'], 'dogbane': ['bondage', 'dogbane'], 'dogbite': ['bigoted', 'dogbite'], 'doge': ['doeg', 'doge', 'gode'], 'dogger': ['dogger', 'gorged'], 'doghead': ['doghead', 'godhead'], 'doghood': ['doghood', 'godhood'], 'dogie': ['diego', 'dogie', 'geoid'], 'dogless': ['dogless', 'glossed', 'godless'], 'doglike': ['doglike', 'godlike'], 'dogly': ['dogly', 'godly', 'goldy'], 'dogra': ['dargo', 'dogra', 'drago'], 'dogship': ['dogship', 'godship'], 'dogstone': ['dogstone', 'stegodon'], 'dogwatch': ['dogwatch', 'watchdog'], 'doina': ['adion', 'danio', 'doina', 'donia'], 'doing': ['dingo', 'doing', 'gondi', 'gonid'], 'doko': ['doko', 'dook'], 'dol': ['dol', 'lod', 'old'], 'dola': ['alod', 'dola', 'load', 'odal'], 'dolcian': ['dolcian', 'nodical'], 'dolciano': ['conoidal', 'dolciano'], 'dolcino': ['dicolon', 'dolcino'], 'dole': ['dole', 'elod', 'lode', 'odel'], 'dolesman': ['dolesman', 'lodesman'], 'doless': ['doless', 'dossel'], 'doli': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dolia': ['aloid', 'dolia', 'idola'], 'dolina': ['dolina', 'ladino'], 'doline': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'dolium': ['dolium', 'idolum'], 'dolly': ['dolly', 'lloyd'], 'dolman': ['almond', 'dolman'], 'dolor': ['dolor', 'drool'], 'dolose': ['dolose', 'oodles', 'soodle'], 'dolphin': ['dolphin', 'pinhold'], 'dolt': ['dolt', 'told'], 'dom': ['dom', 'mod'], 'domain': ['amidon', 'daimon', 'domain'], 'domainal': ['domainal', 'domanial'], 'domal': ['domal', 'modal'], 'domanial': ['domainal', 'domanial'], 'dome': ['dome', 'mode', 'moed'], 'domer': ['domer', 'drome'], 'domestic': ['comedist', 'demotics', 'docetism', 'domestic'], 'domic': ['comid', 'domic'], 'domical': ['domical', 'lacmoid'], 'dominance': ['demicanon', 'dominance'], 'dominate': ['dominate', 'nematoid'], 'dominated': ['demantoid', 'dominated'], 'domination': ['admonition', 'domination'], 'dominative': ['admonitive', 'dominative'], 'dominator': ['admonitor', 'dominator'], 'domine': ['domine', 'domnei', 'emodin', 'medino'], 'dominial': ['dominial', 'imolinda', 'limoniad'], 'dominic': ['dinomic', 'dominic'], 'domino': ['domino', 'monoid'], 'domitian': ['diatomin', 'domitian'], 'domnei': ['domine', 'domnei', 'emodin', 'medino'], 'don': ['don', 'nod'], 'donal': ['donal', 'nodal'], 'donar': ['adorn', 'donar', 'drona', 'radon'], 'donated': ['donated', 'nodated'], 'donatiaceae': ['actaeonidae', 'donatiaceae'], 'donatism': ['donatism', 'saintdom'], 'donator': ['donator', 'odorant', 'tornado'], 'done': ['done', 'node'], 'donet': ['donet', 'noted', 'toned'], 'dong': ['dong', 'gond'], 'donga': ['donga', 'gonad'], 'dongola': ['dongola', 'gondola'], 'dongon': ['dongon', 'nongod'], 'donia': ['adion', 'danio', 'doina', 'donia'], 'donna': ['donna', 'nonda'], 'donnert': ['donnert', 'tendron'], 'donnie': ['donnie', 'indone', 'ondine'], 'donor': ['donor', 'rondo'], 'donorship': ['donorship', 'rhodopsin'], 'donsie': ['deinos', 'donsie', 'inodes', 'onside'], 'donum': ['donum', 'mound'], 'doob': ['bodo', 'bood', 'doob'], 'dook': ['doko', 'dook'], 'dool': ['dool', 'lood'], 'dooli': ['dooli', 'iodol'], 'doom': ['doom', 'mood'], 'doomer': ['doomer', 'mooder', 'redoom', 'roomed'], 'dooms': ['dooms', 'sodom'], 'door': ['door', 'odor', 'oord', 'rood'], 'doorba': ['dobrao', 'doorba'], 'doorbell': ['bordello', 'doorbell'], 'doored': ['doored', 'odored'], 'doorframe': ['doorframe', 'reformado'], 'doorless': ['doorless', 'odorless'], 'doorplate': ['doorplate', 'leptodora'], 'doorpost': ['doorpost', 'doorstop'], 'doorstone': ['doorstone', 'roodstone'], 'doorstop': ['doorpost', 'doorstop'], 'doorweed': ['deerwood', 'doorweed'], 'dop': ['dop', 'pod'], 'dopa': ['apod', 'dopa'], 'doper': ['doper', 'pedro', 'pored'], 'dopplerite': ['dopplerite', 'lepidopter'], 'dor': ['dor', 'rod'], 'dora': ['dora', 'orad', 'road'], 'dorab': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'doree': ['doree', 'erode'], 'dori': ['dori', 'roid'], 'doria': ['aroid', 'doria', 'radio'], 'dorian': ['dorian', 'inroad', 'ordain'], 'dorical': ['cordial', 'dorical'], 'dorine': ['dinero', 'dorine'], 'dorlach': ['chordal', 'dorlach'], 'dormancy': ['dormancy', 'mordancy'], 'dormant': ['dormant', 'mordant'], 'dormer': ['dormer', 'remord'], 'dormie': ['dormie', 'moider'], 'dorn': ['dorn', 'rond'], 'dornic': ['dornic', 'nordic'], 'dorothea': ['dorothea', 'theodora'], 'dorp': ['dorp', 'drop', 'prod'], 'dorsel': ['dorsel', 'seldor', 'solder'], 'dorsoapical': ['dorsoapical', 'prosodiacal'], 'dorsocaudal': ['caudodorsal', 'dorsocaudal'], 'dorsocentral': ['centrodorsal', 'dorsocentral'], 'dorsocervical': ['cervicodorsal', 'dorsocervical'], 'dorsolateral': ['dorsolateral', 'laterodorsal'], 'dorsomedial': ['dorsomedial', 'mediodorsal'], 'dorsosacral': ['dorsosacral', 'sacrodorsal'], 'dorsoventrad': ['dorsoventrad', 'ventrodorsad'], 'dorsoventral': ['dorsoventral', 'ventrodorsal'], 'dorsoventrally': ['dorsoventrally', 'ventrodorsally'], 'dos': ['dos', 'ods', 'sod'], 'dosa': ['dosa', 'sado', 'soda'], 'dosage': ['dosage', 'seadog'], 'dose': ['does', 'dose'], 'doser': ['doser', 'rosed'], 'dosimetric': ['dosimetric', 'mediocrist'], 'dossel': ['doless', 'dossel'], 'dosser': ['dosser', 'sordes'], 'dot': ['dot', 'tod'], 'dotage': ['dogate', 'dotage', 'togaed'], 'dote': ['dote', 'tode', 'toed'], 'doter': ['doter', 'tored', 'trode'], 'doty': ['doty', 'tody'], 'doubler': ['boulder', 'doubler'], 'doubter': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'douc': ['douc', 'duco'], 'douce': ['coude', 'douce'], 'doum': ['doum', 'moud', 'odum'], 'doup': ['doup', 'updo'], 'dour': ['dour', 'duro', 'ordu', 'roud'], 'dourine': ['dourine', 'neuroid'], 'dourly': ['dourly', 'lourdy'], 'douser': ['douser', 'soured'], 'douter': ['derout', 'detour', 'douter'], 'dover': ['dover', 'drove', 'vedro'], 'dow': ['dow', 'owd', 'wod'], 'dowager': ['dowager', 'wordage'], 'dower': ['dower', 'rowed'], 'dowl': ['dowl', 'wold'], 'dowlas': ['dowlas', 'oswald'], 'downbear': ['downbear', 'rawboned'], 'downcome': ['comedown', 'downcome'], 'downer': ['downer', 'wonder', 'worden'], 'downingia': ['downingia', 'godwinian'], 'downset': ['downset', 'setdown'], 'downside': ['disendow', 'downside'], 'downtake': ['downtake', 'takedown'], 'downthrow': ['downthrow', 'throwdown'], 'downturn': ['downturn', 'turndown'], 'downward': ['downward', 'drawdown'], 'dowry': ['dowry', 'rowdy', 'wordy'], 'dowser': ['dowser', 'drowse'], 'doxa': ['doxa', 'odax'], 'doyle': ['doyle', 'yodel'], 'dozen': ['dozen', 'zoned'], 'drab': ['bard', 'brad', 'drab'], 'draba': ['barad', 'draba'], 'drabble': ['dabbler', 'drabble'], 'draco': ['cardo', 'draco'], 'draconic': ['cancroid', 'draconic'], 'draconis': ['draconis', 'sardonic'], 'dracontian': ['dracontian', 'octandrian'], 'drafter': ['drafter', 'redraft'], 'drag': ['darg', 'drag', 'grad'], 'draggle': ['draggle', 'raggled'], 'dragline': ['dragline', 'reginald', 'ringlead'], 'dragman': ['dragman', 'grandam', 'grandma'], 'drago': ['dargo', 'dogra', 'drago'], 'dragoman': ['dragoman', 'garamond', 'ondagram'], 'dragonize': ['dragonize', 'organized'], 'dragoon': ['dragoon', 'gadroon'], 'dragoonage': ['dragoonage', 'gadroonage'], 'dragsman': ['dargsman', 'dragsman'], 'drail': ['drail', 'laird', 'larid', 'liard'], 'drain': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'drainable': ['albardine', 'drainable'], 'drainage': ['drainage', 'gardenia'], 'draine': ['darien', 'draine'], 'drained': ['diander', 'drained'], 'drainer': ['darrein', 'drainer'], 'drainman': ['drainman', 'mandarin'], 'draintile': ['deliriant', 'draintile', 'interlaid'], 'drake': ['daker', 'drake', 'kedar', 'radek'], 'dramme': ['dammer', 'dramme'], 'drang': ['drang', 'grand'], 'drape': ['drape', 'padre'], 'drat': ['dart', 'drat'], 'drate': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'draw': ['draw', 'ward'], 'drawable': ['drawable', 'wardable'], 'drawback': ['backward', 'drawback'], 'drawbore': ['drawbore', 'wardrobe'], 'drawbridge': ['bridgeward', 'drawbridge'], 'drawdown': ['downward', 'drawdown'], 'drawee': ['drawee', 'rewade'], 'drawer': ['drawer', 'redraw', 'reward', 'warder'], 'drawers': ['drawers', 'resward'], 'drawfile': ['drawfile', 'lifeward'], 'drawgate': ['drawgate', 'gateward'], 'drawhead': ['drawhead', 'headward'], 'drawhorse': ['drawhorse', 'shoreward'], 'drawing': ['drawing', 'ginward', 'warding'], 'drawoff': ['drawoff', 'offward'], 'drawout': ['drawout', 'outdraw', 'outward'], 'drawsheet': ['drawsheet', 'watershed'], 'drawstop': ['drawstop', 'postward'], 'dray': ['adry', 'dray', 'yard'], 'drayage': ['drayage', 'yardage'], 'drayman': ['drayman', 'yardman'], 'dread': ['adder', 'dread', 'readd'], 'dreadly': ['dreadly', 'laddery'], 'dream': ['armed', 'derma', 'dream', 'ramed'], 'dreamage': ['dreamage', 'redamage'], 'dreamer': ['dreamer', 'redream'], 'dreamhole': ['dreamhole', 'heloderma'], 'dreamish': ['dreamish', 'semihard'], 'dreamland': ['dreamland', 'raddleman'], 'drear': ['darer', 'drear'], 'dreary': ['dreary', 'yarder'], 'dredge': ['dredge', 'gedder'], 'dree': ['deer', 'dere', 'dree', 'rede', 'reed'], 'dreiling': ['dreiling', 'gridelin'], 'dressage': ['degasser', 'dressage'], 'dresser': ['dresser', 'redress'], 'drib': ['bird', 'drib'], 'dribble': ['dibbler', 'dribble'], 'driblet': ['birdlet', 'driblet'], 'driddle': ['diddler', 'driddle'], 'drier': ['drier', 'rider'], 'driest': ['driest', 'stride'], 'driller': ['driller', 'redrill'], 'drillman': ['drillman', 'mandrill'], 'dringle': ['dringle', 'grindle'], 'drisheen': ['denshire', 'drisheen'], 'drive': ['diver', 'drive'], 'driven': ['driven', 'nervid', 'verdin'], 'drivescrew': ['drivescrew', 'screwdrive'], 'drogue': ['drogue', 'gourde'], 'drolly': ['drolly', 'lordly'], 'drome': ['domer', 'drome'], 'dromicia': ['dioramic', 'dromicia'], 'drona': ['adorn', 'donar', 'drona', 'radon'], 'drone': ['drone', 'ronde'], 'drongo': ['drongo', 'gordon'], 'dronish': ['dishorn', 'dronish'], 'drool': ['dolor', 'drool'], 'drop': ['dorp', 'drop', 'prod'], 'dropsy': ['dropsy', 'dryops'], 'drossel': ['drossel', 'rodless'], 'drove': ['dover', 'drove', 'vedro'], 'drow': ['drow', 'word'], 'drowse': ['dowser', 'drowse'], 'drub': ['burd', 'drub'], 'drugger': ['drugger', 'grudger'], 'druggery': ['druggery', 'grudgery'], 'drungar': ['drungar', 'gurnard'], 'drupe': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'drusean': ['asunder', 'drusean'], 'dryops': ['dropsy', 'dryops'], 'duad': ['addu', 'dadu', 'daud', 'duad'], 'dual': ['auld', 'dual', 'laud', 'udal'], 'duali': ['duali', 'dulia'], 'dualin': ['dualin', 'ludian', 'unlaid'], 'dualism': ['dualism', 'laudism'], 'dualist': ['dualist', 'laudist'], 'dub': ['bud', 'dub'], 'dubber': ['dubber', 'rubbed'], 'dubious': ['biduous', 'dubious'], 'dubitate': ['dubitate', 'tabitude'], 'ducal': ['cauld', 'ducal'], 'duces': ['decus', 'duces'], 'duckstone': ['duckstone', 'unstocked'], 'duco': ['douc', 'duco'], 'ducted': ['deduct', 'ducted'], 'duction': ['conduit', 'duction', 'noctuid'], 'duculinae': ['duculinae', 'nuculidae'], 'dudeen': ['denude', 'dudeen'], 'dudler': ['dudler', 'ruddle'], 'duel': ['deul', 'duel', 'leud'], 'dueler': ['dueler', 'eluder'], 'dueling': ['dueling', 'indulge'], 'duello': ['deloul', 'duello'], 'duenna': ['duenna', 'undean'], 'duer': ['duer', 'dure', 'rude', 'urde'], 'duffer': ['duffer', 'ruffed'], 'dufter': ['dufter', 'turfed'], 'dug': ['dug', 'gud'], 'duim': ['duim', 'muid'], 'dukery': ['dukery', 'duyker'], 'dulat': ['adult', 'dulat'], 'dulcian': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'dulciana': ['claudian', 'dulciana'], 'duler': ['duler', 'urled'], 'dulia': ['duali', 'dulia'], 'dullify': ['dullify', 'fluidly'], 'dulosis': ['dissoul', 'dulosis', 'solidus'], 'dulseman': ['dulseman', 'unalmsed'], 'dultie': ['dilute', 'dultie'], 'dum': ['dum', 'mud'], 'duma': ['duma', 'maud'], 'dumaist': ['dumaist', 'stadium'], 'dumontite': ['dumontite', 'unomitted'], 'dumple': ['dumple', 'plumed'], 'dunair': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dunal': ['dunal', 'laund', 'lunda', 'ulnad'], 'dunderpate': ['dunderpate', 'undeparted'], 'dune': ['dune', 'nude', 'unde'], 'dungaree': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'dungeon': ['dungeon', 'negundo'], 'dunger': ['dunger', 'gerund', 'greund', 'nudger'], 'dungol': ['dungol', 'ungold'], 'dungy': ['dungy', 'gundy'], 'dunite': ['dunite', 'united', 'untied'], 'dunlap': ['dunlap', 'upland'], 'dunne': ['dunne', 'unden'], 'dunner': ['dunner', 'undern'], 'dunpickle': ['dunpickle', 'unpickled'], 'dunstable': ['dunstable', 'unblasted', 'unstabled'], 'dunt': ['dunt', 'tund'], 'duny': ['duny', 'undy'], 'duo': ['duo', 'udo'], 'duodenal': ['duodenal', 'unloaded'], 'duodenocholecystostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'duodenojejunal': ['duodenojejunal', 'jejunoduodenal'], 'duodenopancreatectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'dup': ['dup', 'pud'], 'duper': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'dupion': ['dupion', 'unipod'], 'dupla': ['dupla', 'plaud'], 'duplone': ['duplone', 'unpoled'], 'dura': ['ardu', 'daur', 'dura'], 'durain': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'duramen': ['duramen', 'maunder', 'unarmed'], 'durance': ['durance', 'redunca', 'unraced'], 'durango': ['aground', 'durango'], 'durani': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'durant': ['durant', 'tundra'], 'durban': ['durban', 'undrab'], 'durdenite': ['durdenite', 'undertide'], 'dure': ['duer', 'dure', 'rude', 'urde'], 'durene': ['durene', 'endure'], 'durenol': ['durenol', 'lounder', 'roundel'], 'durgan': ['durgan', 'undrag'], 'durian': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'during': ['during', 'ungird'], 'durity': ['durity', 'rudity'], 'durmast': ['durmast', 'mustard'], 'duro': ['dour', 'duro', 'ordu', 'roud'], 'dusken': ['dusken', 'sundek'], 'dust': ['dust', 'stud'], 'duster': ['derust', 'duster'], 'dustin': ['dustin', 'nudist'], 'dustpan': ['dustpan', 'upstand'], 'dusty': ['dusty', 'study'], 'duyker': ['dukery', 'duyker'], 'dvaita': ['divata', 'dvaita'], 'dwale': ['dwale', 'waled', 'weald'], 'dwine': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'dyad': ['addy', 'dyad'], 'dyas': ['days', 'dyas'], 'dye': ['dey', 'dye', 'yed'], 'dyehouse': ['deyhouse', 'dyehouse'], 'dyeing': ['digeny', 'dyeing'], 'dyer': ['dyer', 'yerd'], 'dying': ['dingy', 'dying'], 'dynamo': ['dynamo', 'monday'], 'dynamoelectric': ['dynamoelectric', 'electrodynamic'], 'dynamoelectrical': ['dynamoelectrical', 'electrodynamical'], 'dynamotor': ['androtomy', 'dynamotor'], 'dyne': ['deny', 'dyne'], 'dyophone': ['dyophone', 'honeypod'], 'dysluite': ['dysluite', 'sedulity'], 'dysneuria': ['dasyurine', 'dysneuria'], 'dysphoric': ['chrysopid', 'dysphoric'], 'dysphrenia': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'dystome': ['dystome', 'modesty'], 'dystrophia': ['diastrophy', 'dystrophia'], 'ea': ['ae', 'ea'], 'each': ['ache', 'each', 'haec'], 'eager': ['agree', 'eager', 'eagre'], 'eagle': ['aegle', 'eagle', 'galee'], 'eagless': ['ageless', 'eagless'], 'eaglet': ['eaglet', 'legate', 'teagle', 'telega'], 'eagre': ['agree', 'eager', 'eagre'], 'ean': ['ean', 'nae', 'nea'], 'ear': ['aer', 'are', 'ear', 'era', 'rea'], 'eared': ['eared', 'erade'], 'earful': ['earful', 'farleu', 'ferula'], 'earing': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'earl': ['earl', 'eral', 'lear', 'real'], 'earlap': ['earlap', 'parale'], 'earle': ['areel', 'earle'], 'earlet': ['earlet', 'elater', 'relate'], 'earliness': ['earliness', 'naileress'], 'earlship': ['earlship', 'pearlish'], 'early': ['early', 'layer', 'relay'], 'earn': ['arne', 'earn', 'rane'], 'earner': ['earner', 'ranere'], 'earnest': ['earnest', 'eastern', 'nearest'], 'earnestly': ['earnestly', 'easternly'], 'earnful': ['earnful', 'funeral'], 'earning': ['earning', 'engrain'], 'earplug': ['earplug', 'graupel', 'plaguer'], 'earring': ['earring', 'grainer'], 'earringed': ['earringed', 'grenadier'], 'earshot': ['asthore', 'earshot'], 'eartab': ['abater', 'artabe', 'eartab', 'trabea'], 'earth': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'earthborn': ['abhorrent', 'earthborn'], 'earthed': ['earthed', 'hearted'], 'earthen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'earthian': ['earthian', 'rhaetian'], 'earthiness': ['earthiness', 'heartiness'], 'earthless': ['earthless', 'heartless'], 'earthling': ['earthling', 'heartling'], 'earthly': ['earthly', 'heartly', 'lathery', 'rathely'], 'earthnut': ['earthnut', 'heartnut'], 'earthpea': ['earthpea', 'heartpea'], 'earthquake': ['earthquake', 'heartquake'], 'earthward': ['earthward', 'heartward'], 'earthy': ['earthy', 'hearty', 'yearth'], 'earwig': ['earwig', 'grewia'], 'earwitness': ['earwitness', 'wateriness'], 'easel': ['easel', 'lease'], 'easement': ['easement', 'estamene'], 'easer': ['easer', 'erase'], 'easily': ['easily', 'elysia'], 'easing': ['easing', 'sangei'], 'east': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eastabout': ['aetobatus', 'eastabout'], 'eastbound': ['eastbound', 'unboasted'], 'easter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easterling': ['easterling', 'generalist'], 'eastern': ['earnest', 'eastern', 'nearest'], 'easternly': ['earnestly', 'easternly'], 'easting': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'eastlake': ['alestake', 'eastlake'], 'eastre': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easy': ['easy', 'eyas'], 'eat': ['ate', 'eat', 'eta', 'tae', 'tea'], 'eatberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'eaten': ['eaten', 'enate'], 'eater': ['arete', 'eater', 'teaer'], 'eating': ['eating', 'ingate', 'tangie'], 'eats': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eave': ['eave', 'evea'], 'eaved': ['deave', 'eaved', 'evade'], 'eaver': ['eaver', 'reave'], 'eaves': ['eaves', 'evase', 'seave'], 'eben': ['been', 'bene', 'eben'], 'ebenales': ['ebenales', 'lebanese'], 'ebon': ['beno', 'bone', 'ebon'], 'ebony': ['boney', 'ebony'], 'ebriety': ['byerite', 'ebriety'], 'eburna': ['eburna', 'unbare', 'unbear', 'urbane'], 'eburnated': ['eburnated', 'underbeat', 'unrebated'], 'eburnian': ['eburnian', 'inurbane'], 'ecad': ['cade', 'dace', 'ecad'], 'ecanda': ['adance', 'ecanda'], 'ecardinal': ['ecardinal', 'lardacein'], 'ecarinate': ['anaeretic', 'ecarinate'], 'ecarte': ['cerate', 'create', 'ecarte'], 'ecaudata': ['acaudate', 'ecaudata'], 'ecclesiasticism': ['ecclesiasticism', 'misecclesiastic'], 'eche': ['chee', 'eche'], 'echelon': ['chelone', 'echelon'], 'echeveria': ['echeveria', 'reachieve'], 'echidna': ['chained', 'echidna'], 'echinal': ['chilean', 'echinal', 'nichael'], 'echinate': ['echinate', 'hecatine'], 'echinital': ['echinital', 'inethical'], 'echis': ['echis', 'shice'], 'echoer': ['choree', 'cohere', 'echoer'], 'echoic': ['choice', 'echoic'], 'echoist': ['chitose', 'echoist'], 'eciton': ['eciton', 'noetic', 'notice', 'octine'], 'eckehart': ['eckehart', 'hacktree'], 'eclair': ['carlie', 'claire', 'eclair', 'erical'], 'eclat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'eclipsable': ['eclipsable', 'spliceable'], 'eclipser': ['eclipser', 'pericles', 'resplice'], 'economics': ['economics', 'neocosmic'], 'economism': ['economism', 'monoecism', 'monosemic'], 'economist': ['economist', 'mesotonic'], 'ecorticate': ['ecorticate', 'octaeteric'], 'ecostate': ['coestate', 'ecostate'], 'ecotonal': ['colonate', 'ecotonal'], 'ecotype': ['ecotype', 'ocypete'], 'ecrasite': ['ecrasite', 'sericate'], 'ecru': ['cure', 'ecru', 'eruc'], 'ectad': ['cadet', 'ectad'], 'ectal': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'ectasis': ['ascites', 'ectasis'], 'ectene': ['cetene', 'ectene'], 'ectental': ['ectental', 'tentacle'], 'ectiris': ['ectiris', 'eristic'], 'ectocardia': ['coradicate', 'ectocardia'], 'ectocranial': ['calonectria', 'ectocranial'], 'ectoglia': ['ectoglia', 'geotical', 'goetical'], 'ectomorph': ['ectomorph', 'topchrome'], 'ectomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'ectomorphy': ['chromotype', 'cormophyte', 'ectomorphy'], 'ectopia': ['ectopia', 'opacite'], 'ectopy': ['cotype', 'ectopy'], 'ectorhinal': ['chlorinate', 'ectorhinal', 'tornachile'], 'ectosarc': ['ectosarc', 'reaccost'], 'ectrogenic': ['ectrogenic', 'egocentric', 'geocentric'], 'ectromelia': ['carmeloite', 'ectromelia', 'meteorical'], 'ectropion': ['ectropion', 'neotropic'], 'ed': ['de', 'ed'], 'edda': ['dade', 'dead', 'edda'], 'eddaic': ['caddie', 'eddaic'], 'eddish': ['dished', 'eddish'], 'eddo': ['dedo', 'dode', 'eddo'], 'edema': ['adeem', 'ameed', 'edema'], 'eden': ['dene', 'eden', 'need'], 'edental': ['dalteen', 'dentale', 'edental'], 'edentata': ['antedate', 'edentata'], 'edessan': ['deaness', 'edessan'], 'edestan': ['edestan', 'standee'], 'edestin': ['destine', 'edestin'], 'edgar': ['edgar', 'grade'], 'edger': ['edger', 'greed'], 'edgerman': ['edgerman', 'gendarme'], 'edgrew': ['edgrew', 'wedger'], 'edible': ['debile', 'edible'], 'edict': ['cetid', 'edict'], 'edictal': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'edification': ['deification', 'edification'], 'edificatory': ['deificatory', 'edificatory'], 'edifier': ['deifier', 'edifier'], 'edify': ['deify', 'edify'], 'edit': ['diet', 'dite', 'edit', 'tide', 'tied'], 'edital': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'edith': ['edith', 'ethid'], 'edition': ['edition', 'odinite', 'otidine', 'tineoid'], 'editor': ['editor', 'triode'], 'editorial': ['editorial', 'radiolite'], 'edmund': ['edmund', 'mudden'], 'edna': ['ande', 'dane', 'dean', 'edna'], 'edo': ['doe', 'edo', 'ode'], 'edoni': ['deino', 'dione', 'edoni'], 'education': ['coadunite', 'education', 'noctuidae'], 'educe': ['deuce', 'educe'], 'edward': ['edward', 'wadder', 'warded'], 'edwin': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'eel': ['eel', 'lee'], 'eelgrass': ['eelgrass', 'gearless', 'rageless'], 'eelpot': ['eelpot', 'opelet'], 'eelspear': ['eelspear', 'prelease'], 'eely': ['eely', 'yeel'], 'eer': ['eer', 'ere', 'ree'], 'efik': ['efik', 'fike'], 'eft': ['eft', 'fet'], 'egad': ['aged', 'egad', 'gade'], 'egba': ['egba', 'gabe'], 'egbo': ['bego', 'egbo'], 'egeran': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'egest': ['egest', 'geest', 'geste'], 'egger': ['egger', 'grege'], 'egghot': ['egghot', 'hogget'], 'eggler': ['eggler', 'legger'], 'eggy': ['eggy', 'yegg'], 'eglantine': ['eglantine', 'inelegant', 'legantine'], 'eglatere': ['eglatere', 'regelate', 'relegate'], 'egma': ['egma', 'game', 'mage'], 'ego': ['ego', 'geo'], 'egocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'egoist': ['egoist', 'stogie'], 'egol': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'egotheism': ['egotheism', 'eightsome'], 'egret': ['egret', 'greet', 'reget'], 'eh': ['eh', 'he'], 'ehretia': ['ehretia', 'etheria'], 'eident': ['eident', 'endite'], 'eidograph': ['eidograph', 'ideograph'], 'eidology': ['eidology', 'ideology'], 'eighth': ['eighth', 'height'], 'eightsome': ['egotheism', 'eightsome'], 'eigne': ['eigne', 'genie'], 'eileen': ['eileen', 'lienee'], 'ekaha': ['ekaha', 'hakea'], 'eke': ['eke', 'kee'], 'eker': ['eker', 'reek'], 'ekoi': ['ekoi', 'okie'], 'ekron': ['ekron', 'krone'], 'ektene': ['ektene', 'ketene'], 'elabrate': ['elabrate', 'tearable'], 'elaidic': ['aedilic', 'elaidic'], 'elaidin': ['anilide', 'elaidin'], 'elain': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elaine': ['aileen', 'elaine'], 'elamite': ['alemite', 'elamite'], 'elance': ['elance', 'enlace'], 'eland': ['eland', 'laden', 'lenad'], 'elanet': ['elanet', 'lanete', 'lateen'], 'elanus': ['elanus', 'unseal'], 'elaphomyces': ['elaphomyces', 'mesocephaly'], 'elaphurus': ['elaphurus', 'sulphurea'], 'elapid': ['aliped', 'elapid'], 'elapoid': ['elapoid', 'oedipal'], 'elaps': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'elapse': ['asleep', 'elapse', 'please'], 'elastic': ['astelic', 'elastic', 'latices'], 'elasticin': ['elasticin', 'inelastic', 'sciential'], 'elastin': ['elastin', 'salient', 'saltine', 'slainte'], 'elastomer': ['elastomer', 'salometer'], 'elate': ['atlee', 'elate'], 'elated': ['delate', 'elated'], 'elater': ['earlet', 'elater', 'relate'], 'elaterid': ['detailer', 'elaterid'], 'elaterin': ['elaterin', 'entailer', 'treenail'], 'elatha': ['althea', 'elatha'], 'elatine': ['elatine', 'lineate'], 'elation': ['alnoite', 'elation', 'toenail'], 'elator': ['elator', 'lorate'], 'elb': ['bel', 'elb'], 'elbert': ['belter', 'elbert', 'treble'], 'elberta': ['bearlet', 'bleater', 'elberta', 'retable'], 'elbow': ['below', 'bowel', 'elbow'], 'elbowed': ['boweled', 'elbowed'], 'eld': ['del', 'eld', 'led'], 'eldin': ['eldin', 'lined'], 'elding': ['dingle', 'elding', 'engild', 'gilden'], 'elean': ['anele', 'elean'], 'election': ['coteline', 'election'], 'elective': ['cleveite', 'elective'], 'elector': ['elector', 'electro'], 'electoral': ['electoral', 'recollate'], 'electra': ['electra', 'treacle'], 'electragy': ['electragy', 'glycerate'], 'electret': ['electret', 'tercelet'], 'electric': ['electric', 'lectrice'], 'electrion': ['centriole', 'electrion', 'relection'], 'electro': ['elector', 'electro'], 'electrodynamic': ['dynamoelectric', 'electrodynamic'], 'electrodynamical': ['dynamoelectrical', 'electrodynamical'], 'electromagnetic': ['electromagnetic', 'magnetoelectric'], 'electromagnetical': ['electromagnetical', 'magnetoelectrical'], 'electrothermic': ['electrothermic', 'thermoelectric'], 'electrothermometer': ['electrothermometer', 'thermoelectrometer'], 'elegant': ['angelet', 'elegant'], 'elegiambus': ['elegiambus', 'iambelegus'], 'elegiast': ['elegiast', 'selagite'], 'elemi': ['elemi', 'meile'], 'elemin': ['elemin', 'meline'], 'elephantic': ['elephantic', 'plancheite'], 'elettaria': ['elettaria', 'retaliate'], 'eleut': ['eleut', 'elute'], 'elevator': ['elevator', 'overlate'], 'elfin': ['elfin', 'nifle'], 'elfishness': ['elfishness', 'fleshiness'], 'elfkin': ['elfkin', 'finkel'], 'elfwort': ['elfwort', 'felwort'], 'eli': ['eli', 'lei', 'lie'], 'elia': ['aiel', 'aile', 'elia'], 'elian': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elias': ['aisle', 'elias'], 'elicitor': ['elicitor', 'trioleic'], 'eliminand': ['eliminand', 'mindelian'], 'elinor': ['elinor', 'lienor', 'lorien', 'noiler'], 'elinvar': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'elisha': ['elisha', 'hailse', 'sheila'], 'elisor': ['elisor', 'resoil'], 'elissa': ['elissa', 'lassie'], 'elite': ['elite', 'telei'], 'eliza': ['aizle', 'eliza'], 'elk': ['elk', 'lek'], 'ella': ['alle', 'ella', 'leal'], 'ellagate': ['allegate', 'ellagate'], 'ellenyard': ['ellenyard', 'learnedly'], 'ellick': ['ellick', 'illeck'], 'elliot': ['elliot', 'oillet'], 'elm': ['elm', 'mel'], 'elmer': ['elmer', 'merel', 'merle'], 'elmy': ['elmy', 'yelm'], 'eloah': ['eloah', 'haole'], 'elod': ['dole', 'elod', 'lode', 'odel'], 'eloge': ['eloge', 'golee'], 'elohimic': ['elohimic', 'hemiolic'], 'elohist': ['elohist', 'hostile'], 'eloign': ['eloign', 'gileno', 'legion'], 'eloigner': ['eloigner', 'legioner'], 'eloignment': ['eloignment', 'omnilegent'], 'elon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'elonite': ['elonite', 'leonite'], 'elops': ['elops', 'slope', 'spole'], 'elric': ['crile', 'elric', 'relic'], 'els': ['els', 'les'], 'elsa': ['elsa', 'sale', 'seal', 'slae'], 'else': ['else', 'lees', 'seel', 'sele', 'slee'], 'elsin': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'elt': ['elt', 'let'], 'eluate': ['aulete', 'eluate'], 'eluder': ['dueler', 'eluder'], 'elusion': ['elusion', 'luiseno'], 'elusory': ['elusory', 'yoursel'], 'elute': ['eleut', 'elute'], 'elution': ['elution', 'outline'], 'elutor': ['elutor', 'louter', 'outler'], 'elvan': ['elvan', 'navel', 'venal'], 'elvanite': ['elvanite', 'lavenite'], 'elver': ['elver', 'lever', 'revel'], 'elvet': ['elvet', 'velte'], 'elvira': ['averil', 'elvira'], 'elvis': ['elvis', 'levis', 'slive'], 'elwood': ['dewool', 'elwood', 'wooled'], 'elymi': ['elymi', 'emily', 'limey'], 'elysia': ['easily', 'elysia'], 'elytral': ['alertly', 'elytral'], 'elytrin': ['elytrin', 'inertly', 'trinely'], 'elytroposis': ['elytroposis', 'proteolysis'], 'elytrous': ['elytrous', 'urostyle'], 'em': ['em', 'me'], 'emanate': ['emanate', 'manatee'], 'emanation': ['amnionate', 'anamniote', 'emanation'], 'emanatist': ['emanatist', 'staminate', 'tasmanite'], 'embalmer': ['embalmer', 'emmarble'], 'embar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'embargo': ['bergamo', 'embargo'], 'embark': ['embark', 'markeb'], 'embay': ['beamy', 'embay', 'maybe'], 'ember': ['breme', 'ember'], 'embind': ['embind', 'nimbed'], 'embira': ['ambier', 'bremia', 'embira'], 'embodier': ['demirobe', 'embodier'], 'embody': ['beydom', 'embody'], 'embole': ['bemole', 'embole'], 'embraceor': ['cerebroma', 'embraceor'], 'embrail': ['embrail', 'mirabel'], 'embryoid': ['embryoid', 'reimbody'], 'embus': ['embus', 'sebum'], 'embusk': ['bemusk', 'embusk'], 'emcee': ['emcee', 'meece'], 'emeership': ['emeership', 'ephemeris'], 'emend': ['emend', 'mende'], 'emendation': ['denominate', 'emendation'], 'emendator': ['emendator', 'ondameter'], 'emerita': ['emerita', 'emirate'], 'emerse': ['emerse', 'seemer'], 'emersion': ['emersion', 'meriones'], 'emersonian': ['emersonian', 'mansioneer'], 'emesa': ['emesa', 'mease'], 'emigrate': ['emigrate', 'remigate'], 'emigration': ['emigration', 'remigation'], 'emil': ['emil', 'lime', 'mile'], 'emilia': ['emilia', 'mailie'], 'emily': ['elymi', 'emily', 'limey'], 'emim': ['emim', 'mime'], 'emir': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'emirate': ['emerita', 'emirate'], 'emirship': ['emirship', 'imperish'], 'emissary': ['emissary', 'missayer'], 'emit': ['emit', 'item', 'mite', 'time'], 'emitter': ['emitter', 'termite'], 'emm': ['emm', 'mem'], 'emmarble': ['embalmer', 'emmarble'], 'emodin': ['domine', 'domnei', 'emodin', 'medino'], 'emotion': ['emotion', 'moonite'], 'empanel': ['empanel', 'emplane', 'peelman'], 'empathic': ['empathic', 'emphatic'], 'empathically': ['empathically', 'emphatically'], 'emphasis': ['emphasis', 'misshape'], 'emphatic': ['empathic', 'emphatic'], 'emphatically': ['empathically', 'emphatically'], 'empire': ['empire', 'epimer'], 'empiricist': ['empiricist', 'empiristic'], 'empiristic': ['empiricist', 'empiristic'], 'emplane': ['empanel', 'emplane', 'peelman'], 'employer': ['employer', 'polymere'], 'emporia': ['emporia', 'meropia'], 'emporial': ['emporial', 'proemial'], 'emporium': ['emporium', 'pomerium', 'proemium'], 'emprise': ['emprise', 'imprese', 'premise', 'spireme'], 'empt': ['empt', 'temp'], 'emptier': ['emptier', 'impetre'], 'emption': ['emption', 'pimento'], 'emptional': ['emptional', 'palmitone'], 'emptor': ['emptor', 'trompe'], 'empyesis': ['empyesis', 'pyemesis'], 'emu': ['emu', 'ume'], 'emulant': ['almuten', 'emulant'], 'emulation': ['emulation', 'laumonite'], 'emulsion': ['emulsion', 'solenium'], 'emundation': ['emundation', 'mountained'], 'emyd': ['demy', 'emyd'], 'en': ['en', 'ne'], 'enable': ['baleen', 'enable'], 'enabler': ['enabler', 'renable'], 'enaction': ['cetonian', 'enaction'], 'enactor': ['enactor', 'necator', 'orcanet'], 'enactory': ['enactory', 'octenary'], 'enaena': ['aenean', 'enaena'], 'enalid': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'enaliornis': ['enaliornis', 'rosaniline'], 'enaluron': ['enaluron', 'neuronal'], 'enam': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'enamel': ['enamel', 'melena'], 'enameling': ['enameling', 'malengine', 'meningeal'], 'enamor': ['enamor', 'monera', 'oreman', 'romane'], 'enamored': ['demeanor', 'enamored'], 'enanthem': ['enanthem', 'menthane'], 'enantiomer': ['enantiomer', 'renominate'], 'enapt': ['enapt', 'paten', 'penta', 'tapen'], 'enarch': ['enarch', 'ranche'], 'enarm': ['enarm', 'namer', 'reman'], 'enarme': ['enarme', 'meaner', 'rename'], 'enarthrosis': ['enarthrosis', 'nearthrosis'], 'enate': ['eaten', 'enate'], 'enatic': ['acetin', 'actine', 'enatic'], 'enation': ['enation', 'etonian'], 'enbrave': ['enbrave', 'verbena'], 'encapsule': ['encapsule', 'pelecanus'], 'encase': ['encase', 'seance', 'seneca'], 'encash': ['encash', 'sanche'], 'encauma': ['cumaean', 'encauma'], 'encaustes': ['acuteness', 'encaustes'], 'encaustic': ['encaustic', 'succinate'], 'encephalomeningitis': ['encephalomeningitis', 'meningoencephalitis'], 'encephalomeningocele': ['encephalomeningocele', 'meningoencephalocele'], 'encephalomyelitis': ['encephalomyelitis', 'myeloencephalitis'], 'enchair': ['chainer', 'enchair', 'rechain'], 'encharge': ['encharge', 'rechange'], 'encharnel': ['channeler', 'encharnel'], 'enchytrae': ['cytherean', 'enchytrae'], 'encina': ['canine', 'encina', 'neanic'], 'encinillo': ['encinillo', 'linolenic'], 'encist': ['encist', 'incest', 'insect', 'scient'], 'encitadel': ['declinate', 'encitadel'], 'enclaret': ['celarent', 'centrale', 'enclaret'], 'enclasp': ['enclasp', 'spancel'], 'enclave': ['enclave', 'levance', 'valence'], 'enclosure': ['enclosure', 'recounsel'], 'encoignure': ['encoignure', 'neurogenic'], 'encoil': ['clione', 'coelin', 'encoil', 'enolic'], 'encomiastic': ['cosmetician', 'encomiastic'], 'encomic': ['comenic', 'encomic', 'meconic'], 'encomium': ['encomium', 'meconium'], 'encoronal': ['encoronal', 'olecranon'], 'encoronate': ['encoronate', 'entocornea'], 'encradle': ['calender', 'encradle'], 'encranial': ['carnelian', 'encranial'], 'encratic': ['acentric', 'encratic', 'nearctic'], 'encratism': ['encratism', 'miscreant'], 'encraty': ['encraty', 'nectary'], 'encreel': ['crenele', 'encreel'], 'encrinital': ['encrinital', 'tricennial'], 'encrisp': ['encrisp', 'pincers'], 'encrust': ['encrust', 'uncrest'], 'encurl': ['encurl', 'lucern'], 'encurtain': ['encurtain', 'runcinate', 'uncertain'], 'encyrtidae': ['encyrtidae', 'nycteridae'], 'end': ['den', 'end', 'ned'], 'endaortic': ['citronade', 'endaortic', 'redaction'], 'endboard': ['deadborn', 'endboard'], 'endear': ['deaner', 'endear'], 'endeared': ['deadener', 'endeared'], 'endearing': ['endearing', 'engrained', 'grenadine'], 'endearingly': ['endearingly', 'engrainedly'], 'endemial': ['endemial', 'madeline'], 'endere': ['endere', 'needer', 'reeden'], 'enderonic': ['enderonic', 'endocrine'], 'endevil': ['develin', 'endevil'], 'endew': ['endew', 'wende'], 'ending': ['ending', 'ginned'], 'endite': ['eident', 'endite'], 'endive': ['endive', 'envied', 'veined'], 'endoarteritis': ['endoarteritis', 'sideronatrite'], 'endocline': ['endocline', 'indolence'], 'endocrine': ['enderonic', 'endocrine'], 'endome': ['endome', 'omened'], 'endopathic': ['dictaphone', 'endopathic'], 'endophasic': ['deaconship', 'endophasic'], 'endoral': ['endoral', 'ladrone', 'leonard'], 'endosarc': ['endosarc', 'secondar'], 'endosome': ['endosome', 'moonseed'], 'endosporium': ['endosporium', 'imponderous'], 'endosteal': ['endosteal', 'leadstone'], 'endothecial': ['chelidonate', 'endothecial'], 'endothelia': ['endothelia', 'ethanediol', 'ethenoidal'], 'endow': ['endow', 'nowed'], 'endura': ['endura', 'neurad', 'undear', 'unread'], 'endurably': ['endurably', 'undryable'], 'endure': ['durene', 'endure'], 'endurer': ['endurer', 'underer'], 'enduring': ['enduring', 'unringed'], 'enduringly': ['enduringly', 'underlying'], 'endwise': ['endwise', 'sinewed'], 'enema': ['ameen', 'amene', 'enema'], 'enemy': ['enemy', 'yemen'], 'energesis': ['energesis', 'regenesis'], 'energeticist': ['energeticist', 'energetistic'], 'energetistic': ['energeticist', 'energetistic'], 'energic': ['energic', 'generic'], 'energical': ['energical', 'generical'], 'energid': ['energid', 'reeding'], 'energist': ['energist', 'steering'], 'energy': ['energy', 'greeny', 'gyrene'], 'enervate': ['enervate', 'venerate'], 'enervation': ['enervation', 'veneration'], 'enervative': ['enervative', 'venerative'], 'enervator': ['enervator', 'renovater', 'venerator'], 'enfilade': ['alfenide', 'enfilade'], 'enfile': ['enfile', 'enlief', 'enlife', 'feline'], 'enflesh': ['enflesh', 'fleshen'], 'enfoil': ['enfoil', 'olefin'], 'enfold': ['enfold', 'folden', 'fondle'], 'enforcer': ['confrere', 'enforcer', 'reconfer'], 'enframe': ['enframe', 'freeman'], 'engaol': ['angelo', 'engaol'], 'engarb': ['banger', 'engarb', 'graben'], 'engaud': ['augend', 'engaud', 'unaged'], 'engild': ['dingle', 'elding', 'engild', 'gilden'], 'engird': ['engird', 'ringed'], 'engirdle': ['engirdle', 'reedling'], 'engirt': ['engirt', 'tinger'], 'englacial': ['angelical', 'englacial', 'galenical'], 'englacially': ['angelically', 'englacially'], 'englad': ['angled', 'dangle', 'englad', 'lagend'], 'englander': ['englander', 'greenland'], 'english': ['english', 'shingle'], 'englisher': ['englisher', 'reshingle'], 'englut': ['englut', 'gluten', 'ungelt'], 'engobe': ['begone', 'engobe'], 'engold': ['engold', 'golden'], 'engrail': ['aligner', 'engrail', 'realign', 'reginal'], 'engrailed': ['engrailed', 'geraldine'], 'engrailment': ['engrailment', 'realignment'], 'engrain': ['earning', 'engrain'], 'engrained': ['endearing', 'engrained', 'grenadine'], 'engrainedly': ['endearingly', 'engrainedly'], 'engram': ['engram', 'german', 'manger'], 'engraphic': ['engraphic', 'preaching'], 'engrave': ['avenger', 'engrave'], 'engross': ['engross', 'grossen'], 'enhat': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'enheart': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'enherit': ['enherit', 'etherin', 'neither', 'therein'], 'enhydra': ['enhydra', 'henyard'], 'eniac': ['anice', 'eniac'], 'enicuridae': ['audiencier', 'enicuridae'], 'enid': ['dine', 'enid', 'inde', 'nide'], 'enif': ['enif', 'fine', 'neif', 'nife'], 'enisle': ['enisle', 'ensile', 'senile', 'silene'], 'enlace': ['elance', 'enlace'], 'enlard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'enlarge': ['enlarge', 'general', 'gleaner'], 'enleaf': ['enleaf', 'leafen'], 'enlief': ['enfile', 'enlief', 'enlife', 'feline'], 'enlife': ['enfile', 'enlief', 'enlife', 'feline'], 'enlight': ['enlight', 'lighten'], 'enlist': ['enlist', 'listen', 'silent', 'tinsel'], 'enlisted': ['enlisted', 'lintseed'], 'enlister': ['enlister', 'esterlin', 'listener', 'relisten'], 'enmass': ['enmass', 'maness', 'messan'], 'enneadic': ['cadinene', 'decennia', 'enneadic'], 'ennobler': ['ennobler', 'nonrebel'], 'ennoic': ['conine', 'connie', 'ennoic'], 'ennomic': ['ennomic', 'meconin'], 'enoch': ['cohen', 'enoch'], 'enocyte': ['enocyte', 'neocyte'], 'enodal': ['enodal', 'loaden'], 'enoil': ['enoil', 'ileon', 'olein'], 'enol': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'enolic': ['clione', 'coelin', 'encoil', 'enolic'], 'enomania': ['enomania', 'maeonian'], 'enomotarch': ['chromatone', 'enomotarch'], 'enorganic': ['enorganic', 'ignorance'], 'enorm': ['enorm', 'moner', 'morne'], 'enormous': ['enormous', 'unmorose'], 'enos': ['enos', 'nose'], 'enostosis': ['enostosis', 'sootiness'], 'enow': ['enow', 'owen', 'wone'], 'enphytotic': ['enphytotic', 'entophytic'], 'enrace': ['careen', 'carene', 'enrace'], 'enrage': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'enraged': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'enragedly': ['enragedly', 'legendary'], 'enrapt': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'enravish': ['enravish', 'ravenish', 'vanisher'], 'enray': ['enray', 'yearn'], 'enrib': ['brine', 'enrib'], 'enrich': ['enrich', 'nicher', 'richen'], 'enring': ['enring', 'ginner'], 'enrive': ['enrive', 'envier', 'veiner', 'verine'], 'enrobe': ['boreen', 'enrobe', 'neebor', 'rebone'], 'enrol': ['enrol', 'loren'], 'enrolled': ['enrolled', 'rondelle'], 'enrough': ['enrough', 'roughen'], 'enruin': ['enruin', 'neurin', 'unrein'], 'enrut': ['enrut', 'tuner', 'urent'], 'ens': ['ens', 'sen'], 'ensaint': ['ensaint', 'stanine'], 'ensate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ense': ['ense', 'esne', 'nese', 'seen', 'snee'], 'enseam': ['enseam', 'semnae'], 'enseat': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ensepulcher': ['ensepulcher', 'ensepulchre'], 'ensepulchre': ['ensepulcher', 'ensepulchre'], 'enshade': ['dasheen', 'enshade'], 'enshroud': ['enshroud', 'unshored'], 'ensigncy': ['ensigncy', 'syngenic'], 'ensilage': ['ensilage', 'genesial', 'signalee'], 'ensile': ['enisle', 'ensile', 'senile', 'silene'], 'ensilver': ['ensilver', 'sniveler'], 'ensmall': ['ensmall', 'smallen'], 'ensoul': ['ensoul', 'olenus', 'unsole'], 'enspirit': ['enspirit', 'pristine'], 'enstar': ['astern', 'enstar', 'stenar', 'sterna'], 'enstatite': ['enstatite', 'intestate', 'satinette'], 'enstool': ['enstool', 'olonets'], 'enstore': ['enstore', 'estrone', 'storeen', 'tornese'], 'ensue': ['ensue', 'seenu', 'unsee'], 'ensuer': ['ensuer', 'ensure'], 'ensure': ['ensuer', 'ensure'], 'entablature': ['entablature', 'untreatable'], 'entach': ['entach', 'netcha'], 'entad': ['denat', 'entad'], 'entada': ['adnate', 'entada'], 'entail': ['entail', 'tineal'], 'entailer': ['elaterin', 'entailer', 'treenail'], 'ental': ['ental', 'laten', 'leant'], 'entasia': ['anisate', 'entasia'], 'entasis': ['entasis', 'sestian', 'sestina'], 'entelam': ['entelam', 'leetman'], 'enter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'enteral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'enterer': ['enterer', 'terrene'], 'enteria': ['enteria', 'trainee', 'triaene'], 'enteric': ['citrene', 'enteric', 'enticer', 'tercine'], 'enterocolitis': ['coloenteritis', 'enterocolitis'], 'enterogastritis': ['enterogastritis', 'gastroenteritis'], 'enteroid': ['enteroid', 'orendite'], 'enteron': ['enteron', 'tenoner'], 'enteropexy': ['enteropexy', 'oxyterpene'], 'entertain': ['entertain', 'tarentine', 'terentian'], 'entheal': ['entheal', 'lethean'], 'enthraldom': ['enthraldom', 'motherland'], 'enthuse': ['enthuse', 'unsheet'], 'entia': ['entia', 'teian', 'tenai', 'tinea'], 'enticer': ['citrene', 'enteric', 'enticer', 'tercine'], 'entincture': ['entincture', 'unreticent'], 'entire': ['entire', 'triene'], 'entirely': ['entirely', 'lientery'], 'entirety': ['entirety', 'eternity'], 'entity': ['entity', 'tinety'], 'entocoelic': ['coelection', 'entocoelic'], 'entocornea': ['encoronate', 'entocornea'], 'entohyal': ['entohyal', 'ethanoyl'], 'entoil': ['entoil', 'lionet'], 'entomeric': ['entomeric', 'intercome', 'morencite'], 'entomic': ['centimo', 'entomic', 'tecomin'], 'entomical': ['entomical', 'melanotic'], 'entomion': ['entomion', 'noontime'], 'entomoid': ['demotion', 'entomoid', 'moontide'], 'entomophily': ['entomophily', 'monophylite'], 'entomotomy': ['entomotomy', 'omentotomy'], 'entoparasite': ['antiprotease', 'entoparasite'], 'entophyte': ['entophyte', 'tenophyte'], 'entophytic': ['enphytotic', 'entophytic'], 'entopic': ['entopic', 'nepotic', 'pentoic'], 'entoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'entoretina': ['entoretina', 'tetraonine'], 'entosarc': ['ancestor', 'entosarc'], 'entotic': ['entotic', 'tonetic'], 'entozoa': ['entozoa', 'ozonate'], 'entozoic': ['entozoic', 'enzootic'], 'entrail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'entrain': ['entrain', 'teriann'], 'entrance': ['centenar', 'entrance'], 'entrap': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'entreat': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'entreating': ['entreating', 'interagent'], 'entree': ['entree', 'rentee', 'retene'], 'entrepas': ['entrepas', 'septenar'], 'entropion': ['entropion', 'pontonier', 'prenotion'], 'entropium': ['entropium', 'importune'], 'entrust': ['entrust', 'stunter', 'trusten'], 'enumeration': ['enumeration', 'mountaineer'], 'enunciation': ['enunciation', 'incuneation'], 'enunciator': ['enunciator', 'uncreation'], 'enure': ['enure', 'reune'], 'envelope': ['envelope', 'ovenpeel'], 'enverdure': ['enverdure', 'unrevered'], 'envied': ['endive', 'envied', 'veined'], 'envier': ['enrive', 'envier', 'veiner', 'verine'], 'envious': ['envious', 'niveous', 'veinous'], 'envoy': ['envoy', 'nevoy', 'yoven'], 'enwood': ['enwood', 'wooden'], 'enwound': ['enwound', 'unowned'], 'enwrap': ['enwrap', 'pawner', 'repawn'], 'enwrite': ['enwrite', 'retwine'], 'enzootic': ['entozoic', 'enzootic'], 'eoan': ['aeon', 'eoan'], 'eogaean': ['eogaean', 'neogaea'], 'eolithic': ['chiolite', 'eolithic'], 'eon': ['eon', 'neo', 'one'], 'eonism': ['eonism', 'mesion', 'oneism', 'simeon'], 'eophyton': ['eophyton', 'honeypot'], 'eosaurus': ['eosaurus', 'rousseau'], 'eosin': ['eosin', 'noise'], 'eosinoblast': ['bosselation', 'eosinoblast'], 'epacrid': ['epacrid', 'peracid', 'preacid'], 'epacris': ['epacris', 'scrapie', 'serapic'], 'epactal': ['epactal', 'placate'], 'eparch': ['aperch', 'eparch', 'percha', 'preach'], 'eparchial': ['eparchial', 'raphaelic'], 'eparchy': ['eparchy', 'preachy'], 'epha': ['epha', 'heap'], 'epharmonic': ['epharmonic', 'pinachrome'], 'ephemeris': ['emeership', 'ephemeris'], 'ephod': ['depoh', 'ephod', 'hoped'], 'ephor': ['ephor', 'hoper'], 'ephorus': ['ephorus', 'orpheus', 'upshore'], 'epibasal': ['ablepsia', 'epibasal'], 'epibole': ['epibole', 'epilobe'], 'epic': ['epic', 'pice'], 'epical': ['epical', 'piacle', 'plaice'], 'epicarp': ['crappie', 'epicarp'], 'epicentral': ['epicentral', 'parentelic'], 'epiceratodus': ['dipteraceous', 'epiceratodus'], 'epichorial': ['aerophilic', 'epichorial'], 'epicly': ['epicly', 'pyelic'], 'epicostal': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'epicotyl': ['epicotyl', 'lipocyte'], 'epicranial': ['epicranial', 'periacinal'], 'epiderm': ['demirep', 'epiderm', 'impeder', 'remiped'], 'epiderma': ['epiderma', 'premedia'], 'epidermal': ['epidermal', 'impleader', 'premedial'], 'epidermis': ['dispireme', 'epidermis'], 'epididymovasostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'epidural': ['dipleura', 'epidural'], 'epigram': ['epigram', 'primage'], 'epilabrum': ['epilabrum', 'impuberal'], 'epilachna': ['cephalina', 'epilachna'], 'epilate': ['epilate', 'epitela', 'pileate'], 'epilation': ['epilation', 'polianite'], 'epilatory': ['epilatory', 'petiolary'], 'epilobe': ['epibole', 'epilobe'], 'epimer': ['empire', 'epimer'], 'epiotic': ['epiotic', 'poietic'], 'epipactis': ['epipactis', 'epipastic'], 'epipastic': ['epipactis', 'epipastic'], 'epiplasm': ['epiplasm', 'palmipes'], 'epiploic': ['epiploic', 'epipolic'], 'epipolic': ['epiploic', 'epipolic'], 'epirotic': ['epirotic', 'periotic'], 'episclera': ['episclera', 'periclase'], 'episematic': ['episematic', 'septicemia'], 'episodal': ['episodal', 'lapidose', 'sepaloid'], 'episodial': ['apsidiole', 'episodial'], 'epistatic': ['epistatic', 'pistacite'], 'episternal': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'episternum': ['episternum', 'uprisement'], 'epistlar': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'epistle': ['epistle', 'septile'], 'epistler': ['epistler', 'spirelet'], 'epistoler': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'epistoma': ['epistoma', 'metopias'], 'epistome': ['epistome', 'epsomite'], 'epistroma': ['epistroma', 'peristoma'], 'epitela': ['epilate', 'epitela', 'pileate'], 'epithecal': ['epithecal', 'petechial', 'phacelite'], 'epithecate': ['epithecate', 'petechiate'], 'epithet': ['epithet', 'heptite'], 'epithyme': ['epithyme', 'hemitype'], 'epitomizer': ['epitomizer', 'peritomize'], 'epizoal': ['epizoal', 'lopezia', 'opalize'], 'epoch': ['epoch', 'poche'], 'epodic': ['copied', 'epodic'], 'epornitic': ['epornitic', 'proteinic'], 'epos': ['epos', 'peso', 'pose', 'sope'], 'epsilon': ['epsilon', 'sinople'], 'epsomite': ['epistome', 'epsomite'], 'epulis': ['epulis', 'pileus'], 'epulo': ['epulo', 'loupe'], 'epuloid': ['epuloid', 'euploid'], 'epulosis': ['epulosis', 'pelusios'], 'epulotic': ['epulotic', 'poultice'], 'epural': ['epural', 'perula', 'pleura'], 'epuration': ['epuration', 'eupatorin'], 'equal': ['equal', 'quale', 'queal'], 'equalable': ['aquabelle', 'equalable'], 'equiangle': ['angelique', 'equiangle'], 'equinity': ['equinity', 'inequity'], 'equip': ['equip', 'pique'], 'equitable': ['equitable', 'quietable'], 'equitist': ['equitist', 'quietist'], 'equus': ['equus', 'usque'], 'er': ['er', 're'], 'era': ['aer', 'are', 'ear', 'era', 'rea'], 'erade': ['eared', 'erade'], 'eradicant': ['carinated', 'eradicant'], 'eradicator': ['corradiate', 'cortaderia', 'eradicator'], 'eral': ['earl', 'eral', 'lear', 'real'], 'eranist': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'erase': ['easer', 'erase'], 'erased': ['erased', 'reseda', 'seared'], 'eraser': ['eraser', 'searer'], 'erasmian': ['erasmian', 'raiseman'], 'erasmus': ['assumer', 'erasmus', 'masseur'], 'erastian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'erastus': ['erastus', 'ressaut'], 'erava': ['avera', 'erava'], 'erbia': ['barie', 'beira', 'erbia', 'rebia'], 'erbium': ['erbium', 'imbrue'], 'erd': ['erd', 'red'], 'ere': ['eer', 'ere', 'ree'], 'erect': ['crete', 'erect'], 'erectable': ['celebrate', 'erectable'], 'erecting': ['erecting', 'gentrice'], 'erection': ['erection', 'neoteric', 'nocerite', 'renotice'], 'eremic': ['eremic', 'merice'], 'eremital': ['eremital', 'materiel'], 'erept': ['erept', 'peter', 'petre'], 'ereptic': ['ereptic', 'precite', 'receipt'], 'ereption': ['ereption', 'tropeine'], 'erethic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'erethism': ['erethism', 'etherism', 'heterism'], 'erethismic': ['erethismic', 'hetericism'], 'erethistic': ['erethistic', 'hetericist'], 'eretrian': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erg': ['erg', 'ger', 'reg'], 'ergal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'ergamine': ['ergamine', 'merginae'], 'ergane': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'ergastic': ['agrestic', 'ergastic'], 'ergates': ['ergates', 'gearset', 'geaster'], 'ergoism': ['ergoism', 'ogreism'], 'ergomaniac': ['ergomaniac', 'grecomania'], 'ergon': ['ergon', 'genro', 'goner', 'negro'], 'ergot': ['ergot', 'rotge'], 'ergotamine': ['angiometer', 'ergotamine', 'geometrina'], 'ergotin': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'ergusia': ['ergusia', 'gerusia', 'sarigue'], 'eria': ['aire', 'eria'], 'erian': ['erian', 'irena', 'reina'], 'eric': ['eric', 'rice'], 'erica': ['acier', 'aeric', 'ceria', 'erica'], 'ericad': ['acider', 'ericad'], 'erical': ['carlie', 'claire', 'eclair', 'erical'], 'erichtoid': ['dichroite', 'erichtoid', 'theriodic'], 'erigenia': ['aegirine', 'erigenia'], 'erigeron': ['erigeron', 'reignore'], 'erik': ['erik', 'kier', 'reki'], 'erineum': ['erineum', 'unireme'], 'erinose': ['erinose', 'roseine'], 'eristalis': ['eristalis', 'serialist'], 'eristic': ['ectiris', 'eristic'], 'eristical': ['eristical', 'realistic'], 'erithacus': ['erithacus', 'eucharist'], 'eritrean': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erma': ['erma', 'mare', 'rame', 'ream'], 'ermani': ['ermani', 'marine', 'remain'], 'ermines': ['ermines', 'inermes'], 'erne': ['erne', 'neer', 'reen'], 'ernest': ['ernest', 'nester', 'resent', 'streen'], 'ernie': ['ernie', 'ierne', 'irene'], 'ernst': ['ernst', 'stern'], 'erode': ['doree', 'erode'], 'eros': ['eros', 'rose', 'sero', 'sore'], 'erose': ['erose', 'soree'], 'erotesis': ['erotesis', 'isostere'], 'erotic': ['erotic', 'tercio'], 'erotical': ['calorite', 'erotical', 'loricate'], 'eroticism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'erotism': ['erotism', 'mortise', 'trisome'], 'erotogenic': ['erotogenic', 'geocronite', 'orogenetic'], 'errabund': ['errabund', 'unbarred'], 'errand': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'errant': ['arrent', 'errant', 'ranter', 'ternar'], 'errantia': ['artarine', 'errantia'], 'erratic': ['cartier', 'cirrate', 'erratic'], 'erratum': ['erratum', 'maturer'], 'erring': ['erring', 'rering', 'ringer'], 'errite': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'ers': ['ers', 'ser'], 'ersar': ['ersar', 'raser', 'serra'], 'erse': ['erse', 'rees', 'seer', 'sere'], 'erthen': ['erthen', 'henter', 'nether', 'threne'], 'eruc': ['cure', 'ecru', 'eruc'], 'eruciform': ['eruciform', 'urceiform'], 'erucin': ['curine', 'erucin', 'neuric'], 'erucivorous': ['erucivorous', 'overcurious'], 'eruct': ['cruet', 'eruct', 'recut', 'truce'], 'eruction': ['eruction', 'neurotic'], 'erugate': ['erugate', 'guetare'], 'erumpent': ['erumpent', 'untemper'], 'eruption': ['eruption', 'unitrope'], 'erwin': ['erwin', 'rewin', 'winer'], 'eryngium': ['eryngium', 'gynerium'], 'eryon': ['eryon', 'onery'], 'eryops': ['eryops', 'osprey'], 'erythea': ['erythea', 'hetaery', 'yeather'], 'erythrin': ['erythrin', 'tyrrheni'], 'erythrophage': ['erythrophage', 'heterography'], 'erythrophyllin': ['erythrophyllin', 'phylloerythrin'], 'erythropia': ['erythropia', 'pyrotheria'], 'es': ['es', 'se'], 'esca': ['case', 'esca'], 'escalan': ['escalan', 'scalena'], 'escalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'escaloped': ['copleased', 'escaloped'], 'escapement': ['escapement', 'espacement'], 'escaper': ['escaper', 'respace'], 'escarp': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'eschar': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'eschara': ['asearch', 'eschara'], 'escheator': ['escheator', 'tocharese'], 'escobilla': ['escobilla', 'obeliscal'], 'escolar': ['escolar', 'solacer'], 'escort': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'escortment': ['centermost', 'escortment'], 'escrol': ['closer', 'cresol', 'escrol'], 'escropulo': ['escropulo', 'supercool'], 'esculent': ['esculent', 'unselect'], 'esculin': ['esculin', 'incluse'], 'esere': ['esere', 'reese', 'resee'], 'esexual': ['esexual', 'sexuale'], 'eshin': ['eshin', 'shine'], 'esiphonal': ['esiphonal', 'phaseolin'], 'esker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'eskualdun': ['eskualdun', 'euskaldun'], 'eskuara': ['eskuara', 'euskara'], 'esne': ['ense', 'esne', 'nese', 'seen', 'snee'], 'esophagogastrostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'esopus': ['esopus', 'spouse'], 'esoterical': ['cesarolite', 'esoterical'], 'esoterist': ['esoterist', 'trisetose'], 'esotrope': ['esotrope', 'proteose'], 'esotropia': ['aportoise', 'esotropia'], 'espacement': ['escapement', 'espacement'], 'espadon': ['espadon', 'spadone'], 'esparto': ['esparto', 'petrosa', 'seaport'], 'esperantic': ['esperantic', 'interspace'], 'esperantido': ['desperation', 'esperantido'], 'esperantism': ['esperantism', 'strepsinema'], 'esperanto': ['esperanto', 'personate'], 'espial': ['espial', 'lipase', 'pelias'], 'espier': ['espier', 'peiser'], 'espinal': ['espinal', 'pinales', 'spaniel'], 'espino': ['espino', 'sepion'], 'espringal': ['espringal', 'presignal', 'relapsing'], 'esquire': ['esquire', 'risquee'], 'essence': ['essence', 'senesce'], 'essenism': ['essenism', 'messines'], 'essie': ['essie', 'seise'], 'essling': ['essling', 'singles'], 'essoin': ['essoin', 'ossein'], 'essonite': ['essonite', 'ossetine'], 'essorant': ['assentor', 'essorant', 'starnose'], 'estamene': ['easement', 'estamene'], 'esteem': ['esteem', 'mestee'], 'estella': ['estella', 'sellate'], 'ester': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'esterlin': ['enlister', 'esterlin', 'listener', 'relisten'], 'esterling': ['esterling', 'steerling'], 'estevin': ['estevin', 'tensive'], 'esth': ['esth', 'hest', 'seth'], 'esther': ['esther', 'hester', 'theres'], 'estivage': ['estivage', 'vegasite'], 'estoc': ['coset', 'estoc', 'scote'], 'estonian': ['estonian', 'nasonite'], 'estop': ['estop', 'stoep', 'stope'], 'estradiol': ['estradiol', 'idolaster'], 'estrange': ['estrange', 'segreant', 'sergeant', 'sternage'], 'estray': ['atresy', 'estray', 'reasty', 'stayer'], 'estre': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'estreat': ['estreat', 'restate', 'retaste'], 'estrepe': ['estrepe', 'resteep', 'steeper'], 'estriate': ['estriate', 'treatise'], 'estrin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'estriol': ['estriol', 'torsile'], 'estrogen': ['estrogen', 'gerontes'], 'estrone': ['enstore', 'estrone', 'storeen', 'tornese'], 'estrous': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'estrual': ['arustle', 'estrual', 'saluter', 'saulter'], 'estufa': ['estufa', 'fusate'], 'eta': ['ate', 'eat', 'eta', 'tae', 'tea'], 'etacism': ['cameist', 'etacism', 'sematic'], 'etacist': ['etacist', 'statice'], 'etalon': ['etalon', 'tolane'], 'etamin': ['etamin', 'inmate', 'taimen', 'tamein'], 'etamine': ['amenite', 'etamine', 'matinee'], 'etch': ['chet', 'etch', 'tche', 'tech'], 'etcher': ['cherte', 'etcher'], 'eternal': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'eternalism': ['eternalism', 'streamline'], 'eternity': ['entirety', 'eternity'], 'etesian': ['etesian', 'senaite'], 'ethal': ['ethal', 'lathe', 'leath'], 'ethan': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'ethanal': ['anthela', 'ethanal'], 'ethane': ['ethane', 'taheen'], 'ethanediol': ['endothelia', 'ethanediol', 'ethenoidal'], 'ethanim': ['ethanim', 'hematin'], 'ethanoyl': ['entohyal', 'ethanoyl'], 'ethel': ['ethel', 'lethe'], 'ethenoidal': ['endothelia', 'ethanediol', 'ethenoidal'], 'ether': ['ether', 'rethe', 'theer', 'there', 'three'], 'etheria': ['ehretia', 'etheria'], 'etheric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'etherin': ['enherit', 'etherin', 'neither', 'therein'], 'etherion': ['etherion', 'hereinto', 'heronite'], 'etherism': ['erethism', 'etherism', 'heterism'], 'etherization': ['etherization', 'heterization'], 'etherize': ['etherize', 'heterize'], 'ethicism': ['ethicism', 'shemitic'], 'ethicist': ['ethicist', 'thecitis', 'theistic'], 'ethics': ['ethics', 'sethic'], 'ethid': ['edith', 'ethid'], 'ethine': ['ethine', 'theine'], 'ethiop': ['ethiop', 'ophite', 'peitho'], 'ethmoidal': ['ethmoidal', 'oldhamite'], 'ethmosphenoid': ['ethmosphenoid', 'sphenoethmoid'], 'ethmosphenoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'ethnal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'ethnical': ['chainlet', 'ethnical'], 'ethnological': ['allothogenic', 'ethnological'], 'ethnos': ['ethnos', 'honest'], 'ethography': ['ethography', 'hyetograph'], 'ethologic': ['ethologic', 'theologic'], 'ethological': ['ethological', 'lethologica', 'theological'], 'ethology': ['ethology', 'theology'], 'ethos': ['ethos', 'shote', 'those'], 'ethylic': ['ethylic', 'techily'], 'ethylin': ['ethylin', 'thienyl'], 'etna': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'etnean': ['etnean', 'neaten'], 'etonian': ['enation', 'etonian'], 'etruscan': ['etruscan', 'recusant'], 'etta': ['etta', 'tate', 'teat'], 'ettarre': ['ettarre', 'retreat', 'treater'], 'ettle': ['ettle', 'tetel'], 'etua': ['aute', 'etua'], 'euaster': ['austere', 'euaster'], 'eucalypteol': ['eucalypteol', 'eucalyptole'], 'eucalyptole': ['eucalypteol', 'eucalyptole'], 'eucatropine': ['eucatropine', 'neurectopia'], 'eucharis': ['acheirus', 'eucharis'], 'eucharist': ['erithacus', 'eucharist'], 'euchlaena': ['acheulean', 'euchlaena'], 'eulogism': ['eulogism', 'uglisome'], 'eumolpus': ['eumolpus', 'plumeous'], 'eunomia': ['eunomia', 'moineau'], 'eunomy': ['eunomy', 'euonym'], 'euonym': ['eunomy', 'euonym'], 'eupatorin': ['epuration', 'eupatorin'], 'euplastic': ['euplastic', 'spiculate'], 'euploid': ['epuloid', 'euploid'], 'euproctis': ['crepitous', 'euproctis', 'uroseptic'], 'eurindic': ['dineuric', 'eurindic'], 'eurus': ['eurus', 'usure'], 'euscaro': ['acerous', 'carouse', 'euscaro'], 'euskaldun': ['eskualdun', 'euskaldun'], 'euskara': ['eskuara', 'euskara'], 'eusol': ['eusol', 'louse'], 'eutannin': ['eutannin', 'uninnate'], 'eutaxic': ['auxetic', 'eutaxic'], 'eutheria': ['eutheria', 'hauerite'], 'eutropic': ['eutropic', 'outprice'], 'eva': ['ave', 'eva'], 'evade': ['deave', 'eaved', 'evade'], 'evader': ['evader', 'verdea'], 'evadne': ['advene', 'evadne'], 'evan': ['evan', 'nave', 'vane'], 'evanish': ['evanish', 'inshave'], 'evase': ['eaves', 'evase', 'seave'], 'eve': ['eve', 'vee'], 'evea': ['eave', 'evea'], 'evection': ['civetone', 'evection'], 'evejar': ['evejar', 'rajeev'], 'evelyn': ['evelyn', 'evenly'], 'even': ['even', 'neve', 'veen'], 'evener': ['evener', 'veneer'], 'evenly': ['evelyn', 'evenly'], 'evens': ['evens', 'seven'], 'eveque': ['eveque', 'queeve'], 'ever': ['ever', 'reve', 'veer'], 'evert': ['evert', 'revet'], 'everwhich': ['everwhich', 'whichever'], 'everwho': ['everwho', 'however', 'whoever'], 'every': ['every', 'veery'], 'evestar': ['evestar', 'versate'], 'evict': ['civet', 'evict'], 'evil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'evildoer': ['evildoer', 'overidle'], 'evilhearted': ['evilhearted', 'vilehearted'], 'evilly': ['evilly', 'lively', 'vilely'], 'evilness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'evince': ['cevine', 'evince', 'venice'], 'evisite': ['evisite', 'visitee'], 'evitation': ['evitation', 'novitiate'], 'evocator': ['evocator', 'overcoat'], 'evodia': ['evodia', 'ovidae'], 'evoker': ['evoker', 'revoke'], 'evolver': ['evolver', 'revolve'], 'ewder': ['dewer', 'ewder', 'rewed'], 'ewe': ['ewe', 'wee'], 'ewer': ['ewer', 'were'], 'exacter': ['exacter', 'excreta'], 'exalt': ['exalt', 'latex'], 'exam': ['amex', 'exam', 'xema'], 'examinate': ['examinate', 'exanimate', 'metaxenia'], 'examination': ['examination', 'exanimation'], 'exanimate': ['examinate', 'exanimate', 'metaxenia'], 'exanimation': ['examination', 'exanimation'], 'exasperation': ['exasperation', 'xenoparasite'], 'exaudi': ['adieux', 'exaudi'], 'excarnation': ['centraxonia', 'excarnation'], 'excecation': ['cacoxenite', 'excecation'], 'except': ['except', 'expect'], 'exceptant': ['exceptant', 'expectant'], 'exceptive': ['exceptive', 'expective'], 'excitation': ['excitation', 'intoxicate'], 'excitor': ['excitor', 'xerotic'], 'excreta': ['exacter', 'excreta'], 'excurse': ['excurse', 'excuser'], 'excuser': ['excurse', 'excuser'], 'exert': ['exert', 'exter'], 'exhilarate': ['exhilarate', 'heteraxial'], 'exist': ['exist', 'sixte'], 'exocarp': ['exocarp', 'praecox'], 'exon': ['exon', 'oxen'], 'exordia': ['exordia', 'exradio'], 'exotic': ['coxite', 'exotic'], 'expatiater': ['expatiater', 'expatriate'], 'expatriate': ['expatiater', 'expatriate'], 'expect': ['except', 'expect'], 'expectant': ['exceptant', 'expectant'], 'expective': ['exceptive', 'expective'], 'expirator': ['expirator', 'operatrix'], 'expiree': ['expiree', 'peixere'], 'explicator': ['explicator', 'extropical'], 'expressionism': ['expressionism', 'misexpression'], 'exradio': ['exordia', 'exradio'], 'extend': ['dentex', 'extend'], 'exter': ['exert', 'exter'], 'exterminate': ['antiextreme', 'exterminate'], 'extirpationist': ['extirpationist', 'sextipartition'], 'extra': ['extra', 'retax', 'taxer'], 'extradural': ['dextraural', 'extradural'], 'extropical': ['explicator', 'extropical'], 'exultancy': ['exultancy', 'unexactly'], 'ey': ['ey', 'ye'], 'eyah': ['ahey', 'eyah', 'yeah'], 'eyas': ['easy', 'eyas'], 'eye': ['eye', 'yee'], 'eyed': ['eyed', 'yede'], 'eyen': ['eyen', 'eyne'], 'eyer': ['eyer', 'eyre', 'yere'], 'eyn': ['eyn', 'nye', 'yen'], 'eyne': ['eyen', 'eyne'], 'eyot': ['eyot', 'yote'], 'eyra': ['aery', 'eyra', 'yare', 'year'], 'eyre': ['eyer', 'eyre', 'yere'], 'ezba': ['baze', 'ezba'], 'ezra': ['ezra', 'raze'], 'facebread': ['barefaced', 'facebread'], 'facer': ['facer', 'farce'], 'faciend': ['faciend', 'fancied'], 'facile': ['facile', 'filace'], 'faciobrachial': ['brachiofacial', 'faciobrachial'], 'faciocervical': ['cervicofacial', 'faciocervical'], 'factable': ['factable', 'labefact'], 'factional': ['factional', 'falcation'], 'factish': ['catfish', 'factish'], 'facture': ['facture', 'furcate'], 'facula': ['facula', 'faucal'], 'fade': ['deaf', 'fade'], 'fader': ['fader', 'farde'], 'faery': ['faery', 'freya'], 'fagoter': ['aftergo', 'fagoter'], 'faience': ['faience', 'fiancee'], 'fail': ['alif', 'fail'], 'fain': ['fain', 'naif'], 'fainly': ['fainly', 'naifly'], 'faint': ['faint', 'fanti'], 'fair': ['fair', 'fiar', 'raif'], 'fake': ['fake', 'feak'], 'faker': ['faker', 'freak'], 'fakery': ['fakery', 'freaky'], 'fakir': ['fakir', 'fraik', 'kafir', 'rafik'], 'falcation': ['factional', 'falcation'], 'falco': ['falco', 'focal'], 'falconet': ['conflate', 'falconet'], 'fallback': ['backfall', 'fallback'], 'faller': ['faller', 'refall'], 'fallfish': ['fallfish', 'fishfall'], 'fallible': ['fallible', 'fillable'], 'falling': ['falling', 'fingall'], 'falser': ['falser', 'flaser'], 'faltboat': ['faltboat', 'flatboat'], 'falutin': ['falutin', 'flutina'], 'falx': ['falx', 'flax'], 'fameless': ['fameless', 'selfsame'], 'famelessness': ['famelessness', 'selfsameness'], 'famine': ['famine', 'infame'], 'fancied': ['faciend', 'fancied'], 'fangle': ['fangle', 'flange'], 'fannia': ['fannia', 'fianna'], 'fanti': ['faint', 'fanti'], 'far': ['far', 'fra'], 'farad': ['daraf', 'farad'], 'farce': ['facer', 'farce'], 'farcetta': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farctate': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farde': ['fader', 'farde'], 'fardel': ['alfred', 'fardel'], 'fare': ['fare', 'fear', 'frae', 'rafe'], 'farfel': ['farfel', 'raffle'], 'faring': ['faring', 'frangi'], 'farl': ['farl', 'ralf'], 'farleu': ['earful', 'farleu', 'ferula'], 'farm': ['farm', 'fram'], 'farmable': ['farmable', 'framable'], 'farmer': ['farmer', 'framer'], 'farming': ['farming', 'framing'], 'farnesol': ['farnesol', 'forensal'], 'faro': ['faro', 'fora'], 'farolito': ['farolito', 'footrail'], 'farse': ['farse', 'frase'], 'farset': ['farset', 'faster', 'strafe'], 'farsi': ['farsi', 'sarif'], 'fascio': ['fascio', 'fiasco'], 'fasher': ['afresh', 'fasher', 'ferash'], 'fashioner': ['fashioner', 'refashion'], 'fast': ['fast', 'saft'], 'fasten': ['fasten', 'nefast', 'stefan'], 'fastener': ['fastener', 'fenestra', 'refasten'], 'faster': ['farset', 'faster', 'strafe'], 'fasthold': ['fasthold', 'holdfast'], 'fastland': ['fastland', 'landfast'], 'fat': ['aft', 'fat'], 'fatal': ['aflat', 'fatal'], 'fate': ['atef', 'fate', 'feat'], 'fated': ['defat', 'fated'], 'father': ['father', 'freath', 'hafter'], 'faucal': ['facula', 'faucal'], 'faucet': ['faucet', 'fucate'], 'faulter': ['faulter', 'refutal', 'tearful'], 'faultfind': ['faultfind', 'findfault'], 'faunish': ['faunish', 'nusfiah'], 'faunist': ['faunist', 'fustian', 'infaust'], 'favorer': ['favorer', 'overfar', 'refavor'], 'fayles': ['fayles', 'safely'], 'feague': ['feague', 'feuage'], 'feak': ['fake', 'feak'], 'feal': ['alef', 'feal', 'flea', 'leaf'], 'fealty': ['fealty', 'featly'], 'fear': ['fare', 'fear', 'frae', 'rafe'], 'feastful': ['feastful', 'sufflate'], 'feat': ['atef', 'fate', 'feat'], 'featherbed': ['befathered', 'featherbed'], 'featherer': ['featherer', 'hereafter'], 'featly': ['fealty', 'featly'], 'feckly': ['feckly', 'flecky'], 'fecundate': ['fecundate', 'unfaceted'], 'fecundator': ['fecundator', 'unfactored'], 'federate': ['defeater', 'federate', 'redefeat'], 'feeder': ['feeder', 'refeed'], 'feeding': ['feeding', 'feigned'], 'feel': ['feel', 'flee'], 'feeler': ['feeler', 'refeel', 'reflee'], 'feer': ['feer', 'free', 'reef'], 'feering': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feetless': ['feetless', 'feteless'], 'fei': ['fei', 'fie', 'ife'], 'feif': ['feif', 'fife'], 'feigned': ['feeding', 'feigned'], 'feigner': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feil': ['feil', 'file', 'leif', 'lief', 'life'], 'feint': ['feint', 'fient'], 'feis': ['feis', 'fise', 'sife'], 'feist': ['feist', 'stife'], 'felapton': ['felapton', 'pantofle'], 'felid': ['felid', 'field'], 'feline': ['enfile', 'enlief', 'enlife', 'feline'], 'felinity': ['felinity', 'finitely'], 'fels': ['fels', 'self'], 'felt': ['felt', 'flet', 'left'], 'felter': ['felter', 'telfer', 'trefle'], 'felting': ['felting', 'neftgil'], 'feltness': ['feltness', 'leftness'], 'felwort': ['elfwort', 'felwort'], 'feminal': ['feminal', 'inflame'], 'femora': ['femora', 'foamer'], 'femorocaudal': ['caudofemoral', 'femorocaudal'], 'femorotibial': ['femorotibial', 'tibiofemoral'], 'femur': ['femur', 'fumer'], 'fen': ['fen', 'nef'], 'fender': ['fender', 'ferned'], 'fenestra': ['fastener', 'fenestra', 'refasten'], 'feodary': ['feodary', 'foreday'], 'feral': ['feral', 'flare'], 'ferash': ['afresh', 'fasher', 'ferash'], 'feria': ['afire', 'feria'], 'ferine': ['ferine', 'refine'], 'ferison': ['ferison', 'foresin'], 'ferity': ['ferity', 'freity'], 'ferk': ['ferk', 'kerf'], 'ferling': ['ferling', 'flinger', 'refling'], 'ferly': ['ferly', 'flyer', 'refly'], 'fermail': ['fermail', 'fermila'], 'fermenter': ['fermenter', 'referment'], 'fermila': ['fermail', 'fermila'], 'ferned': ['fender', 'ferned'], 'ferri': ['ferri', 'firer', 'freir', 'frier'], 'ferrihydrocyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'ferrohydrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'ferry': ['ferry', 'freyr', 'fryer'], 'fertil': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'ferula': ['earful', 'farleu', 'ferula'], 'ferule': ['ferule', 'fueler', 'refuel'], 'ferulic': ['ferulic', 'lucifer'], 'fervidity': ['devitrify', 'fervidity'], 'festination': ['festination', 'infestation', 'sinfonietta'], 'fet': ['eft', 'fet'], 'fetal': ['aleft', 'alfet', 'fetal', 'fleta'], 'fetcher': ['fetcher', 'refetch'], 'feteless': ['feetless', 'feteless'], 'fetial': ['fetial', 'filate', 'lafite', 'leafit'], 'fetish': ['fetish', 'fishet'], 'fetor': ['fetor', 'forte', 'ofter'], 'fetter': ['fetter', 'frette'], 'feuage': ['feague', 'feuage'], 'feudalism': ['feudalism', 'sulfamide'], 'feudally': ['delayful', 'feudally'], 'feulamort': ['feulamort', 'formulate'], 'fi': ['fi', 'if'], 'fiance': ['fiance', 'inface'], 'fiancee': ['faience', 'fiancee'], 'fianna': ['fannia', 'fianna'], 'fiar': ['fair', 'fiar', 'raif'], 'fiard': ['fiard', 'fraid'], 'fiasco': ['fascio', 'fiasco'], 'fiber': ['bifer', 'brief', 'fiber'], 'fibered': ['debrief', 'defiber', 'fibered'], 'fiberless': ['briefless', 'fiberless', 'fibreless'], 'fiberware': ['fiberware', 'fibreware'], 'fibreless': ['briefless', 'fiberless', 'fibreless'], 'fibreware': ['fiberware', 'fibreware'], 'fibroadenoma': ['adenofibroma', 'fibroadenoma'], 'fibroangioma': ['angiofibroma', 'fibroangioma'], 'fibrochondroma': ['chondrofibroma', 'fibrochondroma'], 'fibrocystoma': ['cystofibroma', 'fibrocystoma'], 'fibrolipoma': ['fibrolipoma', 'lipofibroma'], 'fibromucous': ['fibromucous', 'mucofibrous'], 'fibromyoma': ['fibromyoma', 'myofibroma'], 'fibromyxoma': ['fibromyxoma', 'myxofibroma'], 'fibromyxosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'fibroneuroma': ['fibroneuroma', 'neurofibroma'], 'fibroserous': ['fibroserous', 'serofibrous'], 'fiche': ['chief', 'fiche'], 'fickleness': ['fickleness', 'fleckiness'], 'fickly': ['fickly', 'flicky'], 'fico': ['coif', 'fico', 'foci'], 'fictional': ['cliftonia', 'fictional'], 'ficula': ['ficula', 'fulica'], 'fiddler': ['fiddler', 'flidder'], 'fidele': ['defile', 'fidele'], 'fidget': ['fidget', 'gifted'], 'fidicula': ['fidicula', 'fiducial'], 'fiducial': ['fidicula', 'fiducial'], 'fie': ['fei', 'fie', 'ife'], 'fiedlerite': ['fiedlerite', 'friedelite'], 'field': ['felid', 'field'], 'fielded': ['defiled', 'fielded'], 'fielder': ['defiler', 'fielder'], 'fieldman': ['fieldman', 'inflamed'], 'fiendish': ['fiendish', 'finished'], 'fient': ['feint', 'fient'], 'fiery': ['fiery', 'reify'], 'fife': ['feif', 'fife'], 'fifteener': ['fifteener', 'teneriffe'], 'fifty': ['fifty', 'tiffy'], 'fig': ['fig', 'gif'], 'fighter': ['fighter', 'freight', 'refight'], 'figurate': ['figurate', 'fruitage'], 'fike': ['efik', 'fike'], 'filace': ['facile', 'filace'], 'filago': ['filago', 'gifola'], 'filao': ['filao', 'folia'], 'filar': ['filar', 'flair', 'frail'], 'filate': ['fetial', 'filate', 'lafite', 'leafit'], 'file': ['feil', 'file', 'leif', 'lief', 'life'], 'filelike': ['filelike', 'lifelike'], 'filer': ['filer', 'flier', 'lifer', 'rifle'], 'filet': ['filet', 'flite'], 'fillable': ['fallible', 'fillable'], 'filler': ['filler', 'refill'], 'filo': ['filo', 'foil', 'lifo'], 'filter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'filterer': ['filterer', 'refilter'], 'filthless': ['filthless', 'shelflist'], 'filtrable': ['filtrable', 'flirtable'], 'filtration': ['filtration', 'flirtation'], 'finale': ['afenil', 'finale'], 'finder': ['finder', 'friend', 'redfin', 'refind'], 'findfault': ['faultfind', 'findfault'], 'fine': ['enif', 'fine', 'neif', 'nife'], 'finely': ['finely', 'lenify'], 'finer': ['finer', 'infer'], 'finesser': ['finesser', 'rifeness'], 'fingall': ['falling', 'fingall'], 'finger': ['finger', 'fringe'], 'fingerer': ['fingerer', 'refinger'], 'fingerflower': ['fingerflower', 'fringeflower'], 'fingerless': ['fingerless', 'fringeless'], 'fingerlet': ['fingerlet', 'fringelet'], 'fingu': ['fingu', 'fungi'], 'finical': ['finical', 'lanific'], 'finished': ['fiendish', 'finished'], 'finisher': ['finisher', 'refinish'], 'finitely': ['felinity', 'finitely'], 'finkel': ['elfkin', 'finkel'], 'finlet': ['finlet', 'infelt'], 'finner': ['finner', 'infern'], 'firca': ['afric', 'firca'], 'fire': ['fire', 'reif', 'rife'], 'fireable': ['afebrile', 'balefire', 'fireable'], 'firearm': ['firearm', 'marfire'], 'fireback': ['backfire', 'fireback'], 'fireburn': ['burnfire', 'fireburn'], 'fired': ['fired', 'fried'], 'fireplug': ['fireplug', 'gripeful'], 'firer': ['ferri', 'firer', 'freir', 'frier'], 'fireshaft': ['fireshaft', 'tasheriff'], 'firestone': ['firestone', 'forestine'], 'firetop': ['firetop', 'potifer'], 'firm': ['firm', 'frim'], 'first': ['first', 'frist'], 'firth': ['firth', 'frith'], 'fise': ['feis', 'fise', 'sife'], 'fishbone': ['bonefish', 'fishbone'], 'fisheater': ['fisheater', 'sherifate'], 'fisher': ['fisher', 'sherif'], 'fishery': ['fishery', 'sherify'], 'fishet': ['fetish', 'fishet'], 'fishfall': ['fallfish', 'fishfall'], 'fishlet': ['fishlet', 'leftish'], 'fishpond': ['fishpond', 'pondfish'], 'fishpool': ['fishpool', 'foolship'], 'fishwood': ['fishwood', 'woodfish'], 'fissury': ['fissury', 'russify'], 'fist': ['fist', 'sift'], 'fisted': ['fisted', 'sifted'], 'fister': ['fister', 'resift', 'sifter', 'strife'], 'fisting': ['fisting', 'sifting'], 'fitout': ['fitout', 'outfit'], 'fitter': ['fitter', 'tifter'], 'fixer': ['fixer', 'refix'], 'flageolet': ['flageolet', 'folletage'], 'flair': ['filar', 'flair', 'frail'], 'flamant': ['flamant', 'flatman'], 'flame': ['flame', 'fleam'], 'flamed': ['flamed', 'malfed'], 'flandowser': ['flandowser', 'sandflower'], 'flange': ['fangle', 'flange'], 'flare': ['feral', 'flare'], 'flaser': ['falser', 'flaser'], 'flasher': ['flasher', 'reflash'], 'flatboat': ['faltboat', 'flatboat'], 'flatman': ['flamant', 'flatman'], 'flatwise': ['flatwise', 'saltwife'], 'flaunt': ['flaunt', 'unflat'], 'flax': ['falx', 'flax'], 'flea': ['alef', 'feal', 'flea', 'leaf'], 'fleam': ['flame', 'fleam'], 'fleay': ['fleay', 'leafy'], 'fleche': ['fleche', 'fleech'], 'flecker': ['flecker', 'freckle'], 'fleckiness': ['fickleness', 'fleckiness'], 'flecky': ['feckly', 'flecky'], 'fled': ['delf', 'fled'], 'flee': ['feel', 'flee'], 'fleech': ['fleche', 'fleech'], 'fleer': ['fleer', 'refel'], 'flemish': ['flemish', 'himself'], 'flenser': ['flenser', 'fresnel'], 'flesh': ['flesh', 'shelf'], 'fleshed': ['deflesh', 'fleshed'], 'fleshen': ['enflesh', 'fleshen'], 'flesher': ['flesher', 'herself'], 'fleshful': ['fleshful', 'shelfful'], 'fleshiness': ['elfishness', 'fleshiness'], 'fleshy': ['fleshy', 'shelfy'], 'flet': ['felt', 'flet', 'left'], 'fleta': ['aleft', 'alfet', 'fetal', 'fleta'], 'fleuret': ['fleuret', 'treeful'], 'flew': ['flew', 'welf'], 'flexed': ['deflex', 'flexed'], 'flexured': ['flexured', 'refluxed'], 'flicky': ['fickly', 'flicky'], 'flidder': ['fiddler', 'flidder'], 'flier': ['filer', 'flier', 'lifer', 'rifle'], 'fligger': ['fligger', 'friggle'], 'flinger': ['ferling', 'flinger', 'refling'], 'flingy': ['flingy', 'flying'], 'flirtable': ['filtrable', 'flirtable'], 'flirtation': ['filtration', 'flirtation'], 'flirter': ['flirter', 'trifler'], 'flirting': ['flirting', 'trifling'], 'flirtingly': ['flirtingly', 'triflingly'], 'flit': ['flit', 'lift'], 'flite': ['filet', 'flite'], 'fliting': ['fliting', 'lifting'], 'flitter': ['flitter', 'triflet'], 'flo': ['flo', 'lof'], 'float': ['aloft', 'float', 'flota'], 'floater': ['floater', 'florate', 'refloat'], 'flobby': ['bobfly', 'flobby'], 'flodge': ['flodge', 'fodgel'], 'floe': ['floe', 'fole'], 'flog': ['flog', 'golf'], 'flogger': ['flogger', 'frogleg'], 'floodable': ['bloodleaf', 'floodable'], 'flooder': ['flooder', 'reflood'], 'floodwater': ['floodwater', 'toadflower', 'waterflood'], 'floorer': ['floorer', 'refloor'], 'florate': ['floater', 'florate', 'refloat'], 'florentine': ['florentine', 'nonfertile'], 'floret': ['floret', 'forlet', 'lofter', 'torfel'], 'floria': ['floria', 'foliar'], 'floriate': ['floriate', 'foralite'], 'florican': ['florican', 'fornical'], 'floridan': ['floridan', 'florinda'], 'florinda': ['floridan', 'florinda'], 'flot': ['flot', 'loft'], 'flota': ['aloft', 'float', 'flota'], 'flounder': ['flounder', 'reunfold', 'unfolder'], 'flour': ['flour', 'fluor'], 'flourisher': ['flourisher', 'reflourish'], 'flouting': ['flouting', 'outfling'], 'flow': ['flow', 'fowl', 'wolf'], 'flower': ['flower', 'fowler', 'reflow', 'wolfer'], 'flowered': ['deflower', 'flowered'], 'flowerer': ['flowerer', 'reflower'], 'flowery': ['flowery', 'fowlery'], 'flowing': ['flowing', 'fowling'], 'floyd': ['floyd', 'foldy'], 'fluavil': ['fluavil', 'fluvial', 'vialful'], 'flucan': ['canful', 'flucan'], 'fluctuant': ['fluctuant', 'untactful'], 'flue': ['flue', 'fuel'], 'fluent': ['fluent', 'netful', 'unfelt', 'unleft'], 'fluidly': ['dullify', 'fluidly'], 'flukewort': ['flukewort', 'flutework'], 'fluor': ['flour', 'fluor'], 'fluorate': ['fluorate', 'outflare'], 'fluorinate': ['antifouler', 'fluorinate', 'uniflorate'], 'fluorine': ['fluorine', 'neurofil'], 'fluorobenzene': ['benzofluorene', 'fluorobenzene'], 'flusher': ['flusher', 'reflush'], 'flushing': ['flushing', 'lungfish'], 'fluster': ['fluster', 'restful'], 'flustra': ['flustra', 'starful'], 'flutework': ['flukewort', 'flutework'], 'flutina': ['falutin', 'flutina'], 'fluvial': ['fluavil', 'fluvial', 'vialful'], 'fluxer': ['fluxer', 'reflux'], 'flyblow': ['blowfly', 'flyblow'], 'flyer': ['ferly', 'flyer', 'refly'], 'flying': ['flingy', 'flying'], 'fo': ['fo', 'of'], 'foal': ['foal', 'loaf', 'olaf'], 'foamer': ['femora', 'foamer'], 'focal': ['falco', 'focal'], 'foci': ['coif', 'fico', 'foci'], 'focuser': ['focuser', 'refocus'], 'fodge': ['defog', 'fodge'], 'fodgel': ['flodge', 'fodgel'], 'fogeater': ['fogeater', 'foregate'], 'fogo': ['fogo', 'goof'], 'foil': ['filo', 'foil', 'lifo'], 'foister': ['foister', 'forties'], 'folden': ['enfold', 'folden', 'fondle'], 'folder': ['folder', 'refold'], 'foldy': ['floyd', 'foldy'], 'fole': ['floe', 'fole'], 'folia': ['filao', 'folia'], 'foliar': ['floria', 'foliar'], 'foliature': ['foliature', 'toluifera'], 'folletage': ['flageolet', 'folletage'], 'fomenter': ['fomenter', 'refoment'], 'fondle': ['enfold', 'folden', 'fondle'], 'fondu': ['fondu', 'found'], 'foo': ['foo', 'ofo'], 'fool': ['fool', 'loof', 'olof'], 'foolship': ['fishpool', 'foolship'], 'footer': ['footer', 'refoot'], 'foothot': ['foothot', 'hotfoot'], 'footler': ['footler', 'rooflet'], 'footpad': ['footpad', 'padfoot'], 'footrail': ['farolito', 'footrail'], 'foots': ['foots', 'sfoot', 'stoof'], 'footsore': ['footsore', 'sorefoot'], 'foppish': ['foppish', 'fopship'], 'fopship': ['foppish', 'fopship'], 'for': ['for', 'fro', 'orf'], 'fora': ['faro', 'fora'], 'foralite': ['floriate', 'foralite'], 'foramen': ['foramen', 'foreman'], 'forcemeat': ['aftercome', 'forcemeat'], 'forcement': ['coferment', 'forcement'], 'fore': ['fore', 'froe', 'ofer'], 'forecast': ['cofaster', 'forecast'], 'forecaster': ['forecaster', 'reforecast'], 'forecover': ['forecover', 'overforce'], 'foreday': ['feodary', 'foreday'], 'forefit': ['forefit', 'forfeit'], 'foregate': ['fogeater', 'foregate'], 'foregirth': ['foregirth', 'foreright'], 'forego': ['forego', 'goofer'], 'forel': ['forel', 'rolfe'], 'forelive': ['forelive', 'overfile'], 'foreman': ['foramen', 'foreman'], 'foremean': ['foremean', 'forename'], 'forename': ['foremean', 'forename'], 'forensal': ['farnesol', 'forensal'], 'forensic': ['forensic', 'forinsec'], 'forepart': ['forepart', 'prefator'], 'foreright': ['foregirth', 'foreright'], 'foresend': ['defensor', 'foresend'], 'foresign': ['foresign', 'foresing'], 'foresin': ['ferison', 'foresin'], 'foresing': ['foresign', 'foresing'], 'forest': ['forest', 'forset', 'foster'], 'forestage': ['forestage', 'fosterage'], 'forestal': ['astrofel', 'forestal'], 'forestate': ['forestate', 'foretaste'], 'forested': ['deforest', 'forested'], 'forestem': ['forestem', 'fretsome'], 'forester': ['forester', 'fosterer', 'reforest'], 'forestine': ['firestone', 'forestine'], 'foretaste': ['forestate', 'foretaste'], 'foreutter': ['foreutter', 'outferret'], 'forfeit': ['forefit', 'forfeit'], 'forfeiter': ['forfeiter', 'reforfeit'], 'forgeman': ['forgeman', 'formagen'], 'forinsec': ['forensic', 'forinsec'], 'forint': ['forint', 'fortin'], 'forlet': ['floret', 'forlet', 'lofter', 'torfel'], 'form': ['form', 'from'], 'formagen': ['forgeman', 'formagen'], 'formalin': ['formalin', 'informal', 'laniform'], 'formally': ['formally', 'formylal'], 'formed': ['deform', 'formed'], 'former': ['former', 'reform'], 'formica': ['aciform', 'formica'], 'formicina': ['aciniform', 'formicina'], 'formicoidea': ['aecidioform', 'formicoidea'], 'formin': ['formin', 'inform'], 'forminate': ['forminate', 'fremontia', 'taeniform'], 'formulae': ['formulae', 'fumarole'], 'formulaic': ['cauliform', 'formulaic', 'fumarolic'], 'formulate': ['feulamort', 'formulate'], 'formulator': ['formulator', 'torulaform'], 'formylal': ['formally', 'formylal'], 'fornical': ['florican', 'fornical'], 'fornicated': ['deforciant', 'fornicated'], 'forpit': ['forpit', 'profit'], 'forritsome': ['forritsome', 'ostreiform'], 'forrue': ['forrue', 'fourer', 'fourre', 'furore'], 'forset': ['forest', 'forset', 'foster'], 'forst': ['forst', 'frost'], 'fort': ['fort', 'frot'], 'forte': ['fetor', 'forte', 'ofter'], 'forth': ['forth', 'froth'], 'forthcome': ['forthcome', 'homecroft'], 'forthy': ['forthy', 'frothy'], 'forties': ['foister', 'forties'], 'fortin': ['forint', 'fortin'], 'forward': ['forward', 'froward'], 'forwarder': ['forwarder', 'reforward'], 'forwardly': ['forwardly', 'frowardly'], 'forwardness': ['forwardness', 'frowardness'], 'foster': ['forest', 'forset', 'foster'], 'fosterage': ['forestage', 'fosterage'], 'fosterer': ['forester', 'fosterer', 'reforest'], 'fot': ['fot', 'oft'], 'fou': ['fou', 'ouf'], 'fouler': ['fouler', 'furole'], 'found': ['fondu', 'found'], 'foundationer': ['foundationer', 'refoundation'], 'founder': ['founder', 'refound'], 'foundling': ['foundling', 'unfolding'], 'fourble': ['beflour', 'fourble'], 'fourer': ['forrue', 'fourer', 'fourre', 'furore'], 'fourre': ['forrue', 'fourer', 'fourre', 'furore'], 'fowl': ['flow', 'fowl', 'wolf'], 'fowler': ['flower', 'fowler', 'reflow', 'wolfer'], 'fowlery': ['flowery', 'fowlery'], 'fowling': ['flowing', 'fowling'], 'fra': ['far', 'fra'], 'frache': ['chafer', 'frache'], 'frae': ['fare', 'fear', 'frae', 'rafe'], 'fraghan': ['fraghan', 'harfang'], 'fraid': ['fiard', 'fraid'], 'fraik': ['fakir', 'fraik', 'kafir', 'rafik'], 'frail': ['filar', 'flair', 'frail'], 'fraiser': ['fraiser', 'frasier'], 'fram': ['farm', 'fram'], 'framable': ['farmable', 'framable'], 'frame': ['frame', 'fream'], 'framer': ['farmer', 'framer'], 'framing': ['farming', 'framing'], 'frangi': ['faring', 'frangi'], 'frantic': ['frantic', 'infarct', 'infract'], 'frase': ['farse', 'frase'], 'frasier': ['fraiser', 'frasier'], 'frat': ['frat', 'raft'], 'fratcheous': ['fratcheous', 'housecraft'], 'frater': ['frater', 'rafter'], 'frayed': ['defray', 'frayed'], 'freak': ['faker', 'freak'], 'freaky': ['fakery', 'freaky'], 'fream': ['frame', 'fream'], 'freath': ['father', 'freath', 'hafter'], 'freckle': ['flecker', 'freckle'], 'free': ['feer', 'free', 'reef'], 'freed': ['defer', 'freed'], 'freeing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'freeman': ['enframe', 'freeman'], 'freer': ['freer', 'refer'], 'fregata': ['fregata', 'raftage'], 'fregatae': ['afterage', 'fregatae'], 'freight': ['fighter', 'freight', 'refight'], 'freir': ['ferri', 'firer', 'freir', 'frier'], 'freit': ['freit', 'refit'], 'freity': ['ferity', 'freity'], 'fremontia': ['forminate', 'fremontia', 'taeniform'], 'frenetic': ['frenetic', 'infecter', 'reinfect'], 'freshener': ['freshener', 'refreshen'], 'fresnel': ['flenser', 'fresnel'], 'fret': ['fret', 'reft', 'tref'], 'fretful': ['fretful', 'truffle'], 'fretsome': ['forestem', 'fretsome'], 'frette': ['fetter', 'frette'], 'freya': ['faery', 'freya'], 'freyr': ['ferry', 'freyr', 'fryer'], 'fried': ['fired', 'fried'], 'friedelite': ['fiedlerite', 'friedelite'], 'friend': ['finder', 'friend', 'redfin', 'refind'], 'frier': ['ferri', 'firer', 'freir', 'frier'], 'friesic': ['friesic', 'serific'], 'friggle': ['fligger', 'friggle'], 'frightener': ['frightener', 'refrighten'], 'frigolabile': ['frigolabile', 'glorifiable'], 'frike': ['frike', 'kefir'], 'frim': ['firm', 'frim'], 'fringe': ['finger', 'fringe'], 'fringeflower': ['fingerflower', 'fringeflower'], 'fringeless': ['fingerless', 'fringeless'], 'fringelet': ['fingerlet', 'fringelet'], 'frist': ['first', 'frist'], 'frit': ['frit', 'rift'], 'frith': ['firth', 'frith'], 'friulian': ['friulian', 'unifilar'], 'fro': ['for', 'fro', 'orf'], 'froe': ['fore', 'froe', 'ofer'], 'frogleg': ['flogger', 'frogleg'], 'from': ['form', 'from'], 'fronter': ['fronter', 'refront'], 'frontonasal': ['frontonasal', 'nasofrontal'], 'frontooccipital': ['frontooccipital', 'occipitofrontal'], 'frontoorbital': ['frontoorbital', 'orbitofrontal'], 'frontoparietal': ['frontoparietal', 'parietofrontal'], 'frontotemporal': ['frontotemporal', 'temporofrontal'], 'frontpiece': ['frontpiece', 'perfection'], 'frost': ['forst', 'frost'], 'frosted': ['defrost', 'frosted'], 'frot': ['fort', 'frot'], 'froth': ['forth', 'froth'], 'frothy': ['forthy', 'frothy'], 'froward': ['forward', 'froward'], 'frowardly': ['forwardly', 'frowardly'], 'frowardness': ['forwardness', 'frowardness'], 'fruitage': ['figurate', 'fruitage'], 'fruitless': ['fruitless', 'resistful'], 'frush': ['frush', 'shurf'], 'frustule': ['frustule', 'sulfuret'], 'fruticulose': ['fruticulose', 'luctiferous'], 'fryer': ['ferry', 'freyr', 'fryer'], 'fucales': ['caseful', 'fucales'], 'fucate': ['faucet', 'fucate'], 'fuel': ['flue', 'fuel'], 'fueler': ['ferule', 'fueler', 'refuel'], 'fuerte': ['fuerte', 'refute'], 'fuirena': ['fuirena', 'unafire'], 'fulcrate': ['crateful', 'fulcrate'], 'fulica': ['ficula', 'fulica'], 'fulmar': ['armful', 'fulmar'], 'fulminatory': ['fulminatory', 'unformality'], 'fulminous': ['fulminous', 'sulfonium'], 'fulwa': ['awful', 'fulwa'], 'fumarole': ['formulae', 'fumarole'], 'fumarolic': ['cauliform', 'formulaic', 'fumarolic'], 'fumble': ['beflum', 'fumble'], 'fumer': ['femur', 'fumer'], 'fundable': ['fundable', 'unfabled'], 'funder': ['funder', 'refund'], 'funebrial': ['funebrial', 'unfriable'], 'funeral': ['earnful', 'funeral'], 'fungal': ['fungal', 'unflag'], 'fungi': ['fingu', 'fungi'], 'funori': ['funori', 'furoin'], 'fur': ['fur', 'urf'], 'fural': ['alfur', 'fural'], 'furan': ['furan', 'unfar'], 'furbish': ['burfish', 'furbish'], 'furbisher': ['furbisher', 'refurbish'], 'furcal': ['carful', 'furcal'], 'furcate': ['facture', 'furcate'], 'furler': ['furler', 'refurl'], 'furnish': ['furnish', 'runfish'], 'furnisher': ['furnisher', 'refurnish'], 'furoin': ['funori', 'furoin'], 'furole': ['fouler', 'furole'], 'furore': ['forrue', 'fourer', 'fourre', 'furore'], 'furstone': ['furstone', 'unforest'], 'fusate': ['estufa', 'fusate'], 'fusteric': ['fusteric', 'scutifer'], 'fustian': ['faunist', 'fustian', 'infaust'], 'gab': ['bag', 'gab'], 'gabbler': ['gabbler', 'grabble'], 'gabe': ['egba', 'gabe'], 'gabelle': ['gabelle', 'gelable'], 'gabelled': ['gabelled', 'geldable'], 'gabi': ['agib', 'biga', 'gabi'], 'gabion': ['bagnio', 'gabion', 'gobian'], 'gabioned': ['badigeon', 'gabioned'], 'gable': ['bagel', 'belga', 'gable', 'gleba'], 'gablock': ['backlog', 'gablock'], 'gaboon': ['abongo', 'gaboon'], 'gad': ['dag', 'gad'], 'gadaba': ['badaga', 'dagaba', 'gadaba'], 'gadder': ['gadder', 'graded'], 'gaddi': ['gaddi', 'gadid'], 'gade': ['aged', 'egad', 'gade'], 'gadger': ['dagger', 'gadger', 'ragged'], 'gadget': ['gadget', 'tagged'], 'gadid': ['gaddi', 'gadid'], 'gadinine': ['gadinine', 'indigena'], 'gadolinite': ['deligation', 'gadolinite', 'gelatinoid'], 'gadroon': ['dragoon', 'gadroon'], 'gadroonage': ['dragoonage', 'gadroonage'], 'gaduin': ['anguid', 'gaduin'], 'gael': ['gael', 'gale', 'geal'], 'gaen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gaet': ['gaet', 'gate', 'geat', 'geta'], 'gaetulan': ['angulate', 'gaetulan'], 'gager': ['agger', 'gager', 'regga'], 'gahnite': ['gahnite', 'heating'], 'gahrwali': ['gahrwali', 'garhwali'], 'gaiassa': ['assagai', 'gaiassa'], 'gail': ['gail', 'gali', 'gila', 'glia'], 'gain': ['gain', 'inga', 'naig', 'ngai'], 'gaincall': ['gaincall', 'gallican'], 'gaine': ['angie', 'gaine'], 'gainer': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'gainless': ['gainless', 'glassine'], 'gainly': ['gainly', 'laying'], 'gainsayer': ['asynergia', 'gainsayer'], 'gainset': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'gainstrive': ['gainstrive', 'vinegarist'], 'gainturn': ['gainturn', 'naturing'], 'gaiter': ['gaiter', 'tairge', 'triage'], 'gaize': ['gaize', 'ziega'], 'gaj': ['gaj', 'jag'], 'gal': ['gal', 'lag'], 'gala': ['agal', 'agla', 'alga', 'gala'], 'galactonic': ['cognatical', 'galactonic'], 'galatae': ['galatae', 'galatea'], 'galatea': ['galatae', 'galatea'], 'gale': ['gael', 'gale', 'geal'], 'galea': ['algae', 'galea'], 'galee': ['aegle', 'eagle', 'galee'], 'galei': ['agiel', 'agile', 'galei'], 'galeid': ['algedi', 'galeid'], 'galen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'galena': ['alnage', 'angela', 'galena', 'lagena'], 'galenian': ['alangine', 'angelina', 'galenian'], 'galenic': ['angelic', 'galenic'], 'galenical': ['angelical', 'englacial', 'galenical'], 'galenist': ['galenist', 'genitals', 'stealing'], 'galenite': ['galenite', 'legatine'], 'galeoid': ['galeoid', 'geoidal'], 'galera': ['aglare', 'alegar', 'galera', 'laager'], 'galet': ['aglet', 'galet'], 'galewort': ['galewort', 'waterlog'], 'galey': ['agley', 'galey'], 'galga': ['galga', 'glaga'], 'gali': ['gail', 'gali', 'gila', 'glia'], 'galidia': ['agialid', 'galidia'], 'galik': ['galik', 'glaik'], 'galilean': ['galilean', 'gallinae'], 'galiot': ['galiot', 'latigo'], 'galla': ['algal', 'galla'], 'gallate': ['gallate', 'tallage'], 'gallein': ['gallein', 'galline', 'nigella'], 'galleria': ['allergia', 'galleria'], 'gallery': ['allergy', 'gallery', 'largely', 'regally'], 'galli': ['galli', 'glial'], 'gallican': ['gaincall', 'gallican'], 'gallicole': ['collegial', 'gallicole'], 'gallinae': ['galilean', 'gallinae'], 'galline': ['gallein', 'galline', 'nigella'], 'gallnut': ['gallnut', 'nutgall'], 'galloper': ['galloper', 'regallop'], 'gallotannate': ['gallotannate', 'tannogallate'], 'gallotannic': ['gallotannic', 'tannogallic'], 'gallstone': ['gallstone', 'stonegall'], 'gallybagger': ['gallybagger', 'gallybeggar'], 'gallybeggar': ['gallybagger', 'gallybeggar'], 'galore': ['galore', 'gaoler'], 'galtonia': ['galtonia', 'notalgia'], 'galvanopsychic': ['galvanopsychic', 'psychogalvanic'], 'galvanothermometer': ['galvanothermometer', 'thermogalvanometer'], 'gam': ['gam', 'mag'], 'gamaliel': ['gamaliel', 'melalgia'], 'gamashes': ['gamashes', 'smashage'], 'gamasid': ['gamasid', 'magadis'], 'gambado': ['dagomba', 'gambado'], 'gambier': ['gambier', 'imbarge'], 'gambler': ['gambler', 'gambrel'], 'gambrel': ['gambler', 'gambrel'], 'game': ['egma', 'game', 'mage'], 'gamely': ['gamely', 'gleamy', 'mygale'], 'gamene': ['gamene', 'manege', 'menage'], 'gamete': ['gamete', 'metage'], 'gametogenic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamic': ['gamic', 'magic'], 'gamin': ['gamin', 'mangi'], 'gaming': ['gaming', 'gigman'], 'gamma': ['gamma', 'magma'], 'gammer': ['gammer', 'gramme'], 'gamogenetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamori': ['gamori', 'gomari', 'gromia'], 'gan': ['gan', 'nag'], 'ganam': ['amang', 'ganam', 'manga'], 'ganch': ['chang', 'ganch'], 'gander': ['danger', 'gander', 'garden', 'ranged'], 'gandul': ['gandul', 'unglad'], 'gane': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gangan': ['gangan', 'nagnag'], 'ganger': ['ganger', 'grange', 'nagger'], 'ganging': ['ganging', 'nagging'], 'gangism': ['gangism', 'gigsman'], 'ganglioneuron': ['ganglioneuron', 'neuroganglion'], 'gangly': ['gangly', 'naggly'], 'ganguela': ['ganguela', 'language'], 'gangway': ['gangway', 'waygang'], 'ganister': ['astringe', 'ganister', 'gantries'], 'ganoidal': ['diagonal', 'ganoidal', 'gonadial'], 'ganoidean': ['ganoidean', 'indogaean'], 'ganoidian': ['agoniadin', 'anangioid', 'ganoidian'], 'ganosis': ['agnosis', 'ganosis'], 'gansel': ['angles', 'gansel'], 'gant': ['gant', 'gnat', 'tang'], 'ganta': ['ganta', 'tanga'], 'ganton': ['ganton', 'tongan'], 'gantries': ['astringe', 'ganister', 'gantries'], 'gantry': ['gantry', 'gyrant'], 'ganymede': ['ganymede', 'megadyne'], 'ganzie': ['agnize', 'ganzie'], 'gaol': ['gaol', 'goal', 'gola', 'olga'], 'gaoler': ['galore', 'gaoler'], 'gaon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gaonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'gapa': ['gapa', 'paga'], 'gape': ['gape', 'page', 'peag', 'pega'], 'gaper': ['gaper', 'grape', 'pager', 'parge'], 'gar': ['gar', 'gra', 'rag'], 'gara': ['agar', 'agra', 'gara', 'raga'], 'garamond': ['dragoman', 'garamond', 'ondagram'], 'garance': ['carnage', 'cranage', 'garance'], 'garb': ['brag', 'garb', 'grab'], 'garbel': ['garbel', 'garble'], 'garble': ['garbel', 'garble'], 'garbless': ['bragless', 'garbless'], 'garce': ['cager', 'garce', 'grace'], 'garcinia': ['agaricin', 'garcinia'], 'gardeen': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'garden': ['danger', 'gander', 'garden', 'ranged'], 'gardened': ['deranged', 'gardened'], 'gardener': ['deranger', 'gardener'], 'gardenful': ['dangerful', 'gardenful'], 'gardenia': ['drainage', 'gardenia'], 'gardenin': ['gardenin', 'grenadin'], 'gardenless': ['dangerless', 'gardenless'], 'gare': ['ager', 'agre', 'gare', 'gear', 'rage'], 'gareh': ['gareh', 'gerah'], 'garetta': ['garetta', 'rattage', 'regatta'], 'garewaite': ['garewaite', 'waiterage'], 'garfish': ['garfish', 'ragfish'], 'garget': ['garget', 'tagger'], 'gargety': ['gargety', 'raggety'], 'gargle': ['gargle', 'gregal', 'lagger', 'raggle'], 'garhwali': ['gahrwali', 'garhwali'], 'garial': ['argali', 'garial'], 'garle': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'garment': ['garment', 'margent'], 'garmenture': ['garmenture', 'reargument'], 'garn': ['garn', 'gnar', 'rang'], 'garnel': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'garner': ['garner', 'ranger'], 'garnet': ['argent', 'garnet', 'garten', 'tanger'], 'garneter': ['argenter', 'garneter'], 'garnetiferous': ['argentiferous', 'garnetiferous'], 'garnets': ['angster', 'garnets', 'nagster', 'strange'], 'garnett': ['garnett', 'gnatter', 'gratten', 'tergant'], 'garnice': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garniec': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garnish': ['garnish', 'rashing'], 'garnished': ['degarnish', 'garnished'], 'garnisher': ['garnisher', 'regarnish'], 'garo': ['argo', 'garo', 'gora'], 'garran': ['garran', 'ragnar'], 'garret': ['garret', 'garter', 'grater', 'targer'], 'garreted': ['garreted', 'gartered'], 'garroter': ['garroter', 'regrator'], 'garten': ['argent', 'garnet', 'garten', 'tanger'], 'garter': ['garret', 'garter', 'grater', 'targer'], 'gartered': ['garreted', 'gartered'], 'gartering': ['gartering', 'regrating'], 'garum': ['garum', 'murga'], 'gary': ['gary', 'gray'], 'gas': ['gas', 'sag'], 'gasan': ['gasan', 'sanga'], 'gash': ['gash', 'shag'], 'gasless': ['gasless', 'glasses', 'sagless'], 'gaslit': ['algist', 'gaslit'], 'gasoliner': ['gasoliner', 'seignoral'], 'gasper': ['gasper', 'sparge'], 'gast': ['gast', 'stag'], 'gaster': ['gaster', 'stager'], 'gastrin': ['gastrin', 'staring'], 'gastroenteritis': ['enterogastritis', 'gastroenteritis'], 'gastroesophagostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'gastrohepatic': ['gastrohepatic', 'hepatogastric'], 'gastronomic': ['gastronomic', 'monogastric'], 'gastropathic': ['gastropathic', 'graphostatic'], 'gastrophrenic': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'gastrular': ['gastrular', 'stragular'], 'gat': ['gat', 'tag'], 'gate': ['gaet', 'gate', 'geat', 'geta'], 'gateman': ['gateman', 'magenta', 'magnate', 'magneta'], 'gater': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gateward': ['drawgate', 'gateward'], 'gateway': ['gateway', 'getaway', 'waygate'], 'gatherer': ['gatherer', 'regather'], 'gator': ['argot', 'gator', 'gotra', 'groat'], 'gatter': ['gatter', 'target'], 'gaucho': ['gaucho', 'guacho'], 'gaufer': ['agrufe', 'gaufer', 'gaufre'], 'gauffer': ['gauffer', 'gauffre'], 'gauffre': ['gauffer', 'gauffre'], 'gaufre': ['agrufe', 'gaufer', 'gaufre'], 'gaul': ['gaul', 'gula'], 'gaulin': ['gaulin', 'lingua'], 'gaulter': ['gaulter', 'tegular'], 'gaum': ['gaum', 'muga'], 'gaun': ['gaun', 'guan', 'guna', 'uang'], 'gaunt': ['gaunt', 'tunga'], 'gaur': ['gaur', 'guar', 'ruga'], 'gaura': ['gaura', 'guara'], 'gaurian': ['anguria', 'gaurian', 'guarani'], 'gave': ['gave', 'vage', 'vega'], 'gavyuti': ['gavyuti', 'vaguity'], 'gaw': ['gaw', 'wag'], 'gawn': ['gawn', 'gnaw', 'wang'], 'gay': ['agy', 'gay'], 'gaz': ['gaz', 'zag'], 'gazel': ['gazel', 'glaze'], 'gazer': ['gazer', 'graze'], 'gazon': ['gazon', 'zogan'], 'gazy': ['gazy', 'zyga'], 'geal': ['gael', 'gale', 'geal'], 'gean': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gear': ['ager', 'agre', 'gare', 'gear', 'rage'], 'geared': ['agreed', 'geared'], 'gearless': ['eelgrass', 'gearless', 'rageless'], 'gearman': ['gearman', 'manager'], 'gearset': ['ergates', 'gearset', 'geaster'], 'geaster': ['ergates', 'gearset', 'geaster'], 'geat': ['gaet', 'gate', 'geat', 'geta'], 'gebur': ['bugre', 'gebur'], 'ged': ['deg', 'ged'], 'gedder': ['dredge', 'gedder'], 'geest': ['egest', 'geest', 'geste'], 'gegger': ['gegger', 'gregge'], 'geheimrat': ['geheimrat', 'hermitage'], 'gein': ['gein', 'gien'], 'geira': ['geira', 'regia'], 'geison': ['geison', 'isogen'], 'geissospermine': ['geissospermine', 'spermiogenesis'], 'gel': ['gel', 'leg'], 'gelable': ['gabelle', 'gelable'], 'gelasian': ['anglaise', 'gelasian'], 'gelastic': ['gelastic', 'gestical'], 'gelatin': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'gelatinate': ['gelatinate', 'nagatelite'], 'gelatined': ['delignate', 'gelatined'], 'gelatinizer': ['gelatinizer', 'integralize'], 'gelatinoid': ['deligation', 'gadolinite', 'gelatinoid'], 'gelation': ['gelation', 'lagonite', 'legation'], 'gelatose': ['gelatose', 'segolate'], 'geldable': ['gabelled', 'geldable'], 'gelder': ['gelder', 'ledger', 'redleg'], 'gelding': ['gelding', 'ledging'], 'gelid': ['gelid', 'glide'], 'gelidness': ['gelidness', 'glideness'], 'gelosin': ['gelosin', 'lignose'], 'gem': ['gem', 'meg'], 'gemara': ['gemara', 'ramage'], 'gemaric': ['gemaric', 'grimace', 'megaric'], 'gemarist': ['gemarist', 'magister', 'sterigma'], 'gematria': ['gematria', 'maritage'], 'gemul': ['gemul', 'glume'], 'gena': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'genal': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'genarch': ['changer', 'genarch'], 'gendarme': ['edgerman', 'gendarme'], 'genear': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'geneat': ['geneat', 'negate', 'tegean'], 'genera': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'generable': ['generable', 'greenable'], 'general': ['enlarge', 'general', 'gleaner'], 'generalist': ['easterling', 'generalist'], 'generall': ['allergen', 'generall'], 'generation': ['generation', 'renegation'], 'generic': ['energic', 'generic'], 'generical': ['energical', 'generical'], 'genesiac': ['agenesic', 'genesiac'], 'genesial': ['ensilage', 'genesial', 'signalee'], 'genetical': ['clientage', 'genetical'], 'genetta': ['genetta', 'tentage'], 'geneura': ['geneura', 'uneager'], 'geneva': ['avenge', 'geneva', 'vangee'], 'genial': ['algine', 'genial', 'linage'], 'genicular': ['genicular', 'neuralgic'], 'genie': ['eigne', 'genie'], 'genion': ['genion', 'inogen'], 'genipa': ['genipa', 'piegan'], 'genista': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'genistein': ['genistein', 'gentisein'], 'genital': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'genitals': ['galenist', 'genitals', 'stealing'], 'genitival': ['genitival', 'vigilante'], 'genitocrural': ['crurogenital', 'genitocrural'], 'genitor': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'genitorial': ['genitorial', 'religation'], 'genitory': ['genitory', 'ortygine'], 'genitourinary': ['genitourinary', 'urinogenitary'], 'geniture': ['geniture', 'guerinet'], 'genizero': ['genizero', 'negroize'], 'genoa': ['agone', 'genoa'], 'genoblastic': ['blastogenic', 'genoblastic'], 'genocidal': ['algedonic', 'genocidal'], 'genom': ['genom', 'gnome'], 'genotypical': ['genotypical', 'ptyalogenic'], 'genre': ['genre', 'green', 'neger', 'reneg'], 'genro': ['ergon', 'genro', 'goner', 'negro'], 'gent': ['gent', 'teng'], 'gentes': ['gentes', 'gesten'], 'genthite': ['genthite', 'teething'], 'gentian': ['antigen', 'gentian'], 'gentianic': ['antigenic', 'gentianic'], 'gentisein': ['genistein', 'gentisein'], 'gentle': ['gentle', 'telegn'], 'gentrice': ['erecting', 'gentrice'], 'genua': ['augen', 'genua'], 'genual': ['genual', 'leguan'], 'genuine': ['genuine', 'ingenue'], 'genus': ['genus', 'negus'], 'geo': ['ego', 'geo'], 'geocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'geocratic': ['categoric', 'geocratic'], 'geocronite': ['erotogenic', 'geocronite', 'orogenetic'], 'geodal': ['algedo', 'geodal'], 'geode': ['geode', 'ogeed'], 'geodiatropism': ['diageotropism', 'geodiatropism'], 'geoduck': ['geoduck', 'goeduck'], 'geohydrology': ['geohydrology', 'hydrogeology'], 'geoid': ['diego', 'dogie', 'geoid'], 'geoidal': ['galeoid', 'geoidal'], 'geoisotherm': ['geoisotherm', 'isogeotherm'], 'geomagnetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'geomant': ['geomant', 'magneto', 'megaton', 'montage'], 'geomantic': ['atmogenic', 'geomantic'], 'geometrical': ['geometrical', 'glaciometer'], 'geometrina': ['angiometer', 'ergotamine', 'geometrina'], 'geon': ['geon', 'gone'], 'geonim': ['geonim', 'imogen'], 'georama': ['georama', 'roamage'], 'geotectonic': ['geotectonic', 'tocogenetic'], 'geotic': ['geotic', 'goetic'], 'geotical': ['ectoglia', 'geotical', 'goetical'], 'geotonic': ['geotonic', 'otogenic'], 'geoty': ['geoty', 'goety'], 'ger': ['erg', 'ger', 'reg'], 'gerah': ['gareh', 'gerah'], 'geraldine': ['engrailed', 'geraldine'], 'geranial': ['algerian', 'geranial', 'regalian'], 'geranic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'geraniol': ['geraniol', 'regional'], 'geranomorph': ['geranomorph', 'monographer', 'nomographer'], 'geranyl': ['angerly', 'geranyl'], 'gerard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gerastian': ['agrestian', 'gerastian', 'stangeria'], 'geraty': ['geraty', 'gyrate'], 'gerb': ['berg', 'gerb'], 'gerbe': ['gerbe', 'grebe', 'rebeg'], 'gerbera': ['bargeer', 'gerbera'], 'gerenda': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'gerendum': ['gerendum', 'unmerged'], 'gerent': ['gerent', 'regent'], 'gerenuk': ['gerenuk', 'greenuk'], 'gerim': ['gerim', 'grime'], 'gerip': ['gerip', 'gripe'], 'german': ['engram', 'german', 'manger'], 'germania': ['germania', 'megarian'], 'germanics': ['germanics', 'screaming'], 'germanification': ['germanification', 'remagnification'], 'germanify': ['germanify', 'remagnify'], 'germanious': ['germanious', 'gramineous', 'marigenous'], 'germanist': ['germanist', 'streaming'], 'germanite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germanly': ['germanly', 'germanyl'], 'germanyl': ['germanly', 'germanyl'], 'germinal': ['germinal', 'maligner', 'malinger'], 'germinant': ['germinant', 'minargent'], 'germinate': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germon': ['germon', 'monger', 'morgen'], 'geronomite': ['geronomite', 'goniometer'], 'geront': ['geront', 'tonger'], 'gerontal': ['argentol', 'gerontal'], 'gerontes': ['estrogen', 'gerontes'], 'gerontic': ['gerontic', 'negrotic'], 'gerontism': ['gerontism', 'monergist'], 'gerres': ['gerres', 'serger'], 'gersum': ['gersum', 'mergus'], 'gerund': ['dunger', 'gerund', 'greund', 'nudger'], 'gerundive': ['gerundive', 'ungrieved'], 'gerusia': ['ergusia', 'gerusia', 'sarigue'], 'gervas': ['gervas', 'graves'], 'gervase': ['gervase', 'greaves', 'servage'], 'ges': ['ges', 'seg'], 'gesan': ['agnes', 'gesan'], 'gesith': ['gesith', 'steigh'], 'gesning': ['gesning', 'ginseng'], 'gest': ['gest', 'steg'], 'gestapo': ['gestapo', 'postage'], 'gestate': ['gestate', 'tagetes'], 'geste': ['egest', 'geest', 'geste'], 'gesten': ['gentes', 'gesten'], 'gestical': ['gelastic', 'gestical'], 'gesticular': ['gesticular', 'scutigeral'], 'gesture': ['gesture', 'guester'], 'get': ['get', 'teg'], 'geta': ['gaet', 'gate', 'geat', 'geta'], 'getaway': ['gateway', 'getaway', 'waygate'], 'gettable': ['begettal', 'gettable'], 'getup': ['getup', 'upget'], 'geyerite': ['geyerite', 'tigereye'], 'ghaist': ['ghaist', 'tagish'], 'ghent': ['ghent', 'thegn'], 'ghosty': ['ghosty', 'hogsty'], 'ghoul': ['ghoul', 'lough'], 'giansar': ['giansar', 'sarangi'], 'giant': ['giant', 'tangi', 'tiang'], 'gib': ['big', 'gib'], 'gibbon': ['gibbon', 'gobbin'], 'gibel': ['bilge', 'gibel'], 'gibing': ['biggin', 'gibing'], 'gid': ['dig', 'gid'], 'gideonite': ['diogenite', 'gideonite'], 'gien': ['gein', 'gien'], 'gienah': ['gienah', 'hangie'], 'gif': ['fig', 'gif'], 'gifola': ['filago', 'gifola'], 'gifted': ['fidget', 'gifted'], 'gigman': ['gaming', 'gigman'], 'gigsman': ['gangism', 'gigsman'], 'gila': ['gail', 'gali', 'gila', 'glia'], 'gilaki': ['gilaki', 'giliak'], 'gilbertese': ['gilbertese', 'selbergite'], 'gilden': ['dingle', 'elding', 'engild', 'gilden'], 'gilder': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gilding': ['gilding', 'gliding'], 'gileno': ['eloign', 'gileno', 'legion'], 'giles': ['giles', 'gilse'], 'giliak': ['gilaki', 'giliak'], 'giller': ['giller', 'grille', 'regill'], 'gilo': ['gilo', 'goli'], 'gilpy': ['gilpy', 'pigly'], 'gilse': ['giles', 'gilse'], 'gim': ['gim', 'mig'], 'gimel': ['gimel', 'glime'], 'gimmer': ['gimmer', 'grimme', 'megrim'], 'gimper': ['gimper', 'impreg'], 'gin': ['gin', 'ing', 'nig'], 'ginger': ['ginger', 'nigger'], 'gingery': ['gingery', 'niggery'], 'ginglymodi': ['ginglymodi', 'ginglymoid'], 'ginglymoid': ['ginglymodi', 'ginglymoid'], 'gink': ['gink', 'king'], 'ginned': ['ending', 'ginned'], 'ginner': ['enring', 'ginner'], 'ginney': ['ginney', 'nignye'], 'ginseng': ['gesning', 'ginseng'], 'ginward': ['drawing', 'ginward', 'warding'], 'gio': ['gio', 'goi'], 'giornata': ['giornata', 'gratiano'], 'giornatate': ['giornatate', 'tetragonia'], 'gip': ['gip', 'pig'], 'gipper': ['gipper', 'grippe'], 'girandole': ['girandole', 'negroidal'], 'girasole': ['girasole', 'seraglio'], 'girba': ['bragi', 'girba'], 'gird': ['gird', 'grid'], 'girder': ['girder', 'ridger'], 'girding': ['girding', 'ridging'], 'girdingly': ['girdingly', 'ridgingly'], 'girdle': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'girdler': ['dirgler', 'girdler'], 'girdling': ['girdling', 'ridgling'], 'girling': ['girling', 'rigling'], 'girn': ['girn', 'grin', 'ring'], 'girny': ['girny', 'ringy'], 'girondin': ['girondin', 'nonrigid'], 'girsle': ['girsle', 'gisler', 'glires', 'grilse'], 'girt': ['girt', 'grit', 'trig'], 'girth': ['girth', 'grith', 'right'], 'gish': ['gish', 'sigh'], 'gisla': ['gisla', 'ligas', 'sigla'], 'gisler': ['girsle', 'gisler', 'glires', 'grilse'], 'git': ['git', 'tig'], 'gitalin': ['gitalin', 'tailing'], 'gith': ['gith', 'thig'], 'gitksan': ['gitksan', 'skating', 'takings'], 'gittern': ['gittern', 'gritten', 'retting'], 'giustina': ['giustina', 'ignatius'], 'giver': ['giver', 'vergi'], 'glaceing': ['cageling', 'glaceing'], 'glacier': ['glacier', 'gracile'], 'glaciometer': ['geometrical', 'glaciometer'], 'gladdener': ['gladdener', 'glandered', 'regladden'], 'glaga': ['galga', 'glaga'], 'glaik': ['galik', 'glaik'], 'glaiket': ['glaiket', 'taglike'], 'glair': ['argil', 'glair', 'grail'], 'glaireous': ['aligerous', 'glaireous'], 'glaister': ['glaister', 'regalist'], 'glaive': ['glaive', 'vagile'], 'glance': ['cangle', 'glance'], 'glancer': ['cangler', 'glancer', 'reclang'], 'glancingly': ['clangingly', 'glancingly'], 'glandered': ['gladdener', 'glandered', 'regladden'], 'glans': ['glans', 'slang'], 'glare': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'glariness': ['glariness', 'grainless'], 'glary': ['glary', 'gyral'], 'glasser': ['glasser', 'largess'], 'glasses': ['gasless', 'glasses', 'sagless'], 'glassie': ['algesis', 'glassie'], 'glassine': ['gainless', 'glassine'], 'glaucin': ['glaucin', 'glucina'], 'glaucine': ['cuailnge', 'glaucine'], 'glaum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glaur': ['glaur', 'gular'], 'glaury': ['glaury', 'raguly'], 'glaver': ['glaver', 'gravel'], 'glaze': ['gazel', 'glaze'], 'glazy': ['glazy', 'zygal'], 'gleamy': ['gamely', 'gleamy', 'mygale'], 'glean': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'gleaner': ['enlarge', 'general', 'gleaner'], 'gleary': ['argyle', 'gleary'], 'gleba': ['bagel', 'belga', 'gable', 'gleba'], 'glebal': ['begall', 'glebal'], 'glede': ['glede', 'gleed', 'ledge'], 'gledy': ['gledy', 'ledgy'], 'gleed': ['glede', 'gleed', 'ledge'], 'gleeman': ['gleeman', 'melange'], 'glia': ['gail', 'gali', 'gila', 'glia'], 'gliadin': ['dialing', 'gliadin'], 'glial': ['galli', 'glial'], 'glibness': ['beslings', 'blessing', 'glibness'], 'glidder': ['glidder', 'griddle'], 'glide': ['gelid', 'glide'], 'glideness': ['gelidness', 'glideness'], 'glider': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gliding': ['gilding', 'gliding'], 'glime': ['gimel', 'glime'], 'glink': ['glink', 'kling'], 'glires': ['girsle', 'gisler', 'glires', 'grilse'], 'glisten': ['glisten', 'singlet'], 'glister': ['glister', 'gristle'], 'glitnir': ['glitnir', 'ritling'], 'glitter': ['glitter', 'grittle'], 'gloater': ['argolet', 'gloater', 'legator'], 'gloating': ['gloating', 'goatling'], 'globate': ['boltage', 'globate'], 'globe': ['bogle', 'globe'], 'globin': ['globin', 'goblin', 'lobing'], 'gloea': ['gloea', 'legoa'], 'glome': ['glome', 'golem', 'molge'], 'glomerate': ['algometer', 'glomerate'], 'glore': ['glore', 'ogler'], 'gloria': ['gloria', 'larigo', 'logria'], 'gloriana': ['argolian', 'gloriana'], 'gloriette': ['gloriette', 'rigolette'], 'glorifiable': ['frigolabile', 'glorifiable'], 'glossed': ['dogless', 'glossed', 'godless'], 'glosser': ['glosser', 'regloss'], 'glossitic': ['glossitic', 'logistics'], 'glossohyal': ['glossohyal', 'hyoglossal'], 'glossolabial': ['glossolabial', 'labioglossal'], 'glossolabiolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'glossolabiopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'glottid': ['glottid', 'goldtit'], 'glover': ['glover', 'grovel'], 'gloveress': ['gloveress', 'groveless'], 'glow': ['glow', 'gowl'], 'glower': ['glower', 'reglow'], 'gloy': ['gloy', 'logy'], 'glucemia': ['glucemia', 'mucilage'], 'glucina': ['glaucin', 'glucina'], 'glucine': ['glucine', 'lucigen'], 'glucinum': ['cingulum', 'glucinum'], 'glucosane': ['consulage', 'glucosane'], 'glue': ['glue', 'gule', 'luge'], 'gluer': ['gluer', 'gruel', 'luger'], 'gluma': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glume': ['gemul', 'glume'], 'glumose': ['glumose', 'lugsome'], 'gluten': ['englut', 'gluten', 'ungelt'], 'glutin': ['glutin', 'luting', 'ungilt'], 'glutter': ['glutter', 'guttler'], 'glycerate': ['electragy', 'glycerate'], 'glycerinize': ['glycerinize', 'glycerizine'], 'glycerizine': ['glycerinize', 'glycerizine'], 'glycerophosphate': ['glycerophosphate', 'phosphoglycerate'], 'glycocin': ['glycocin', 'glyconic'], 'glyconic': ['glycocin', 'glyconic'], 'glycosine': ['glycosine', 'lysogenic'], 'glycosuria': ['glycosuria', 'graciously'], 'gnaeus': ['gnaeus', 'unsage'], 'gnaphalium': ['gnaphalium', 'phalangium'], 'gnar': ['garn', 'gnar', 'rang'], 'gnarled': ['dangler', 'gnarled'], 'gnash': ['gnash', 'shang'], 'gnat': ['gant', 'gnat', 'tang'], 'gnatho': ['gnatho', 'thonga'], 'gnathotheca': ['chaetognath', 'gnathotheca'], 'gnatling': ['gnatling', 'tangling'], 'gnatter': ['garnett', 'gnatter', 'gratten', 'tergant'], 'gnaw': ['gawn', 'gnaw', 'wang'], 'gnetum': ['gnetum', 'nutmeg'], 'gnome': ['genom', 'gnome'], 'gnomic': ['coming', 'gnomic'], 'gnomist': ['gnomist', 'mosting'], 'gnomonic': ['gnomonic', 'oncoming'], 'gnomonical': ['cognominal', 'gnomonical'], 'gnostic': ['costing', 'gnostic'], 'gnostical': ['gnostical', 'nostalgic'], 'gnu': ['gnu', 'gun'], 'go': ['go', 'og'], 'goa': ['ago', 'goa'], 'goad': ['dago', 'goad'], 'goal': ['gaol', 'goal', 'gola', 'olga'], 'goan': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'goat': ['goat', 'toag', 'toga'], 'goatee': ['goatee', 'goetae'], 'goatlike': ['goatlike', 'togalike'], 'goatling': ['gloating', 'goatling'], 'goatly': ['goatly', 'otalgy'], 'gob': ['bog', 'gob'], 'goban': ['bogan', 'goban'], 'gobbe': ['bebog', 'begob', 'gobbe'], 'gobbin': ['gibbon', 'gobbin'], 'gobelin': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'gobian': ['bagnio', 'gabion', 'gobian'], 'goblet': ['boglet', 'goblet'], 'goblin': ['globin', 'goblin', 'lobing'], 'gobline': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'goblinry': ['boringly', 'goblinry'], 'gobo': ['bogo', 'gobo'], 'goby': ['bogy', 'bygo', 'goby'], 'goclenian': ['congenial', 'goclenian'], 'god': ['dog', 'god'], 'goddam': ['goddam', 'mogdad'], 'gode': ['doeg', 'doge', 'gode'], 'godhead': ['doghead', 'godhead'], 'godhood': ['doghood', 'godhood'], 'godless': ['dogless', 'glossed', 'godless'], 'godlike': ['doglike', 'godlike'], 'godling': ['godling', 'lodging'], 'godly': ['dogly', 'godly', 'goldy'], 'godship': ['dogship', 'godship'], 'godwinian': ['downingia', 'godwinian'], 'goeduck': ['geoduck', 'goeduck'], 'goel': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'goer': ['goer', 'gore', 'ogre'], 'goes': ['goes', 'sego'], 'goetae': ['goatee', 'goetae'], 'goetic': ['geotic', 'goetic'], 'goetical': ['ectoglia', 'geotical', 'goetical'], 'goety': ['geoty', 'goety'], 'goglet': ['goglet', 'toggel', 'toggle'], 'goi': ['gio', 'goi'], 'goidel': ['goidel', 'goldie'], 'goitral': ['goitral', 'larigot', 'ligator'], 'gol': ['gol', 'log'], 'gola': ['gaol', 'goal', 'gola', 'olga'], 'golden': ['engold', 'golden'], 'goldenmouth': ['goldenmouth', 'longmouthed'], 'golder': ['golder', 'lodger'], 'goldie': ['goidel', 'goldie'], 'goldtit': ['glottid', 'goldtit'], 'goldy': ['dogly', 'godly', 'goldy'], 'golee': ['eloge', 'golee'], 'golem': ['glome', 'golem', 'molge'], 'golf': ['flog', 'golf'], 'golfer': ['golfer', 'reflog'], 'goli': ['gilo', 'goli'], 'goliard': ['argolid', 'goliard'], 'golo': ['golo', 'gool'], 'goma': ['goma', 'ogam'], 'gomari': ['gamori', 'gomari', 'gromia'], 'gomart': ['gomart', 'margot'], 'gomphrena': ['gomphrena', 'nephogram'], 'gon': ['gon', 'nog'], 'gona': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gonad': ['donga', 'gonad'], 'gonadial': ['diagonal', 'ganoidal', 'gonadial'], 'gonal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'gond': ['dong', 'gond'], 'gondi': ['dingo', 'doing', 'gondi', 'gonid'], 'gondola': ['dongola', 'gondola'], 'gondolier': ['gondolier', 'negroloid'], 'gone': ['geon', 'gone'], 'goner': ['ergon', 'genro', 'goner', 'negro'], 'gonesome': ['gonesome', 'osmogene'], 'gongoresque': ['gongoresque', 'gorgonesque'], 'gonia': ['gonia', 'ngaio', 'nogai'], 'goniac': ['agonic', 'angico', 'gaonic', 'goniac'], 'goniale': ['goniale', 'noilage'], 'goniaster': ['goniaster', 'orangeist'], 'goniatitid': ['digitation', 'goniatitid'], 'gonid': ['dingo', 'doing', 'gondi', 'gonid'], 'gonidia': ['angioid', 'gonidia'], 'gonidiferous': ['gonidiferous', 'indigoferous'], 'goniometer': ['geronomite', 'goniometer'], 'gonomery': ['gonomery', 'merogony'], 'gonosome': ['gonosome', 'mongoose'], 'gonyocele': ['coelogyne', 'gonyocele'], 'gonys': ['gonys', 'songy'], 'goober': ['booger', 'goober'], 'goodyear': ['goodyear', 'goodyera'], 'goodyera': ['goodyear', 'goodyera'], 'goof': ['fogo', 'goof'], 'goofer': ['forego', 'goofer'], 'gool': ['golo', 'gool'], 'gools': ['gools', 'logos'], 'goop': ['goop', 'pogo'], 'gor': ['gor', 'rog'], 'gora': ['argo', 'garo', 'gora'], 'goral': ['algor', 'argol', 'goral', 'largo'], 'goran': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'gorb': ['borg', 'brog', 'gorb'], 'gorbal': ['brolga', 'gorbal'], 'gorce': ['corge', 'gorce'], 'gordian': ['gordian', 'idorgan', 'roading'], 'gordon': ['drongo', 'gordon'], 'gordonia': ['gordonia', 'organoid', 'rigadoon'], 'gore': ['goer', 'gore', 'ogre'], 'gorer': ['gorer', 'roger'], 'gorge': ['gorge', 'grego'], 'gorged': ['dogger', 'gorged'], 'gorger': ['gorger', 'gregor'], 'gorgerin': ['gorgerin', 'ringgoer'], 'gorgonesque': ['gongoresque', 'gorgonesque'], 'goric': ['corgi', 'goric', 'orgic'], 'goring': ['goring', 'gringo'], 'gorse': ['gorse', 'soger'], 'gortonian': ['gortonian', 'organotin'], 'gory': ['gory', 'gyro', 'orgy'], 'gos': ['gos', 'sog'], 'gosain': ['gosain', 'isagon', 'sagoin'], 'gosh': ['gosh', 'shog'], 'gospel': ['gospel', 'spogel'], 'gossipry': ['gossipry', 'gryposis'], 'got': ['got', 'tog'], 'gotra': ['argot', 'gator', 'gotra', 'groat'], 'goup': ['goup', 'ogpu', 'upgo'], 'gourde': ['drogue', 'gourde'], 'gout': ['gout', 'toug'], 'goutish': ['goutish', 'outsigh'], 'gowan': ['gowan', 'wagon', 'wonga'], 'gowdnie': ['gowdnie', 'widgeon'], 'gowl': ['glow', 'gowl'], 'gown': ['gown', 'wong'], 'goyin': ['goyin', 'yogin'], 'gra': ['gar', 'gra', 'rag'], 'grab': ['brag', 'garb', 'grab'], 'grabble': ['gabbler', 'grabble'], 'graben': ['banger', 'engarb', 'graben'], 'grace': ['cager', 'garce', 'grace'], 'gracile': ['glacier', 'gracile'], 'graciously': ['glycosuria', 'graciously'], 'grad': ['darg', 'drag', 'grad'], 'gradation': ['gradation', 'indagator', 'tanagroid'], 'grade': ['edgar', 'grade'], 'graded': ['gadder', 'graded'], 'grader': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gradient': ['gradient', 'treading'], 'gradienter': ['gradienter', 'intergrade'], 'gradientia': ['gradientia', 'grantiidae'], 'gradin': ['daring', 'dingar', 'gradin'], 'gradine': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grading': ['grading', 'niggard'], 'graeae': ['aerage', 'graeae'], 'graeme': ['graeme', 'meager', 'meagre'], 'grafter': ['grafter', 'regraft'], 'graian': ['graian', 'nagari'], 'grail': ['argil', 'glair', 'grail'], 'grailer': ['grailer', 'reglair'], 'grain': ['agrin', 'grain'], 'grained': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grainer': ['earring', 'grainer'], 'grainless': ['glariness', 'grainless'], 'graith': ['aright', 'graith'], 'grallina': ['grallina', 'granilla'], 'gralline': ['allergin', 'gralline'], 'grame': ['grame', 'marge', 'regma'], 'gramenite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'gramineous': ['germanious', 'gramineous', 'marigenous'], 'graminiform': ['graminiform', 'marginiform'], 'graminous': ['graminous', 'ignoramus'], 'gramme': ['gammer', 'gramme'], 'gramophonic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'gramophonical': ['gramophonical', 'monographical', 'nomographical'], 'gramophonically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'gramophonist': ['gramophonist', 'monographist'], 'granadine': ['granadine', 'grenadian'], 'granate': ['argante', 'granate', 'tanager'], 'granatum': ['armgaunt', 'granatum'], 'grand': ['drang', 'grand'], 'grandam': ['dragman', 'grandam', 'grandma'], 'grandee': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grandeeism': ['grandeeism', 'renegadism'], 'grandeur': ['grandeur', 'unregard'], 'grandeval': ['grandeval', 'landgrave'], 'grandiose': ['grandiose', 'sargonide'], 'grandma': ['dragman', 'grandam', 'grandma'], 'grandparental': ['grandparental', 'grandpaternal'], 'grandpaternal': ['grandparental', 'grandpaternal'], 'grane': ['anger', 'areng', 'grane', 'range'], 'grange': ['ganger', 'grange', 'nagger'], 'grangousier': ['grangousier', 'gregarinous'], 'granilla': ['grallina', 'granilla'], 'granite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'granivore': ['granivore', 'overgrain'], 'grano': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'granophyre': ['granophyre', 'renography'], 'grantee': ['grantee', 'greaten', 'reagent', 'rentage'], 'granter': ['granter', 'regrant'], 'granth': ['granth', 'thrang'], 'grantiidae': ['gradientia', 'grantiidae'], 'granula': ['angular', 'granula'], 'granule': ['granule', 'unlarge', 'unregal'], 'granulite': ['granulite', 'traguline'], 'grape': ['gaper', 'grape', 'pager', 'parge'], 'graperoot': ['graperoot', 'prorogate'], 'graphical': ['algraphic', 'graphical'], 'graphically': ['calligraphy', 'graphically'], 'graphologic': ['graphologic', 'logographic'], 'graphological': ['graphological', 'logographical'], 'graphology': ['graphology', 'logography'], 'graphometer': ['graphometer', 'meteorgraph'], 'graphophonic': ['graphophonic', 'phonographic'], 'graphostatic': ['gastropathic', 'graphostatic'], 'graphotypic': ['graphotypic', 'pictography', 'typographic'], 'grapsidae': ['disparage', 'grapsidae'], 'grasp': ['grasp', 'sprag'], 'grasper': ['grasper', 'regrasp', 'sparger'], 'grasser': ['grasser', 'regrass'], 'grasshopper': ['grasshopper', 'hoppergrass'], 'grassman': ['grassman', 'mangrass'], 'grat': ['grat', 'trag'], 'grate': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'grateman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'grater': ['garret', 'garter', 'grater', 'targer'], 'gratiano': ['giornata', 'gratiano'], 'graticule': ['curtilage', 'cutigeral', 'graticule'], 'gratiolin': ['gratiolin', 'largition', 'tailoring'], 'gratis': ['gratis', 'striga'], 'gratten': ['garnett', 'gnatter', 'gratten', 'tergant'], 'graupel': ['earplug', 'graupel', 'plaguer'], 'gravamen': ['gravamen', 'graveman'], 'gravel': ['glaver', 'gravel'], 'graveman': ['gravamen', 'graveman'], 'graves': ['gervas', 'graves'], 'gravure': ['gravure', 'verruga'], 'gray': ['gary', 'gray'], 'grayling': ['grayling', 'ragingly'], 'graze': ['gazer', 'graze'], 'greaser': ['argeers', 'greaser', 'serrage'], 'great': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'greaten': ['grantee', 'greaten', 'reagent', 'rentage'], 'greater': ['greater', 'regrate', 'terrage'], 'greaves': ['gervase', 'greaves', 'servage'], 'grebe': ['gerbe', 'grebe', 'rebeg'], 'grecian': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'grecomania': ['ergomaniac', 'grecomania'], 'greed': ['edger', 'greed'], 'green': ['genre', 'green', 'neger', 'reneg'], 'greenable': ['generable', 'greenable'], 'greener': ['greener', 'regreen', 'reneger'], 'greenish': ['greenish', 'sheering'], 'greenland': ['englander', 'greenland'], 'greenuk': ['gerenuk', 'greenuk'], 'greeny': ['energy', 'greeny', 'gyrene'], 'greet': ['egret', 'greet', 'reget'], 'greeter': ['greeter', 'regreet'], 'gregal': ['gargle', 'gregal', 'lagger', 'raggle'], 'gregarian': ['gregarian', 'gregarina'], 'gregarina': ['gregarian', 'gregarina'], 'gregarinous': ['grangousier', 'gregarinous'], 'grege': ['egger', 'grege'], 'gregge': ['gegger', 'gregge'], 'grego': ['gorge', 'grego'], 'gregor': ['gorger', 'gregor'], 'greige': ['greige', 'reggie'], 'grein': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'gremial': ['gremial', 'lamiger'], 'gremlin': ['gremlin', 'mingler'], 'grenade': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grenadian': ['granadine', 'grenadian'], 'grenadier': ['earringed', 'grenadier'], 'grenadin': ['gardenin', 'grenadin'], 'grenadine': ['endearing', 'engrained', 'grenadine'], 'greta': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gretel': ['gretel', 'reglet'], 'greund': ['dunger', 'gerund', 'greund', 'nudger'], 'grewia': ['earwig', 'grewia'], 'grey': ['grey', 'gyre'], 'grid': ['gird', 'grid'], 'griddle': ['glidder', 'griddle'], 'gride': ['dirge', 'gride', 'redig', 'ridge'], 'gridelin': ['dreiling', 'gridelin'], 'grieve': ['grieve', 'regive'], 'grieved': ['diverge', 'grieved'], 'grille': ['giller', 'grille', 'regill'], 'grilse': ['girsle', 'gisler', 'glires', 'grilse'], 'grimace': ['gemaric', 'grimace', 'megaric'], 'grime': ['gerim', 'grime'], 'grimme': ['gimmer', 'grimme', 'megrim'], 'grin': ['girn', 'grin', 'ring'], 'grinder': ['grinder', 'regrind'], 'grindle': ['dringle', 'grindle'], 'gringo': ['goring', 'gringo'], 'grip': ['grip', 'prig'], 'gripe': ['gerip', 'gripe'], 'gripeful': ['fireplug', 'gripeful'], 'griper': ['griper', 'regrip'], 'gripman': ['gripman', 'prigman', 'ramping'], 'grippe': ['gipper', 'grippe'], 'grisounite': ['grisounite', 'grisoutine', 'integrious'], 'grisoutine': ['grisounite', 'grisoutine', 'integrious'], 'grist': ['grist', 'grits', 'strig'], 'gristle': ['glister', 'gristle'], 'grit': ['girt', 'grit', 'trig'], 'grith': ['girth', 'grith', 'right'], 'grits': ['grist', 'grits', 'strig'], 'gritten': ['gittern', 'gritten', 'retting'], 'grittle': ['glitter', 'grittle'], 'grivna': ['grivna', 'raving'], 'grizzel': ['grizzel', 'grizzle'], 'grizzle': ['grizzel', 'grizzle'], 'groan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'groaner': ['groaner', 'oranger', 'organer'], 'groaning': ['groaning', 'organing'], 'groat': ['argot', 'gator', 'gotra', 'groat'], 'grobian': ['biorgan', 'grobian'], 'groined': ['groined', 'negroid'], 'gromia': ['gamori', 'gomari', 'gromia'], 'groove': ['groove', 'overgo'], 'grope': ['grope', 'porge'], 'groper': ['groper', 'porger'], 'groset': ['groset', 'storge'], 'grossen': ['engross', 'grossen'], 'grot': ['grot', 'trog'], 'grotian': ['grotian', 'trigona'], 'grotto': ['grotto', 'torgot'], 'grounded': ['grounded', 'underdog', 'undergod'], 'grouper': ['grouper', 'regroup'], 'grouse': ['grouse', 'rugose'], 'grousy': ['grousy', 'gyrous'], 'grovel': ['glover', 'grovel'], 'groveless': ['gloveress', 'groveless'], 'growan': ['awrong', 'growan'], 'grower': ['grower', 'regrow'], 'grown': ['grown', 'wrong'], 'grub': ['burg', 'grub'], 'grudge': ['grudge', 'rugged'], 'grudger': ['drugger', 'grudger'], 'grudgery': ['druggery', 'grudgery'], 'grue': ['grue', 'urge'], 'gruel': ['gluer', 'gruel', 'luger'], 'gruelly': ['gruelly', 'gullery'], 'grues': ['grues', 'surge'], 'grun': ['grun', 'rung'], 'grush': ['grush', 'shrug'], 'grusinian': ['grusinian', 'unarising'], 'grutten': ['grutten', 'turgent'], 'gryposis': ['gossipry', 'gryposis'], 'guacho': ['gaucho', 'guacho'], 'guan': ['gaun', 'guan', 'guna', 'uang'], 'guanamine': ['guanamine', 'guineaman'], 'guanine': ['anguine', 'guanine', 'guinean'], 'guar': ['gaur', 'guar', 'ruga'], 'guara': ['gaura', 'guara'], 'guarani': ['anguria', 'gaurian', 'guarani'], 'guarantorship': ['guarantorship', 'uranographist'], 'guardeen': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'guarder': ['guarder', 'reguard'], 'guatusan': ['augustan', 'guatusan'], 'gud': ['dug', 'gud'], 'gude': ['degu', 'gude'], 'guenon': ['guenon', 'ungone'], 'guepard': ['guepard', 'upgrade'], 'guerdon': ['guerdon', 'undergo', 'ungored'], 'guerdoner': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'guerinet': ['geniture', 'guerinet'], 'guester': ['gesture', 'guester'], 'guetar': ['argute', 'guetar', 'rugate', 'tuareg'], 'guetare': ['erugate', 'guetare'], 'guha': ['augh', 'guha'], 'guiana': ['guiana', 'iguana'], 'guib': ['bugi', 'guib'], 'guineaman': ['guanamine', 'guineaman'], 'guinean': ['anguine', 'guanine', 'guinean'], 'guiser': ['guiser', 'sergiu'], 'gul': ['gul', 'lug'], 'gula': ['gaul', 'gula'], 'gulae': ['gulae', 'legua'], 'gular': ['glaur', 'gular'], 'gularis': ['agrilus', 'gularis'], 'gulden': ['gulden', 'lunged'], 'gule': ['glue', 'gule', 'luge'], 'gules': ['gules', 'gusle'], 'gullery': ['gruelly', 'gullery'], 'gullible': ['bluegill', 'gullible'], 'gulonic': ['gulonic', 'unlogic'], 'gulp': ['gulp', 'plug'], 'gulpin': ['gulpin', 'puling'], 'gum': ['gum', 'mug'], 'gumbo': ['bogum', 'gumbo'], 'gumshoe': ['gumshoe', 'hugsome'], 'gumweed': ['gumweed', 'mugweed'], 'gun': ['gnu', 'gun'], 'guna': ['gaun', 'guan', 'guna', 'uang'], 'gunate': ['gunate', 'tangue'], 'gundi': ['gundi', 'undig'], 'gundy': ['dungy', 'gundy'], 'gunk': ['gunk', 'kung'], 'gunl': ['gunl', 'lung'], 'gunnership': ['gunnership', 'unsphering'], 'gunreach': ['gunreach', 'uncharge'], 'gunsel': ['gunsel', 'selung', 'slunge'], 'gunshot': ['gunshot', 'shotgun', 'uhtsong'], 'gunster': ['gunster', 'surgent'], 'gunter': ['gunter', 'gurnet', 'urgent'], 'gup': ['gup', 'pug'], 'gur': ['gur', 'rug'], 'gurgeon': ['gurgeon', 'ungorge'], 'gurgle': ['gurgle', 'lugger', 'ruggle'], 'gurian': ['gurian', 'ugrian'], 'guric': ['guric', 'ugric'], 'gurl': ['gurl', 'lurg'], 'gurnard': ['drungar', 'gurnard'], 'gurnet': ['gunter', 'gurnet', 'urgent'], 'gurt': ['gurt', 'trug'], 'gush': ['gush', 'shug', 'sugh'], 'gusher': ['gusher', 'regush'], 'gusle': ['gules', 'gusle'], 'gust': ['gust', 'stug'], 'gut': ['gut', 'tug'], 'gutless': ['gutless', 'tugless'], 'gutlike': ['gutlike', 'tuglike'], 'gutnish': ['gutnish', 'husting', 'unsight'], 'guttler': ['glutter', 'guttler'], 'guttular': ['guttular', 'guttural'], 'guttural': ['guttular', 'guttural'], 'gweed': ['gweed', 'wedge'], 'gymnasic': ['gymnasic', 'syngamic'], 'gymnastic': ['gymnastic', 'nystagmic'], 'gynandrous': ['androgynus', 'gynandrous'], 'gynerium': ['eryngium', 'gynerium'], 'gynospore': ['gynospore', 'sporogeny'], 'gypsine': ['gypsine', 'pigsney'], 'gyral': ['glary', 'gyral'], 'gyrant': ['gantry', 'gyrant'], 'gyrate': ['geraty', 'gyrate'], 'gyration': ['gyration', 'organity', 'ortygian'], 'gyre': ['grey', 'gyre'], 'gyrene': ['energy', 'greeny', 'gyrene'], 'gyro': ['gory', 'gyro', 'orgy'], 'gyroma': ['gyroma', 'morgay'], 'gyromitra': ['gyromitra', 'migratory'], 'gyrophora': ['gyrophora', 'orography'], 'gyrous': ['grousy', 'gyrous'], 'gyrus': ['gyrus', 'surgy'], 'ha': ['ah', 'ha'], 'haberdine': ['haberdine', 'hebridean'], 'habile': ['habile', 'halebi'], 'habiri': ['bihari', 'habiri'], 'habiru': ['brahui', 'habiru'], 'habit': ['baith', 'habit'], 'habitan': ['abthain', 'habitan'], 'habitat': ['habitat', 'tabitha'], 'habited': ['habited', 'thebaid'], 'habitus': ['habitus', 'ushabti'], 'habnab': ['babhan', 'habnab'], 'hacienda': ['chanidae', 'hacienda'], 'hackin': ['hackin', 'kachin'], 'hackle': ['hackle', 'lekach'], 'hackler': ['chalker', 'hackler'], 'hackly': ['chalky', 'hackly'], 'hacktree': ['eckehart', 'hacktree'], 'hackwood': ['hackwood', 'woodhack'], 'hacky': ['chyak', 'hacky'], 'had': ['dah', 'dha', 'had'], 'hadden': ['hadden', 'handed'], 'hade': ['hade', 'head'], 'hades': ['deash', 'hades', 'sadhe', 'shade'], 'hadji': ['hadji', 'jihad'], 'haec': ['ache', 'each', 'haec'], 'haem': ['ahem', 'haem', 'hame'], 'haet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hafgan': ['afghan', 'hafgan'], 'hafter': ['father', 'freath', 'hafter'], 'hageen': ['hageen', 'hangee'], 'hailse': ['elisha', 'hailse', 'sheila'], 'hainan': ['hainan', 'nahani'], 'hair': ['ahir', 'hair'], 'hairband': ['bhandari', 'hairband'], 'haired': ['dehair', 'haired'], 'hairen': ['hairen', 'hernia'], 'hairlet': ['hairlet', 'therial'], 'hairstone': ['hairstone', 'hortensia'], 'hairup': ['hairup', 'rupiah'], 'hak': ['hak', 'kha'], 'hakam': ['hakam', 'makah'], 'hakea': ['ekaha', 'hakea'], 'hakim': ['hakim', 'khami'], 'haku': ['haku', 'kahu'], 'halal': ['allah', 'halal'], 'halbert': ['blather', 'halbert'], 'hale': ['hale', 'heal', 'leah'], 'halebi': ['habile', 'halebi'], 'halenia': ['ainaleh', 'halenia'], 'halesome': ['halesome', 'healsome'], 'halicore': ['halicore', 'heroical'], 'haliotidae': ['aethalioid', 'haliotidae'], 'hallan': ['hallan', 'nallah'], 'hallower': ['hallower', 'rehallow'], 'halma': ['halma', 'hamal'], 'halogeton': ['halogeton', 'theogonal'], 'haloid': ['dihalo', 'haloid'], 'halophile': ['halophile', 'philohela'], 'halophytism': ['halophytism', 'hylopathism'], 'hals': ['hals', 'lash'], 'halse': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'halsen': ['halsen', 'hansel', 'lanseh'], 'halt': ['halt', 'lath'], 'halter': ['arthel', 'halter', 'lather', 'thaler'], 'halterbreak': ['halterbreak', 'leatherbark'], 'halting': ['halting', 'lathing', 'thingal'], 'halve': ['halve', 'havel'], 'halver': ['halver', 'lavehr'], 'ham': ['ham', 'mah'], 'hamal': ['halma', 'hamal'], 'hame': ['ahem', 'haem', 'hame'], 'hameil': ['hameil', 'hiemal'], 'hamel': ['hamel', 'hemal'], 'hamfatter': ['aftermath', 'hamfatter'], 'hami': ['hami', 'hima', 'mahi'], 'hamital': ['hamital', 'thalami'], 'hamites': ['atheism', 'hamites'], 'hamlet': ['hamlet', 'malthe'], 'hammerer': ['hammerer', 'rehammer'], 'hamsa': ['hamsa', 'masha', 'shama'], 'hamulites': ['hamulites', 'shulamite'], 'hamus': ['hamus', 'musha'], 'hanaster': ['hanaster', 'sheratan'], 'hance': ['achen', 'chane', 'chena', 'hance'], 'hand': ['dhan', 'hand'], 'handbook': ['bandhook', 'handbook'], 'handed': ['hadden', 'handed'], 'hander': ['hander', 'harden'], 'handicapper': ['handicapper', 'prehandicap'], 'handscrape': ['handscrape', 'scaphander'], 'handstone': ['handstone', 'stonehand'], 'handwork': ['handwork', 'workhand'], 'hangar': ['arghan', 'hangar'], 'hangby': ['banghy', 'hangby'], 'hangee': ['hageen', 'hangee'], 'hanger': ['hanger', 'rehang'], 'hangie': ['gienah', 'hangie'], 'hangnail': ['hangnail', 'langhian'], 'hangout': ['hangout', 'tohunga'], 'hank': ['ankh', 'hank', 'khan'], 'hano': ['hano', 'noah'], 'hans': ['hans', 'nash', 'shan'], 'hansa': ['ahsan', 'hansa', 'hasan'], 'hanse': ['ashen', 'hanse', 'shane', 'shean'], 'hanseatic': ['anchistea', 'hanseatic'], 'hansel': ['halsen', 'hansel', 'lanseh'], 'hant': ['hant', 'tanh', 'than'], 'hantle': ['ethnal', 'hantle', 'lathen', 'thenal'], 'hao': ['aho', 'hao'], 'haole': ['eloah', 'haole'], 'haoma': ['haoma', 'omaha'], 'haori': ['haori', 'iroha'], 'hap': ['hap', 'pah'], 'hapalotis': ['hapalotis', 'sapotilha'], 'hapi': ['hapi', 'pahi'], 'haplodoci': ['chilopoda', 'haplodoci'], 'haplont': ['haplont', 'naphtol'], 'haplosis': ['alphosis', 'haplosis'], 'haply': ['haply', 'phyla'], 'happiest': ['happiest', 'peatship'], 'haptene': ['haptene', 'heptane', 'phenate'], 'haptenic': ['haptenic', 'pantheic', 'pithecan'], 'haptere': ['haptere', 'preheat'], 'haptic': ['haptic', 'pathic'], 'haptics': ['haptics', 'spathic'], 'haptometer': ['amphorette', 'haptometer'], 'haptophoric': ['haptophoric', 'pathophoric'], 'haptophorous': ['haptophorous', 'pathophorous'], 'haptotropic': ['haptotropic', 'protopathic'], 'hapu': ['hapu', 'hupa'], 'harass': ['harass', 'hassar'], 'harb': ['bhar', 'harb'], 'harborer': ['abhorrer', 'harborer'], 'harden': ['hander', 'harden'], 'hardener': ['hardener', 'reharden'], 'hardenite': ['hardenite', 'herniated'], 'hardtail': ['hardtail', 'thaliard'], 'hardy': ['hardy', 'hydra'], 'hare': ['hare', 'hear', 'rhea'], 'harebrain': ['harebrain', 'herbarian'], 'harem': ['harem', 'herma', 'rhema'], 'haremism': ['ashimmer', 'haremism'], 'harfang': ['fraghan', 'harfang'], 'haricot': ['chariot', 'haricot'], 'hark': ['hark', 'khar', 'rakh'], 'harka': ['harka', 'kahar'], 'harlot': ['harlot', 'orthal', 'thoral'], 'harmala': ['harmala', 'marhala'], 'harman': ['amhran', 'harman', 'mahran'], 'harmer': ['harmer', 'reharm'], 'harmine': ['harmine', 'hireman'], 'harmonic': ['choirman', 'harmonic', 'omniarch'], 'harmonical': ['harmonical', 'monarchial'], 'harmonics': ['anorchism', 'harmonics'], 'harmonistic': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'harnesser': ['harnesser', 'reharness'], 'harold': ['harold', 'holard'], 'harpa': ['aphra', 'harpa', 'parah'], 'harpings': ['harpings', 'phrasing'], 'harpist': ['harpist', 'traship'], 'harpless': ['harpless', 'splasher'], 'harris': ['arrish', 'harris', 'rarish', 'sirrah'], 'harrower': ['harrower', 'reharrow'], 'hart': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'hartin': ['hartin', 'thrain'], 'hartite': ['hartite', 'rathite'], 'haruspices': ['chuprassie', 'haruspices'], 'harvester': ['harvester', 'reharvest'], 'hasan': ['ahsan', 'hansa', 'hasan'], 'hash': ['hash', 'sahh', 'shah'], 'hasher': ['hasher', 'rehash'], 'hasidic': ['hasidic', 'sahidic'], 'hasidim': ['hasidim', 'maidish'], 'hasky': ['hasky', 'shaky'], 'haslet': ['haslet', 'lesath', 'shelta'], 'hasp': ['hasp', 'pash', 'psha', 'shap'], 'hassar': ['harass', 'hassar'], 'hassel': ['hassel', 'hassle'], 'hassle': ['hassel', 'hassle'], 'haste': ['ashet', 'haste', 'sheat'], 'hasten': ['athens', 'hasten', 'snathe', 'sneath'], 'haster': ['haster', 'hearst', 'hearts'], 'hastilude': ['hastilude', 'lustihead'], 'hastler': ['hastler', 'slather'], 'hasty': ['hasty', 'yasht'], 'hat': ['aht', 'hat', 'tha'], 'hatchery': ['hatchery', 'thearchy'], 'hate': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hateable': ['hateable', 'heatable'], 'hateful': ['hateful', 'heatful'], 'hateless': ['hateless', 'heatless'], 'hater': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'hati': ['hati', 'thai'], 'hatred': ['dearth', 'hatred', 'rathed', 'thread'], 'hatress': ['hatress', 'shaster'], 'hatt': ['hatt', 'tath', 'that'], 'hattemist': ['hattemist', 'thematist'], 'hatter': ['hatter', 'threat'], 'hattery': ['hattery', 'theatry'], 'hattic': ['chatti', 'hattic'], 'hattock': ['hattock', 'totchka'], 'hau': ['ahu', 'auh', 'hau'], 'hauerite': ['eutheria', 'hauerite'], 'haul': ['haul', 'hula'], 'hauler': ['hauler', 'rehaul'], 'haunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'haunter': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'hauntingly': ['hauntingly', 'unhatingly'], 'haurient': ['haurient', 'huterian'], 'havel': ['halve', 'havel'], 'havers': ['havers', 'shaver', 'shrave'], 'haw': ['haw', 'hwa', 'wah', 'wha'], 'hawer': ['hawer', 'whare'], 'hawm': ['hawm', 'wham'], 'hawse': ['hawse', 'shewa', 'whase'], 'hawser': ['hawser', 'rewash', 'washer'], 'hay': ['hay', 'yah'], 'haya': ['ayah', 'haya'], 'hayz': ['hayz', 'hazy'], 'hazarder': ['hazarder', 'rehazard'], 'hazel': ['hazel', 'hazle'], 'hazle': ['hazel', 'hazle'], 'hazy': ['hayz', 'hazy'], 'he': ['eh', 'he'], 'head': ['hade', 'head'], 'headbander': ['barehanded', 'bradenhead', 'headbander'], 'headboard': ['broadhead', 'headboard'], 'header': ['adhere', 'header', 'hedera', 'rehead'], 'headily': ['headily', 'hylidae'], 'headlight': ['headlight', 'lighthead'], 'headlong': ['headlong', 'longhead'], 'headman': ['headman', 'manhead'], 'headmaster': ['headmaster', 'headstream', 'streamhead'], 'headnote': ['headnote', 'notehead'], 'headrail': ['headrail', 'railhead'], 'headrent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'headring': ['headring', 'ringhead'], 'headset': ['headset', 'sethead'], 'headskin': ['headskin', 'nakedish', 'sinkhead'], 'headspring': ['headspring', 'springhead'], 'headstone': ['headstone', 'stonehead'], 'headstream': ['headmaster', 'headstream', 'streamhead'], 'headstrong': ['headstrong', 'stronghead'], 'headward': ['drawhead', 'headward'], 'headwater': ['headwater', 'waterhead'], 'heal': ['hale', 'heal', 'leah'], 'healer': ['healer', 'rehale', 'reheal'], 'healsome': ['halesome', 'healsome'], 'heap': ['epha', 'heap'], 'heaper': ['heaper', 'reheap'], 'heaps': ['heaps', 'pesah', 'phase', 'shape'], 'hear': ['hare', 'hear', 'rhea'], 'hearer': ['hearer', 'rehear'], 'hearken': ['hearken', 'kenareh'], 'hearst': ['haster', 'hearst', 'hearts'], 'heart': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'heartdeep': ['heartdeep', 'preheated'], 'hearted': ['earthed', 'hearted'], 'heartedness': ['heartedness', 'neatherdess'], 'hearten': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'heartener': ['heartener', 'rehearten'], 'heartiness': ['earthiness', 'heartiness'], 'hearting': ['hearting', 'ingather'], 'heartless': ['earthless', 'heartless'], 'heartling': ['earthling', 'heartling'], 'heartly': ['earthly', 'heartly', 'lathery', 'rathely'], 'heartnut': ['earthnut', 'heartnut'], 'heartpea': ['earthpea', 'heartpea'], 'heartquake': ['earthquake', 'heartquake'], 'hearts': ['haster', 'hearst', 'hearts'], 'heartsome': ['heartsome', 'samothere'], 'heartward': ['earthward', 'heartward'], 'heartweed': ['heartweed', 'weathered'], 'hearty': ['earthy', 'hearty', 'yearth'], 'heat': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'heatable': ['hateable', 'heatable'], 'heater': ['heater', 'hereat', 'reheat'], 'heatful': ['hateful', 'heatful'], 'heath': ['heath', 'theah'], 'heating': ['gahnite', 'heating'], 'heatless': ['hateless', 'heatless'], 'heatronic': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'heave': ['heave', 'hevea'], 'hebraizer': ['hebraizer', 'herbarize'], 'hebridean': ['haberdine', 'hebridean'], 'hecate': ['achete', 'hecate', 'teache', 'thecae'], 'hecatine': ['echinate', 'hecatine'], 'heckle': ['heckle', 'kechel'], 'hectare': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'hecte': ['cheet', 'hecte'], 'hector': ['hector', 'rochet', 'tocher', 'troche'], 'hectorian': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'hectorship': ['christophe', 'hectorship'], 'hedera': ['adhere', 'header', 'hedera', 'rehead'], 'hedonical': ['chelodina', 'hedonical'], 'hedonism': ['demonish', 'hedonism'], 'heehaw': ['heehaw', 'wahehe'], 'heel': ['heel', 'hele'], 'heeler': ['heeler', 'reheel'], 'heelpost': ['heelpost', 'pesthole'], 'heer': ['heer', 'here'], 'hegari': ['hegari', 'hegira'], 'hegemonic': ['hegemonic', 'hemogenic'], 'hegira': ['hegari', 'hegira'], 'hei': ['hei', 'hie'], 'height': ['eighth', 'height'], 'heightener': ['heightener', 'reheighten'], 'heintzite': ['heintzite', 'hintzeite'], 'heinz': ['heinz', 'hienz'], 'heir': ['heir', 'hire'], 'heirdom': ['heirdom', 'homerid'], 'heirless': ['heirless', 'hireless'], 'hejazi': ['hejazi', 'jeziah'], 'helcosis': ['helcosis', 'ochlesis'], 'helcotic': ['helcotic', 'lochetic', 'ochletic'], 'hele': ['heel', 'hele'], 'heliacal': ['achillea', 'heliacal'], 'heliast': ['heliast', 'thesial'], 'helical': ['alichel', 'challie', 'helical'], 'heliced': ['chelide', 'heliced'], 'helicon': ['choline', 'helicon'], 'heling': ['heling', 'hingle'], 'heliophotography': ['heliophotography', 'photoheliography'], 'helios': ['helios', 'isohel'], 'heliostatic': ['chiastolite', 'heliostatic'], 'heliotactic': ['heliotactic', 'thiolacetic'], 'helium': ['helium', 'humlie'], 'hellcat': ['hellcat', 'tellach'], 'helleborein': ['helleborein', 'helleborine'], 'helleborine': ['helleborein', 'helleborine'], 'hellenic': ['chenille', 'hellenic'], 'helleri': ['helleri', 'hellier'], 'hellicat': ['hellicat', 'lecithal'], 'hellier': ['helleri', 'hellier'], 'helm': ['helm', 'heml'], 'heloderma': ['dreamhole', 'heloderma'], 'helot': ['helot', 'hotel', 'thole'], 'helotize': ['helotize', 'hotelize'], 'helpmeet': ['helpmeet', 'meethelp'], 'hemad': ['ahmed', 'hemad'], 'hemal': ['hamel', 'hemal'], 'hemapod': ['hemapod', 'mophead'], 'hematic': ['chamite', 'hematic'], 'hematin': ['ethanim', 'hematin'], 'hematinic': ['hematinic', 'minchiate'], 'hematolin': ['hematolin', 'maholtine'], 'hematonic': ['hematonic', 'methanoic'], 'hematosin': ['hematosin', 'thomasine'], 'hematoxic': ['hematoxic', 'hexatomic'], 'hematuric': ['hematuric', 'rheumatic'], 'hemiasci': ['hemiasci', 'ischemia'], 'hemiatrophy': ['hemiatrophy', 'hypothermia'], 'hemic': ['chime', 'hemic', 'miche'], 'hemicarp': ['camphire', 'hemicarp'], 'hemicatalepsy': ['hemicatalepsy', 'mesaticephaly'], 'hemiclastic': ['alchemistic', 'hemiclastic'], 'hemicrany': ['hemicrany', 'machinery'], 'hemiholohedral': ['hemiholohedral', 'holohemihedral'], 'hemiolic': ['elohimic', 'hemiolic'], 'hemiparesis': ['hemiparesis', 'phariseeism'], 'hemistater': ['amherstite', 'hemistater'], 'hemiterata': ['hemiterata', 'metatheria'], 'hemitype': ['epithyme', 'hemitype'], 'heml': ['helm', 'heml'], 'hemogenic': ['hegemonic', 'hemogenic'], 'hemol': ['hemol', 'mohel'], 'hemologist': ['hemologist', 'theologism'], 'hemopneumothorax': ['hemopneumothorax', 'pneumohemothorax'], 'henbit': ['behint', 'henbit'], 'hent': ['hent', 'neth', 'then'], 'henter': ['erthen', 'henter', 'nether', 'threne'], 'henyard': ['enhydra', 'henyard'], 'hepar': ['hepar', 'phare', 'raphe'], 'heparin': ['heparin', 'nephria'], 'hepatic': ['aphetic', 'caphite', 'hepatic'], 'hepatica': ['apachite', 'hepatica'], 'hepatical': ['caliphate', 'hepatical'], 'hepatize': ['aphetize', 'hepatize'], 'hepatocolic': ['hepatocolic', 'otocephalic'], 'hepatogastric': ['gastrohepatic', 'hepatogastric'], 'hepatoid': ['diaphote', 'hepatoid'], 'hepatomegalia': ['hepatomegalia', 'megalohepatia'], 'hepatonephric': ['hepatonephric', 'phrenohepatic'], 'hepatostomy': ['hepatostomy', 'somatophyte'], 'hepialid': ['hepialid', 'phialide'], 'heptace': ['heptace', 'tepache'], 'heptad': ['heptad', 'pathed'], 'heptagon': ['heptagon', 'pathogen'], 'heptameron': ['heptameron', 'promethean'], 'heptane': ['haptene', 'heptane', 'phenate'], 'heptaploidy': ['heptaploidy', 'typhlopidae'], 'hepteris': ['hepteris', 'treeship'], 'heptine': ['heptine', 'nephite'], 'heptite': ['epithet', 'heptite'], 'heptorite': ['heptorite', 'tephroite'], 'heptylic': ['heptylic', 'phyletic'], 'her': ['her', 'reh', 'rhe'], 'heraclid': ['heraclid', 'heraldic'], 'heraldic': ['heraclid', 'heraldic'], 'heraldist': ['heraldist', 'tehsildar'], 'herat': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'herbage': ['breaghe', 'herbage'], 'herbarian': ['harebrain', 'herbarian'], 'herbarism': ['herbarism', 'shambrier'], 'herbarize': ['hebraizer', 'herbarize'], 'herbert': ['berther', 'herbert'], 'herbous': ['herbous', 'subhero'], 'herdic': ['chider', 'herdic'], 'here': ['heer', 'here'], 'hereafter': ['featherer', 'hereafter'], 'hereat': ['heater', 'hereat', 'reheat'], 'herein': ['herein', 'inhere'], 'hereinto': ['etherion', 'hereinto', 'heronite'], 'herem': ['herem', 'rheme'], 'heretic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heretically': ['heretically', 'heterically'], 'heretication': ['heretication', 'theoretician'], 'hereto': ['hereto', 'hetero'], 'heritance': ['catherine', 'heritance'], 'herl': ['herl', 'hler', 'lehr'], 'herma': ['harem', 'herma', 'rhema'], 'hermaic': ['chimera', 'hermaic'], 'hermitage': ['geheimrat', 'hermitage'], 'hermo': ['hermo', 'homer', 'horme'], 'herne': ['herne', 'rheen'], 'hernia': ['hairen', 'hernia'], 'hernial': ['hernial', 'inhaler'], 'herniate': ['atherine', 'herniate'], 'herniated': ['hardenite', 'herniated'], 'hernioid': ['dinheiro', 'hernioid'], 'hero': ['hero', 'hoer'], 'herodian': ['herodian', 'ironhead'], 'heroic': ['coheir', 'heroic'], 'heroical': ['halicore', 'heroical'], 'heroin': ['heroin', 'hieron', 'hornie'], 'heroism': ['heroism', 'moreish'], 'heronite': ['etherion', 'hereinto', 'heronite'], 'herophile': ['herophile', 'rheophile'], 'herpes': ['herpes', 'hesper', 'sphere'], 'herpetism': ['herpetism', 'metership', 'metreship', 'temperish'], 'herpetological': ['herpetological', 'pretheological'], 'herpetomonad': ['dermatophone', 'herpetomonad'], 'hers': ['hers', 'resh', 'sher'], 'herse': ['herse', 'sereh', 'sheer', 'shree'], 'hersed': ['hersed', 'sheder'], 'herself': ['flesher', 'herself'], 'hersir': ['hersir', 'sherri'], 'herulian': ['herulian', 'inhauler'], 'hervati': ['athrive', 'hervati'], 'hesitater': ['hesitater', 'hetaerist'], 'hesper': ['herpes', 'hesper', 'sphere'], 'hespera': ['hespera', 'rephase', 'reshape'], 'hesperia': ['hesperia', 'pharisee'], 'hesperian': ['hesperian', 'phrenesia', 'seraphine'], 'hesperid': ['hesperid', 'perished'], 'hesperinon': ['hesperinon', 'prehension'], 'hesperis': ['hesperis', 'seership'], 'hest': ['esth', 'hest', 'seth'], 'hester': ['esther', 'hester', 'theres'], 'het': ['het', 'the'], 'hetaeric': ['cheatrie', 'hetaeric'], 'hetaerist': ['hesitater', 'hetaerist'], 'hetaery': ['erythea', 'hetaery', 'yeather'], 'heteratomic': ['heteratomic', 'theorematic'], 'heteraxial': ['exhilarate', 'heteraxial'], 'heteric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heterically': ['heretically', 'heterically'], 'hetericism': ['erethismic', 'hetericism'], 'hetericist': ['erethistic', 'hetericist'], 'heterism': ['erethism', 'etherism', 'heterism'], 'heterization': ['etherization', 'heterization'], 'heterize': ['etherize', 'heterize'], 'hetero': ['hereto', 'hetero'], 'heterocarpus': ['heterocarpus', 'urethrascope'], 'heteroclite': ['heteroclite', 'heterotelic'], 'heterodromy': ['heterodromy', 'hydrometeor'], 'heteroecismal': ['cholesteremia', 'heteroecismal'], 'heterography': ['erythrophage', 'heterography'], 'heterogynous': ['heterogynous', 'thyreogenous'], 'heterology': ['heterology', 'thereology'], 'heteromeri': ['heteromeri', 'moerithere'], 'heteroousiast': ['autoheterosis', 'heteroousiast'], 'heteropathy': ['heteropathy', 'theotherapy'], 'heteropodal': ['heteropodal', 'prelatehood'], 'heterotelic': ['heteroclite', 'heterotelic'], 'heterotic': ['heterotic', 'theoretic'], 'hetman': ['anthem', 'hetman', 'mentha'], 'hetmanate': ['hetmanate', 'methanate'], 'hetter': ['hetter', 'tether'], 'hevea': ['heave', 'hevea'], 'hevi': ['hevi', 'hive'], 'hewel': ['hewel', 'wheel'], 'hewer': ['hewer', 'wheer', 'where'], 'hewn': ['hewn', 'when'], 'hewt': ['hewt', 'thew', 'whet'], 'hexacid': ['hexacid', 'hexadic'], 'hexadic': ['hexacid', 'hexadic'], 'hexakisoctahedron': ['hexakisoctahedron', 'octakishexahedron'], 'hexakistetrahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'hexatetrahedron': ['hexatetrahedron', 'tetrahexahedron'], 'hexatomic': ['hematoxic', 'hexatomic'], 'hexonic': ['choenix', 'hexonic'], 'hiant': ['ahint', 'hiant', 'tahin'], 'hiatal': ['hiatal', 'thalia'], 'hibernate': ['hibernate', 'inbreathe'], 'hic': ['chi', 'hic', 'ich'], 'hickwall': ['hickwall', 'wallhick'], 'hidage': ['adighe', 'hidage'], 'hider': ['dheri', 'hider', 'hired'], 'hidling': ['hidling', 'hilding'], 'hidlings': ['dishling', 'hidlings'], 'hidrotic': ['hidrotic', 'trichoid'], 'hie': ['hei', 'hie'], 'hield': ['delhi', 'hield'], 'hiemal': ['hameil', 'hiemal'], 'hienz': ['heinz', 'hienz'], 'hieron': ['heroin', 'hieron', 'hornie'], 'hieros': ['hieros', 'hosier'], 'hight': ['hight', 'thigh'], 'higuero': ['higuero', 'roughie'], 'hilasmic': ['chiliasm', 'hilasmic', 'machilis'], 'hilding': ['hidling', 'hilding'], 'hillside': ['hillside', 'sidehill'], 'hilsa': ['alish', 'hilsa'], 'hilt': ['hilt', 'lith'], 'hima': ['hami', 'hima', 'mahi'], 'himself': ['flemish', 'himself'], 'hinderest': ['disherent', 'hinderest', 'tenderish'], 'hindu': ['hindu', 'hundi', 'unhid'], 'hing': ['hing', 'nigh'], 'hinge': ['hinge', 'neigh'], 'hingle': ['heling', 'hingle'], 'hint': ['hint', 'thin'], 'hinter': ['hinter', 'nither', 'theirn'], 'hintproof': ['hintproof', 'hoofprint'], 'hintzeite': ['heintzite', 'hintzeite'], 'hip': ['hip', 'phi'], 'hipbone': ['hipbone', 'hopbine'], 'hippodamous': ['amphipodous', 'hippodamous'], 'hippolyte': ['hippolyte', 'typophile'], 'hippus': ['hippus', 'uppish'], 'hiram': ['hiram', 'ihram', 'mahri'], 'hircine': ['hircine', 'rheinic'], 'hire': ['heir', 'hire'], 'hired': ['dheri', 'hider', 'hired'], 'hireless': ['heirless', 'hireless'], 'hireman': ['harmine', 'hireman'], 'hiren': ['hiren', 'rhein', 'rhine'], 'hirmos': ['hirmos', 'romish'], 'hirse': ['hirse', 'shier', 'shire'], 'hirsel': ['hirsel', 'hirsle', 'relish'], 'hirsle': ['hirsel', 'hirsle', 'relish'], 'his': ['his', 'hsi', 'shi'], 'hish': ['hish', 'shih'], 'hisn': ['hisn', 'shin', 'sinh'], 'hispa': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'hispanist': ['hispanist', 'saintship'], 'hiss': ['hiss', 'sish'], 'hist': ['hist', 'sith', 'this', 'tshi'], 'histamine': ['histamine', 'semihiant'], 'histie': ['histie', 'shiite'], 'histioid': ['histioid', 'idiotish'], 'histon': ['histon', 'shinto', 'tonish'], 'histonal': ['histonal', 'toshnail'], 'historic': ['historic', 'orchitis'], 'historics': ['historics', 'trichosis'], 'history': ['history', 'toryish'], 'hittable': ['hittable', 'tithable'], 'hitter': ['hitter', 'tither'], 'hive': ['hevi', 'hive'], 'hives': ['hives', 'shive'], 'hler': ['herl', 'hler', 'lehr'], 'ho': ['ho', 'oh'], 'hoar': ['hoar', 'hora'], 'hoard': ['hoard', 'rhoda'], 'hoarse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'hoarstone': ['anorthose', 'hoarstone'], 'hoast': ['hoast', 'hosta', 'shoat'], 'hobbism': ['hobbism', 'mobbish'], 'hobo': ['boho', 'hobo'], 'hocco': ['choco', 'hocco'], 'hock': ['hock', 'koch'], 'hocker': ['choker', 'hocker'], 'hocky': ['choky', 'hocky'], 'hocus': ['chous', 'hocus'], 'hodiernal': ['hodiernal', 'rhodaline'], 'hoer': ['hero', 'hoer'], 'hogan': ['ahong', 'hogan'], 'hogget': ['egghot', 'hogget'], 'hogmanay': ['hogmanay', 'mahogany'], 'hognut': ['hognut', 'nought'], 'hogsty': ['ghosty', 'hogsty'], 'hoister': ['hoister', 'rehoist'], 'hoit': ['hoit', 'hoti', 'thio'], 'holard': ['harold', 'holard'], 'holconoti': ['holconoti', 'holotonic'], 'holcus': ['holcus', 'lochus', 'slouch'], 'holdfast': ['fasthold', 'holdfast'], 'holdout': ['holdout', 'outhold'], 'holdup': ['holdup', 'uphold'], 'holeman': ['holeman', 'manhole'], 'holey': ['holey', 'hoyle'], 'holiday': ['holiday', 'hyaloid', 'hyoidal'], 'hollandite': ['hollandite', 'hollantide'], 'hollantide': ['hollandite', 'hollantide'], 'hollower': ['hollower', 'rehollow'], 'holmia': ['holmia', 'maholi'], 'holocentrid': ['holocentrid', 'lechriodont'], 'holohemihedral': ['hemiholohedral', 'holohemihedral'], 'holosteric': ['holosteric', 'thiocresol'], 'holotonic': ['holconoti', 'holotonic'], 'holster': ['holster', 'hostler'], 'homage': ['homage', 'ohmage'], 'homarine': ['homarine', 'homerian'], 'homecroft': ['forthcome', 'homecroft'], 'homeogenous': ['homeogenous', 'homogeneous'], 'homeotypic': ['homeotypic', 'mythopoeic'], 'homeotypical': ['homeotypical', 'polymetochia'], 'homer': ['hermo', 'homer', 'horme'], 'homerian': ['homarine', 'homerian'], 'homeric': ['homeric', 'moriche'], 'homerical': ['chloremia', 'homerical'], 'homerid': ['heirdom', 'homerid'], 'homerist': ['homerist', 'isotherm', 'otherism', 'theorism'], 'homiletics': ['homiletics', 'mesolithic'], 'homo': ['homo', 'moho'], 'homocline': ['chemiloon', 'homocline'], 'homogeneous': ['homeogenous', 'homogeneous'], 'homopolic': ['homopolic', 'lophocomi'], 'homopteran': ['homopteran', 'trophonema'], 'homrai': ['homrai', 'mahori', 'mohair'], 'hondo': ['dhoon', 'hondo'], 'honest': ['ethnos', 'honest'], 'honeypod': ['dyophone', 'honeypod'], 'honeypot': ['eophyton', 'honeypot'], 'honorer': ['honorer', 'rehonor'], 'hontous': ['hontous', 'nothous'], 'hoodman': ['dhamnoo', 'hoodman', 'manhood'], 'hoofprint': ['hintproof', 'hoofprint'], 'hooker': ['hooker', 'rehook'], 'hookweed': ['hookweed', 'weedhook'], 'hoop': ['hoop', 'phoo', 'pooh'], 'hooper': ['hooper', 'rehoop'], 'hoot': ['hoot', 'thoo', 'toho'], 'hop': ['hop', 'pho', 'poh'], 'hopbine': ['hipbone', 'hopbine'], 'hopcalite': ['hopcalite', 'phacolite'], 'hope': ['hope', 'peho'], 'hoped': ['depoh', 'ephod', 'hoped'], 'hoper': ['ephor', 'hoper'], 'hoplite': ['hoplite', 'pithole'], 'hoppergrass': ['grasshopper', 'hoppergrass'], 'hoppers': ['hoppers', 'shopper'], 'hora': ['hoar', 'hora'], 'horal': ['horal', 'lohar'], 'hordarian': ['arianrhod', 'hordarian'], 'horizontal': ['horizontal', 'notorhizal'], 'horme': ['hermo', 'homer', 'horme'], 'horned': ['dehorn', 'horned'], 'hornet': ['hornet', 'nother', 'theron', 'throne'], 'hornie': ['heroin', 'hieron', 'hornie'], 'hornpipe': ['hornpipe', 'porphine'], 'horopteric': ['horopteric', 'rheotropic', 'trichopore'], 'horrent': ['horrent', 'norther'], 'horse': ['horse', 'shoer', 'shore'], 'horsecar': ['cosharer', 'horsecar'], 'horseless': ['horseless', 'shoreless'], 'horseman': ['horseman', 'rhamnose', 'shoreman'], 'horser': ['horser', 'shorer'], 'horsetail': ['horsetail', 'isotheral'], 'horseweed': ['horseweed', 'shoreweed'], 'horsewhip': ['horsewhip', 'whoreship'], 'horsewood': ['horsewood', 'woodhorse'], 'horsing': ['horsing', 'shoring'], 'horst': ['horst', 'short'], 'hortensia': ['hairstone', 'hortensia'], 'hortite': ['hortite', 'orthite', 'thorite'], 'hose': ['hose', 'shoe'], 'hosed': ['hosed', 'shode'], 'hosel': ['hosel', 'sheol', 'shole'], 'hoseless': ['hoseless', 'shoeless'], 'hoseman': ['hoseman', 'shoeman'], 'hosier': ['hieros', 'hosier'], 'hospitaler': ['hospitaler', 'trophesial'], 'host': ['host', 'shot', 'thos', 'tosh'], 'hosta': ['hoast', 'hosta', 'shoat'], 'hostager': ['hostager', 'shortage'], 'hoster': ['hoster', 'tosher'], 'hostile': ['elohist', 'hostile'], 'hosting': ['hosting', 'onsight'], 'hostler': ['holster', 'hostler'], 'hostless': ['hostless', 'shotless'], 'hostly': ['hostly', 'toshly'], 'hot': ['hot', 'tho'], 'hotel': ['helot', 'hotel', 'thole'], 'hotelize': ['helotize', 'hotelize'], 'hotfoot': ['foothot', 'hotfoot'], 'hoti': ['hoit', 'hoti', 'thio'], 'hotter': ['hotter', 'tother'], 'hounce': ['cohune', 'hounce'], 'houseboat': ['boathouse', 'houseboat'], 'housebug': ['bughouse', 'housebug'], 'housecraft': ['fratcheous', 'housecraft'], 'housetop': ['housetop', 'pothouse'], 'housewarm': ['housewarm', 'warmhouse'], 'housewear': ['housewear', 'warehouse'], 'housework': ['housework', 'workhouse'], 'hovering': ['hovering', 'overnigh'], 'how': ['how', 'who'], 'howel': ['howel', 'whole'], 'however': ['everwho', 'however', 'whoever'], 'howlet': ['howlet', 'thowel'], 'howso': ['howso', 'woosh'], 'howsomever': ['howsomever', 'whomsoever', 'whosomever'], 'hoya': ['ahoy', 'hoya'], 'hoyle': ['holey', 'hoyle'], 'hsi': ['his', 'hsi', 'shi'], 'huari': ['huari', 'uriah'], 'hubert': ['hubert', 'turbeh'], 'hud': ['dhu', 'hud'], 'hudsonite': ['hudsonite', 'unhoisted'], 'huer': ['huer', 'hure'], 'hug': ['hug', 'ugh'], 'hughes': ['hughes', 'sheugh'], 'hughoc': ['chough', 'hughoc'], 'hugo': ['hugo', 'ough'], 'hugsome': ['gumshoe', 'hugsome'], 'huk': ['huk', 'khu'], 'hula': ['haul', 'hula'], 'hulsean': ['hulsean', 'unleash'], 'hulster': ['hulster', 'hustler', 'sluther'], 'huma': ['ahum', 'huma'], 'human': ['human', 'nahum'], 'humane': ['humane', 'humean'], 'humanics': ['humanics', 'inasmuch'], 'humean': ['humane', 'humean'], 'humeroradial': ['humeroradial', 'radiohumeral'], 'humic': ['chimu', 'humic'], 'humidor': ['humidor', 'rhodium'], 'humlie': ['helium', 'humlie'], 'humor': ['humor', 'mohur'], 'humoralistic': ['humoralistic', 'humoristical'], 'humoristical': ['humoralistic', 'humoristical'], 'hump': ['hump', 'umph'], 'hundi': ['hindu', 'hundi', 'unhid'], 'hunger': ['hunger', 'rehung'], 'hunterian': ['hunterian', 'ruthenian'], 'hup': ['hup', 'phu'], 'hupa': ['hapu', 'hupa'], 'hurdis': ['hurdis', 'rudish'], 'hurdle': ['hurdle', 'hurled'], 'hure': ['huer', 'hure'], 'hurled': ['hurdle', 'hurled'], 'huron': ['huron', 'rohun'], 'hurst': ['hurst', 'trush'], 'hurt': ['hurt', 'ruth'], 'hurter': ['hurter', 'ruther'], 'hurtful': ['hurtful', 'ruthful'], 'hurtfully': ['hurtfully', 'ruthfully'], 'hurtfulness': ['hurtfulness', 'ruthfulness'], 'hurting': ['hurting', 'ungirth', 'unright'], 'hurtingest': ['hurtingest', 'shuttering'], 'hurtle': ['hurtle', 'luther'], 'hurtless': ['hurtless', 'ruthless'], 'hurtlessly': ['hurtlessly', 'ruthlessly'], 'hurtlessness': ['hurtlessness', 'ruthlessness'], 'husbander': ['husbander', 'shabunder'], 'husked': ['dehusk', 'husked'], 'huso': ['huso', 'shou'], 'huspil': ['huspil', 'pulish'], 'husting': ['gutnish', 'husting', 'unsight'], 'hustle': ['hustle', 'sleuth'], 'hustler': ['hulster', 'hustler', 'sluther'], 'huterian': ['haurient', 'huterian'], 'hwa': ['haw', 'hwa', 'wah', 'wha'], 'hyaloid': ['holiday', 'hyaloid', 'hyoidal'], 'hydra': ['hardy', 'hydra'], 'hydramnios': ['disharmony', 'hydramnios'], 'hydrate': ['hydrate', 'thready'], 'hydrazidine': ['anhydridize', 'hydrazidine'], 'hydrazine': ['anhydrize', 'hydrazine'], 'hydriodate': ['hydriodate', 'iodhydrate'], 'hydriodic': ['hydriodic', 'iodhydric'], 'hydriote': ['hydriote', 'thyreoid'], 'hydrobromate': ['bromohydrate', 'hydrobromate'], 'hydrocarbide': ['carbohydride', 'hydrocarbide'], 'hydrocharis': ['hydrocharis', 'hydrorachis'], 'hydroferricyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'hydroferrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'hydrofluoboric': ['borofluohydric', 'hydrofluoboric'], 'hydrogeology': ['geohydrology', 'hydrogeology'], 'hydroiodic': ['hydroiodic', 'iodohydric'], 'hydrometeor': ['heterodromy', 'hydrometeor'], 'hydromotor': ['hydromotor', 'orthodromy'], 'hydronephrosis': ['hydronephrosis', 'nephrohydrosis'], 'hydropneumopericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'hydropneumothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'hydrorachis': ['hydrocharis', 'hydrorachis'], 'hydrosulphate': ['hydrosulphate', 'sulphohydrate'], 'hydrotical': ['dacryolith', 'hydrotical'], 'hydrous': ['hydrous', 'shroudy'], 'hyetograph': ['ethography', 'hyetograph'], 'hylidae': ['headily', 'hylidae'], 'hylist': ['hylist', 'slithy'], 'hyllus': ['hyllus', 'lushly'], 'hylopathism': ['halophytism', 'hylopathism'], 'hymenic': ['chimney', 'hymenic'], 'hymettic': ['hymettic', 'thymetic'], 'hymnologist': ['hymnologist', 'smoothingly'], 'hyoglossal': ['glossohyal', 'hyoglossal'], 'hyoidal': ['holiday', 'hyaloid', 'hyoidal'], 'hyothyreoid': ['hyothyreoid', 'thyreohyoid'], 'hyothyroid': ['hyothyroid', 'thyrohyoid'], 'hypaethron': ['hypaethron', 'hypothenar'], 'hypercone': ['coryphene', 'hypercone'], 'hypergamous': ['hypergamous', 'museography'], 'hypertoxic': ['hypertoxic', 'xerophytic'], 'hypnobate': ['batyphone', 'hypnobate'], 'hypnoetic': ['hypnoetic', 'neophytic'], 'hypnotic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'hypnotism': ['hypnotism', 'pythonism'], 'hypnotist': ['hypnotist', 'pythonist'], 'hypnotize': ['hypnotize', 'pythonize'], 'hypnotoid': ['hypnotoid', 'pythonoid'], 'hypobole': ['hypobole', 'lyophobe'], 'hypocarp': ['apocryph', 'hypocarp'], 'hypocrite': ['chirotype', 'hypocrite'], 'hypodorian': ['hypodorian', 'radiophony'], 'hypoglottis': ['hypoglottis', 'phytologist'], 'hypomanic': ['amphicyon', 'hypomanic'], 'hypopteron': ['hypopteron', 'phonotyper'], 'hyporadius': ['hyporadius', 'suprahyoid'], 'hyposcleral': ['hyposcleral', 'phylloceras'], 'hyposmia': ['hyposmia', 'phymosia'], 'hypostomatic': ['hypostomatic', 'somatophytic'], 'hypothec': ['hypothec', 'photechy'], 'hypothenar': ['hypaethron', 'hypothenar'], 'hypothermia': ['hemiatrophy', 'hypothermia'], 'hypsiloid': ['hypsiloid', 'syphiloid'], 'hyracid': ['diarchy', 'hyracid'], 'hyssop': ['hyssop', 'phossy', 'sposhy'], 'hysteresial': ['hysteresial', 'hysteriales'], 'hysteria': ['hysteria', 'sheriyat'], 'hysteriales': ['hysteresial', 'hysteriales'], 'hysterolaparotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'hysteromyomectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'hysteropathy': ['hysteropathy', 'hysterophyta'], 'hysterophyta': ['hysteropathy', 'hysterophyta'], 'iamb': ['iamb', 'mabi'], 'iambelegus': ['elegiambus', 'iambelegus'], 'iambic': ['cimbia', 'iambic'], 'ian': ['ani', 'ian'], 'ianus': ['ianus', 'suina'], 'iatraliptics': ['iatraliptics', 'partialistic'], 'iatric': ['iatric', 'tricia'], 'ibad': ['adib', 'ibad'], 'iban': ['bain', 'bani', 'iban'], 'ibanag': ['bagani', 'bangia', 'ibanag'], 'iberian': ['aribine', 'bairnie', 'iberian'], 'ibo': ['ibo', 'obi'], 'ibota': ['biota', 'ibota'], 'icacorea': ['coraciae', 'icacorea'], 'icarian': ['arician', 'icarian'], 'icecap': ['icecap', 'ipecac'], 'iced': ['dice', 'iced'], 'iceland': ['cladine', 'decalin', 'iceland'], 'icelandic': ['cicindela', 'cinclidae', 'icelandic'], 'iceman': ['anemic', 'cinema', 'iceman'], 'ich': ['chi', 'hic', 'ich'], 'ichnolite': ['ichnolite', 'neolithic'], 'ichor': ['chiro', 'choir', 'ichor'], 'icicle': ['cilice', 'icicle'], 'icon': ['cion', 'coin', 'icon'], 'iconian': ['anionic', 'iconian'], 'iconism': ['iconism', 'imsonic', 'miscoin'], 'iconolater': ['iconolater', 'relocation'], 'iconomania': ['iconomania', 'oniomaniac'], 'iconometrical': ['iconometrical', 'intracoelomic'], 'icteridae': ['diaeretic', 'icteridae'], 'icterine': ['icterine', 'reincite'], 'icterus': ['curtise', 'icterus'], 'ictonyx': ['ictonyx', 'oxyntic'], 'ictus': ['cutis', 'ictus'], 'id': ['di', 'id'], 'ida': ['aid', 'ida'], 'idaean': ['adenia', 'idaean'], 'ide': ['die', 'ide'], 'idea': ['aide', 'idea'], 'ideal': ['adiel', 'delia', 'ideal'], 'idealism': ['idealism', 'lamiides'], 'idealistic': ['disilicate', 'idealistic'], 'ideality': ['aedility', 'ideality'], 'idealness': ['idealness', 'leadiness'], 'idean': ['diane', 'idean'], 'ideation': ['ideation', 'iodinate', 'taenioid'], 'identical': ['ctenidial', 'identical'], 'ideograph': ['eidograph', 'ideograph'], 'ideology': ['eidology', 'ideology'], 'ideoplasty': ['ideoplasty', 'stylopidae'], 'ides': ['desi', 'ides', 'seid', 'side'], 'idiasm': ['idiasm', 'simiad'], 'idioblast': ['diabolist', 'idioblast'], 'idiomology': ['idiomology', 'oligomyoid'], 'idioretinal': ['idioretinal', 'litorinidae'], 'idiotish': ['histioid', 'idiotish'], 'idle': ['idle', 'lide', 'lied'], 'idleman': ['idleman', 'melinda'], 'idleset': ['idleset', 'isleted'], 'idlety': ['idlety', 'lydite', 'tidely', 'tidley'], 'idly': ['idly', 'idyl'], 'idocrase': ['idocrase', 'radicose'], 'idoism': ['idoism', 'iodism'], 'idol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'idola': ['aloid', 'dolia', 'idola'], 'idolaster': ['estradiol', 'idolaster'], 'idolatry': ['adroitly', 'dilatory', 'idolatry'], 'idolum': ['dolium', 'idolum'], 'idoneal': ['adinole', 'idoneal'], 'idorgan': ['gordian', 'idorgan', 'roading'], 'idose': ['diose', 'idose', 'oside'], 'idotea': ['idotea', 'iodate', 'otidae'], 'idryl': ['idryl', 'lyrid'], 'idyl': ['idly', 'idyl'], 'idyler': ['direly', 'idyler'], 'ierne': ['ernie', 'ierne', 'irene'], 'if': ['fi', 'if'], 'ife': ['fei', 'fie', 'ife'], 'igara': ['agria', 'igara'], 'igdyr': ['igdyr', 'ridgy'], 'igloo': ['igloo', 'logoi'], 'ignatius': ['giustina', 'ignatius'], 'igneoaqueous': ['aqueoigneous', 'igneoaqueous'], 'ignicolist': ['ignicolist', 'soliciting'], 'igniter': ['igniter', 'ringite', 'tigrine'], 'ignitor': ['ignitor', 'rioting'], 'ignoble': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ignoramus': ['graminous', 'ignoramus'], 'ignorance': ['enorganic', 'ignorance'], 'ignorant': ['ignorant', 'tongrian'], 'ignore': ['ignore', 'region'], 'ignorement': ['ignorement', 'omnigerent'], 'iguana': ['guiana', 'iguana'], 'ihlat': ['ihlat', 'tahil'], 'ihram': ['hiram', 'ihram', 'mahri'], 'ijma': ['ijma', 'jami'], 'ikat': ['atik', 'ikat'], 'ikona': ['ikona', 'konia'], 'ikra': ['ikra', 'kari', 'raki'], 'ila': ['ail', 'ila', 'lai'], 'ileac': ['alice', 'celia', 'ileac'], 'ileon': ['enoil', 'ileon', 'olein'], 'iliac': ['cilia', 'iliac'], 'iliacus': ['acilius', 'iliacus'], 'ilian': ['ilian', 'inial'], 'ilicaceae': ['caeciliae', 'ilicaceae'], 'ilioischiac': ['ilioischiac', 'ischioiliac'], 'iliosacral': ['iliosacral', 'oscillaria'], 'ilk': ['ilk', 'kil'], 'ilka': ['ilka', 'kail', 'kali'], 'ilkane': ['alkine', 'ilkane', 'inlake', 'inleak'], 'illative': ['illative', 'veiltail'], 'illaudatory': ['illaudatory', 'laudatorily'], 'illeck': ['ellick', 'illeck'], 'illinois': ['illinois', 'illision'], 'illision': ['illinois', 'illision'], 'illium': ['illium', 'lilium'], 'illoricated': ['illoricated', 'lacertiloid'], 'illth': ['illth', 'thill'], 'illude': ['dillue', 'illude'], 'illuder': ['dilluer', 'illuder'], 'illy': ['illy', 'lily', 'yill'], 'ilmenite': ['ilmenite', 'melinite', 'menilite'], 'ilongot': ['ilongot', 'tooling'], 'ilot': ['ilot', 'toil'], 'ilya': ['ilya', 'yali'], 'ima': ['aim', 'ami', 'ima'], 'imager': ['imager', 'maigre', 'margie', 'mirage'], 'imaginant': ['animating', 'imaginant'], 'imaginer': ['imaginer', 'migraine'], 'imagist': ['imagist', 'stigmai'], 'imago': ['amigo', 'imago'], 'imam': ['ammi', 'imam', 'maim', 'mima'], 'imaret': ['imaret', 'metria', 'mirate', 'rimate'], 'imbarge': ['gambier', 'imbarge'], 'imbark': ['bikram', 'imbark'], 'imbat': ['ambit', 'imbat'], 'imbed': ['bedim', 'imbed'], 'imbrue': ['erbium', 'imbrue'], 'imbrute': ['burmite', 'imbrute', 'terbium'], 'imer': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'imerina': ['imerina', 'inermia'], 'imitancy': ['imitancy', 'intimacy', 'minacity'], 'immane': ['ammine', 'immane'], 'immanes': ['amenism', 'immanes', 'misname'], 'immaterials': ['immaterials', 'materialism'], 'immerd': ['dimmer', 'immerd', 'rimmed'], 'immersible': ['immersible', 'semilimber'], 'immersion': ['immersion', 'semiminor'], 'immi': ['immi', 'mimi'], 'imogen': ['geonim', 'imogen'], 'imolinda': ['dominial', 'imolinda', 'limoniad'], 'imp': ['imp', 'pim'], 'impaction': ['impaction', 'ptomainic'], 'impages': ['impages', 'mispage'], 'impaint': ['impaint', 'timpani'], 'impair': ['impair', 'pamiri'], 'impala': ['impala', 'malapi'], 'impaler': ['impaler', 'impearl', 'lempira', 'premial'], 'impalsy': ['impalsy', 'misplay'], 'impane': ['impane', 'pieman'], 'impanel': ['impanel', 'maniple'], 'impar': ['impar', 'pamir', 'prima'], 'imparalleled': ['demiparallel', 'imparalleled'], 'imparl': ['imparl', 'primal'], 'impart': ['armpit', 'impart'], 'imparter': ['imparter', 'reimpart'], 'impartial': ['impartial', 'primatial'], 'impaste': ['impaste', 'pastime'], 'impasture': ['impasture', 'septarium'], 'impeach': ['aphemic', 'impeach'], 'impearl': ['impaler', 'impearl', 'lempira', 'premial'], 'impeder': ['demirep', 'epiderm', 'impeder', 'remiped'], 'impedient': ['impedient', 'mendipite'], 'impenetrable': ['impenetrable', 'intemperable'], 'impenetrably': ['impenetrably', 'intemperably'], 'impenetrate': ['impenetrate', 'intemperate'], 'imperant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'imperate': ['imperate', 'premiate'], 'imperish': ['emirship', 'imperish'], 'imperscriptible': ['imperscriptible', 'imprescriptible'], 'impersonate': ['impersonate', 'proseminate'], 'impersonation': ['impersonation', 'prosemination', 'semipronation'], 'impeticos': ['impeticos', 'poeticism'], 'impetre': ['emptier', 'impetre'], 'impetus': ['impetus', 'upsmite'], 'imphee': ['imphee', 'phemie'], 'implacental': ['capillament', 'implacental'], 'implanter': ['implanter', 'reimplant'], 'implate': ['implate', 'palmite'], 'impleader': ['epidermal', 'impleader', 'premedial'], 'implicate': ['ampelitic', 'implicate'], 'impling': ['impling', 'limping'], 'imply': ['imply', 'limpy', 'pilmy'], 'impollute': ['impollute', 'multipole'], 'imponderous': ['endosporium', 'imponderous'], 'imponent': ['imponent', 'pimenton'], 'importable': ['bitemporal', 'importable'], 'importancy': ['importancy', 'patronymic', 'pyromantic'], 'importer': ['importer', 'promerit', 'reimport'], 'importunance': ['importunance', 'unimportance'], 'importunate': ['importunate', 'permutation'], 'importune': ['entropium', 'importune'], 'imposal': ['imposal', 'spiloma'], 'imposer': ['imposer', 'promise', 'semipro'], 'imposter': ['imposter', 'tripsome'], 'imposure': ['imposure', 'premious'], 'imprecatory': ['cryptomeria', 'imprecatory'], 'impreg': ['gimper', 'impreg'], 'imprescriptible': ['imperscriptible', 'imprescriptible'], 'imprese': ['emprise', 'imprese', 'premise', 'spireme'], 'impress': ['impress', 'persism', 'premiss'], 'impresser': ['impresser', 'reimpress'], 'impressibility': ['impressibility', 'permissibility'], 'impressible': ['impressible', 'permissible'], 'impressibleness': ['impressibleness', 'permissibleness'], 'impressibly': ['impressibly', 'permissibly'], 'impression': ['impression', 'permission'], 'impressionism': ['impressionism', 'misimpression'], 'impressive': ['impressive', 'permissive'], 'impressively': ['impressively', 'permissively'], 'impressiveness': ['impressiveness', 'permissiveness'], 'impressure': ['impressure', 'presurmise'], 'imprinter': ['imprinter', 'reimprint'], 'imprisoner': ['imprisoner', 'reimprison'], 'improcreant': ['improcreant', 'preromantic'], 'impship': ['impship', 'pimpish'], 'impuberal': ['epilabrum', 'impuberal'], 'impugnable': ['impugnable', 'plumbagine'], 'impure': ['impure', 'umpire'], 'impuritan': ['impuritan', 'partinium'], 'imputer': ['imputer', 'trumpie'], 'imsonic': ['iconism', 'imsonic', 'miscoin'], 'in': ['in', 'ni'], 'inaction': ['aconitin', 'inaction', 'nicotian'], 'inactivate': ['inactivate', 'vaticinate'], 'inactivation': ['inactivation', 'vaticination'], 'inactive': ['antivice', 'inactive', 'vineatic'], 'inadept': ['depaint', 'inadept', 'painted', 'patined'], 'inaja': ['inaja', 'jaina'], 'inalimental': ['antimallein', 'inalimental'], 'inamorata': ['amatorian', 'inamorata'], 'inane': ['annie', 'inane'], 'inanga': ['angina', 'inanga'], 'inanimate': ['amanitine', 'inanimate'], 'inanimated': ['diamantine', 'inanimated'], 'inapt': ['inapt', 'paint', 'pinta'], 'inaptly': ['inaptly', 'planity', 'ptyalin'], 'inarch': ['chinar', 'inarch'], 'inarm': ['inarm', 'minar'], 'inasmuch': ['humanics', 'inasmuch'], 'inaurate': ['inaurate', 'ituraean'], 'inbe': ['beni', 'bien', 'bine', 'inbe'], 'inbreak': ['brankie', 'inbreak'], 'inbreathe': ['hibernate', 'inbreathe'], 'inbred': ['binder', 'inbred', 'rebind'], 'inbreed': ['birdeen', 'inbreed'], 'inca': ['cain', 'inca'], 'incaic': ['acinic', 'incaic'], 'incarnate': ['cratinean', 'incarnate', 'nectarian'], 'incase': ['casein', 'incase'], 'incast': ['incast', 'nastic'], 'incensation': ['incensation', 'inscenation'], 'incept': ['incept', 'pectin'], 'inceptor': ['inceptor', 'pretonic'], 'inceration': ['cineration', 'inceration'], 'incessant': ['anticness', 'cantiness', 'incessant'], 'incest': ['encist', 'incest', 'insect', 'scient'], 'inch': ['chin', 'inch'], 'inched': ['chined', 'inched'], 'inchoate': ['inchoate', 'noachite'], 'incide': ['cindie', 'incide'], 'incinerate': ['creatinine', 'incinerate'], 'incisal': ['incisal', 'salicin'], 'incision': ['incision', 'inosinic'], 'incisure': ['incisure', 'sciurine'], 'inciter': ['citrine', 'crinite', 'inciter', 'neritic'], 'inclinatorium': ['anticlinorium', 'inclinatorium'], 'inclosure': ['cornelius', 'inclosure', 'reclusion'], 'include': ['include', 'nuclide'], 'incluse': ['esculin', 'incluse'], 'incog': ['coign', 'incog'], 'incognito': ['cognition', 'incognito'], 'incoherence': ['coinherence', 'incoherence'], 'incoherent': ['coinherent', 'incoherent'], 'incomeless': ['comeliness', 'incomeless'], 'incomer': ['incomer', 'moneric'], 'incomputable': ['incomputable', 'uncompatible'], 'incondite': ['incondite', 'nicotined'], 'inconglomerate': ['inconglomerate', 'nongeometrical'], 'inconsistent': ['inconsistent', 'nonscientist'], 'inconsonant': ['inconsonant', 'nonsanction'], 'incontrovertibility': ['incontrovertibility', 'introconvertibility'], 'incontrovertible': ['incontrovertible', 'introconvertible'], 'incorporate': ['incorporate', 'procreation'], 'incorporated': ['adrenotropic', 'incorporated'], 'incorpse': ['conspire', 'incorpse'], 'incrash': ['archsin', 'incrash'], 'increase': ['cerasein', 'increase'], 'increate': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'incredited': ['incredited', 'indirected'], 'increep': ['crepine', 'increep'], 'increpate': ['anticreep', 'apenteric', 'increpate'], 'increst': ['cistern', 'increst'], 'incruental': ['incruental', 'unicentral'], 'incrustant': ['incrustant', 'scrutinant'], 'incrustate': ['incrustate', 'scaturient', 'scrutinate'], 'incubate': ['cubanite', 'incubate'], 'incudal': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'incudomalleal': ['incudomalleal', 'malleoincudal'], 'inculcation': ['anticouncil', 'inculcation'], 'inculture': ['culturine', 'inculture'], 'incuneation': ['enunciation', 'incuneation'], 'incur': ['curin', 'incur', 'runic'], 'incurable': ['binuclear', 'incurable'], 'incus': ['incus', 'usnic'], 'incut': ['cutin', 'incut', 'tunic'], 'ind': ['din', 'ind', 'nid'], 'indaba': ['badian', 'indaba'], 'indagator': ['gradation', 'indagator', 'tanagroid'], 'indan': ['indan', 'nandi'], 'indane': ['aidenn', 'andine', 'dannie', 'indane'], 'inde': ['dine', 'enid', 'inde', 'nide'], 'indebt': ['bident', 'indebt'], 'indebted': ['bidented', 'indebted'], 'indefinitude': ['indefinitude', 'unidentified'], 'indent': ['dentin', 'indent', 'intend', 'tinned'], 'indented': ['indented', 'intended'], 'indentedly': ['indentedly', 'intendedly'], 'indenter': ['indenter', 'intender', 'reintend'], 'indentment': ['indentment', 'intendment'], 'indentured': ['indentured', 'underntide'], 'indentwise': ['disentwine', 'indentwise'], 'indeprivable': ['indeprivable', 'predivinable'], 'indesert': ['indesert', 'inserted', 'resident'], 'indiana': ['anidian', 'indiana'], 'indic': ['dinic', 'indic'], 'indican': ['cnidian', 'indican'], 'indicate': ['diacetin', 'indicate'], 'indicatory': ['dictionary', 'indicatory'], 'indicial': ['anilidic', 'indicial'], 'indicter': ['indicter', 'indirect', 'reindict'], 'indies': ['indies', 'inside'], 'indigena': ['gadinine', 'indigena'], 'indigitate': ['indigitate', 'tingitidae'], 'indign': ['dining', 'indign', 'niding'], 'indigoferous': ['gonidiferous', 'indigoferous'], 'indigotin': ['digitonin', 'indigotin'], 'indirect': ['indicter', 'indirect', 'reindict'], 'indirected': ['incredited', 'indirected'], 'indirectly': ['cylindrite', 'indirectly'], 'indiscreet': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscreetly': ['indiscreetly', 'indiscretely', 'iridescently'], 'indiscrete': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscretely': ['indiscreetly', 'indiscretely', 'iridescently'], 'indissolute': ['delusionist', 'indissolute'], 'indite': ['indite', 'tineid'], 'inditer': ['inditer', 'nitride'], 'indogaean': ['ganoidean', 'indogaean'], 'indole': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'indolence': ['endocline', 'indolence'], 'indoles': ['indoles', 'sondeli'], 'indologist': ['indologist', 'nidologist'], 'indology': ['indology', 'nidology'], 'indone': ['donnie', 'indone', 'ondine'], 'indoors': ['indoors', 'sordino'], 'indorse': ['indorse', 'ordines', 'siredon', 'sordine'], 'indra': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'indrawn': ['indrawn', 'winnard'], 'induce': ['induce', 'uniced'], 'inducer': ['inducer', 'uncried'], 'indulge': ['dueling', 'indulge'], 'indulgential': ['dentilingual', 'indulgential', 'linguidental'], 'indulger': ['indulger', 'ungirdle'], 'indument': ['indument', 'unminted'], 'indurable': ['indurable', 'unbrailed', 'unridable'], 'indurate': ['indurate', 'turdinae'], 'induration': ['diurnation', 'induration'], 'indus': ['dinus', 'indus', 'nidus'], 'indusiform': ['disuniform', 'indusiform'], 'induviae': ['induviae', 'viduinae'], 'induvial': ['diluvian', 'induvial'], 'inearth': ['anither', 'inearth', 'naither'], 'inelastic': ['elasticin', 'inelastic', 'sciential'], 'inelegant': ['eglantine', 'inelegant', 'legantine'], 'ineludible': ['ineludible', 'unelidible'], 'inept': ['inept', 'pinte'], 'inequity': ['equinity', 'inequity'], 'inerm': ['inerm', 'miner'], 'inermes': ['ermines', 'inermes'], 'inermia': ['imerina', 'inermia'], 'inermous': ['inermous', 'monsieur'], 'inert': ['inert', 'inter', 'niter', 'retin', 'trine'], 'inertance': ['inertance', 'nectarine'], 'inertial': ['inertial', 'linarite'], 'inertly': ['elytrin', 'inertly', 'trinely'], 'inethical': ['echinital', 'inethical'], 'ineunt': ['ineunt', 'untine'], 'inez': ['inez', 'zein'], 'inface': ['fiance', 'inface'], 'infame': ['famine', 'infame'], 'infamy': ['infamy', 'manify'], 'infarct': ['frantic', 'infarct', 'infract'], 'infarction': ['infarction', 'infraction'], 'infaust': ['faunist', 'fustian', 'infaust'], 'infecter': ['frenetic', 'infecter', 'reinfect'], 'infeed': ['define', 'infeed'], 'infelt': ['finlet', 'infelt'], 'infer': ['finer', 'infer'], 'inferable': ['inferable', 'refinable'], 'infern': ['finner', 'infern'], 'inferoanterior': ['anteroinferior', 'inferoanterior'], 'inferoposterior': ['inferoposterior', 'posteroinferior'], 'infestation': ['festination', 'infestation', 'sinfonietta'], 'infester': ['infester', 'reinfest'], 'infidel': ['infidel', 'infield'], 'infield': ['infidel', 'infield'], 'inflame': ['feminal', 'inflame'], 'inflamed': ['fieldman', 'inflamed'], 'inflamer': ['inflamer', 'rifleman'], 'inflatus': ['inflatus', 'stainful'], 'inflicter': ['inflicter', 'reinflict'], 'inform': ['formin', 'inform'], 'informal': ['formalin', 'informal', 'laniform'], 'informer': ['informer', 'reinform', 'reniform'], 'infra': ['infra', 'irfan'], 'infract': ['frantic', 'infarct', 'infract'], 'infraction': ['infarction', 'infraction'], 'infringe': ['infringe', 'refining'], 'ing': ['gin', 'ing', 'nig'], 'inga': ['gain', 'inga', 'naig', 'ngai'], 'ingaevones': ['avignonese', 'ingaevones'], 'ingate': ['eating', 'ingate', 'tangie'], 'ingather': ['hearting', 'ingather'], 'ingenue': ['genuine', 'ingenue'], 'ingenuous': ['ingenuous', 'unigenous'], 'inger': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ingest': ['ingest', 'signet', 'stinge'], 'ingesta': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'ingle': ['ingle', 'ligne', 'linge', 'nigel'], 'inglobe': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ingomar': ['ingomar', 'moringa', 'roaming'], 'ingram': ['arming', 'ingram', 'margin'], 'ingrate': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'ingrow': ['ingrow', 'rowing'], 'ingrowth': ['ingrowth', 'throwing'], 'inguinal': ['inguinal', 'unailing'], 'inguinocrural': ['cruroinguinal', 'inguinocrural'], 'inhabiter': ['inhabiter', 'reinhabit'], 'inhaler': ['hernial', 'inhaler'], 'inhauler': ['herulian', 'inhauler'], 'inhaust': ['auntish', 'inhaust'], 'inhere': ['herein', 'inhere'], 'inhumer': ['inhumer', 'rhenium'], 'inial': ['ilian', 'inial'], 'ink': ['ink', 'kin'], 'inkle': ['inkle', 'liken'], 'inkless': ['inkless', 'kinless'], 'inkling': ['inkling', 'linking'], 'inknot': ['inknot', 'tonkin'], 'inkra': ['inkra', 'krina', 'nakir', 'rinka'], 'inks': ['inks', 'sink', 'skin'], 'inlaid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'inlake': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlaut': ['inlaut', 'unital'], 'inlaw': ['inlaw', 'liwan'], 'inlay': ['inlay', 'naily'], 'inlayer': ['inlayer', 'nailery'], 'inleak': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlet': ['inlet', 'linet'], 'inlook': ['inlook', 'koilon'], 'inly': ['inly', 'liny'], 'inmate': ['etamin', 'inmate', 'taimen', 'tamein'], 'inmeats': ['atenism', 'inmeats', 'insteam', 'samnite'], 'inmost': ['inmost', 'monist', 'omnist'], 'innate': ['annite', 'innate', 'tinean'], 'innative': ['innative', 'invinate'], 'innatural': ['innatural', 'triannual'], 'inner': ['inner', 'renin'], 'innerve': ['innerve', 'nervine', 'vernine'], 'innest': ['innest', 'sennit', 'sinnet', 'tennis'], 'innet': ['innet', 'tinne'], 'innominata': ['antinomian', 'innominata'], 'innovate': ['innovate', 'venation'], 'innovationist': ['innovationist', 'nonvisitation'], 'ino': ['ino', 'ion'], 'inobtainable': ['inobtainable', 'nonbilabiate'], 'inocarpus': ['inocarpus', 'unprosaic'], 'inoculant': ['continual', 'inoculant', 'unctional'], 'inocystoma': ['actomyosin', 'inocystoma'], 'inodes': ['deinos', 'donsie', 'inodes', 'onside'], 'inogen': ['genion', 'inogen'], 'inoma': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'inomyxoma': ['inomyxoma', 'myxoinoma'], 'inone': ['inone', 'oenin'], 'inoperculata': ['inoperculata', 'precautional'], 'inorb': ['biron', 'inorb', 'robin'], 'inorganic': ['conringia', 'inorganic'], 'inorganical': ['carolingian', 'inorganical'], 'inornate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'inosic': ['inosic', 'sinico'], 'inosinic': ['incision', 'inosinic'], 'inosite': ['inosite', 'sionite'], 'inphase': ['inphase', 'phineas'], 'inpush': ['inpush', 'punish', 'unship'], 'input': ['input', 'punti'], 'inquiet': ['inquiet', 'quinite'], 'inreality': ['inreality', 'linearity'], 'inro': ['inro', 'iron', 'noir', 'nori'], 'inroad': ['dorian', 'inroad', 'ordain'], 'inroader': ['inroader', 'ordainer', 'reordain'], 'inrub': ['bruin', 'burin', 'inrub'], 'inrun': ['inrun', 'inurn'], 'insane': ['insane', 'sienna'], 'insatiably': ['insatiably', 'sanability'], 'inscenation': ['incensation', 'inscenation'], 'inscient': ['inscient', 'nicenist'], 'insculp': ['insculp', 'sculpin'], 'insea': ['anise', 'insea', 'siena', 'sinae'], 'inseam': ['asimen', 'inseam', 'mesian'], 'insect': ['encist', 'incest', 'insect', 'scient'], 'insectan': ['insectan', 'instance'], 'insectile': ['insectile', 'selenitic'], 'insectivora': ['insectivora', 'visceration'], 'insecure': ['insecure', 'sinecure'], 'insee': ['insee', 'seine'], 'inseer': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'insert': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'inserted': ['indesert', 'inserted', 'resident'], 'inserter': ['inserter', 'reinsert'], 'insessor': ['insessor', 'rosiness'], 'inset': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'insetter': ['insetter', 'interest', 'interset', 'sternite'], 'inshave': ['evanish', 'inshave'], 'inshoot': ['inshoot', 'insooth'], 'inside': ['indies', 'inside'], 'insider': ['insider', 'siderin'], 'insistent': ['insistent', 'tintiness'], 'insister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'insole': ['insole', 'leonis', 'lesion', 'selion'], 'insomnia': ['insomnia', 'simonian'], 'insomniac': ['aniconism', 'insomniac'], 'insooth': ['inshoot', 'insooth'], 'insorb': ['insorb', 'sorbin'], 'insoul': ['insoul', 'linous', 'nilous', 'unsoil'], 'inspection': ['cispontine', 'inspection'], 'inspiriter': ['inspiriter', 'reinspirit'], 'inspissate': ['antisepsis', 'inspissate'], 'inspreith': ['inspreith', 'nephritis', 'phrenitis'], 'installer': ['installer', 'reinstall'], 'instance': ['insectan', 'instance'], 'instanter': ['instanter', 'transient'], 'instar': ['instar', 'santir', 'strain'], 'instate': ['atenist', 'instate', 'satient', 'steatin'], 'instead': ['destain', 'instead', 'sainted', 'satined'], 'insteam': ['atenism', 'inmeats', 'insteam', 'samnite'], 'instep': ['instep', 'spinet'], 'instiller': ['instiller', 'reinstill'], 'instructer': ['instructer', 'intercrust', 'reinstruct'], 'instructional': ['instructional', 'nonaltruistic'], 'insula': ['insula', 'lanius', 'lusian'], 'insulant': ['insulant', 'sultanin'], 'insulse': ['insulse', 'silenus'], 'insult': ['insult', 'sunlit', 'unlist', 'unslit'], 'insulter': ['insulter', 'lustrine', 'reinsult'], 'insunk': ['insunk', 'unskin'], 'insurable': ['insurable', 'sublinear'], 'insurance': ['insurance', 'nuisancer'], 'insurant': ['insurant', 'unstrain'], 'insure': ['insure', 'rusine', 'ursine'], 'insurge': ['insurge', 'resuing'], 'insurgent': ['insurgent', 'unresting'], 'intactile': ['catlinite', 'intactile'], 'intaglio': ['intaglio', 'ligation'], 'intake': ['intake', 'kentia'], 'intaker': ['intaker', 'katrine', 'keratin'], 'intarsia': ['antiaris', 'intarsia'], 'intarsiate': ['intarsiate', 'nestiatria'], 'integral': ['integral', 'teraglin', 'triangle'], 'integralize': ['gelatinizer', 'integralize'], 'integrate': ['argentite', 'integrate'], 'integrative': ['integrative', 'vertiginate', 'vinaigrette'], 'integrious': ['grisounite', 'grisoutine', 'integrious'], 'intemperable': ['impenetrable', 'intemperable'], 'intemperably': ['impenetrably', 'intemperably'], 'intemperate': ['impenetrate', 'intemperate'], 'intemporal': ['intemporal', 'trampoline'], 'intend': ['dentin', 'indent', 'intend', 'tinned'], 'intended': ['indented', 'intended'], 'intendedly': ['indentedly', 'intendedly'], 'intender': ['indenter', 'intender', 'reintend'], 'intendment': ['indentment', 'intendment'], 'intense': ['intense', 'sennite'], 'intent': ['intent', 'tinnet'], 'intently': ['intently', 'nitently'], 'inter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'interactional': ['interactional', 'intercalation'], 'interagent': ['entreating', 'interagent'], 'interally': ['interally', 'reliantly'], 'interastral': ['interastral', 'intertarsal'], 'intercalation': ['interactional', 'intercalation'], 'intercale': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'intercede': ['intercede', 'tridecene'], 'interceder': ['crednerite', 'interceder'], 'intercession': ['intercession', 'recensionist'], 'intercome': ['entomeric', 'intercome', 'morencite'], 'interconal': ['interconal', 'nonrecital'], 'intercrust': ['instructer', 'intercrust', 'reinstruct'], 'interdome': ['interdome', 'mordenite', 'nemertoid'], 'intereat': ['intereat', 'tinetare'], 'interest': ['insetter', 'interest', 'interset', 'sternite'], 'interester': ['interester', 'reinterest'], 'interfering': ['interfering', 'interfinger'], 'interfinger': ['interfering', 'interfinger'], 'intergrade': ['gradienter', 'intergrade'], 'interim': ['interim', 'termini'], 'interimistic': ['interimistic', 'trimesitinic'], 'interlace': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'interlaced': ['credential', 'interlaced', 'reclinated'], 'interlaid': ['deliriant', 'draintile', 'interlaid'], 'interlap': ['interlap', 'repliant', 'triplane'], 'interlapse': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'interlay': ['interlay', 'lyterian'], 'interleaf': ['interleaf', 'reinflate'], 'interleaver': ['interleaver', 'reverential'], 'interlocal': ['citronella', 'interlocal'], 'interlope': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interlot': ['interlot', 'trotline'], 'intermat': ['intermat', 'martinet', 'tetramin'], 'intermatch': ['intermatch', 'thermantic'], 'intermine': ['intermine', 'nemertini', 'terminine'], 'intermorainic': ['intermorainic', 'recrimination'], 'intermutual': ['intermutual', 'ultraminute'], 'intern': ['intern', 'tinner'], 'internality': ['internality', 'itinerantly'], 'internecive': ['internecive', 'reincentive'], 'internee': ['internee', 'retinene'], 'interoceptor': ['interoceptor', 'reprotection'], 'interpause': ['interpause', 'resupinate'], 'interpave': ['interpave', 'prenative'], 'interpeal': ['interpeal', 'interplea'], 'interpellate': ['interpellate', 'pantellerite'], 'interpellation': ['interpellation', 'interpollinate'], 'interphone': ['interphone', 'pinnothere'], 'interplay': ['interplay', 'painterly'], 'interplea': ['interpeal', 'interplea'], 'interplead': ['interplead', 'peridental'], 'interpolar': ['interpolar', 'reniportal'], 'interpolate': ['interpolate', 'triantelope'], 'interpole': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interpollinate': ['interpellation', 'interpollinate'], 'interpone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'interposal': ['interposal', 'psalterion'], 'interposure': ['interposure', 'neuropteris'], 'interpreter': ['interpreter', 'reinterpret'], 'interproduce': ['interproduce', 'prereduction'], 'interroom': ['interroom', 'remontoir'], 'interrupter': ['interrupter', 'reinterrupt'], 'intersale': ['intersale', 'larsenite'], 'intersectional': ['intersectional', 'intraselection'], 'interset': ['insetter', 'interest', 'interset', 'sternite'], 'intershade': ['dishearten', 'intershade'], 'intersituate': ['intersituate', 'tenuistriate'], 'intersocial': ['intersocial', 'orleanistic', 'sclerotinia'], 'interspace': ['esperantic', 'interspace'], 'interspecific': ['interspecific', 'prescientific'], 'interspiration': ['interspiration', 'repristination'], 'intersporal': ['intersporal', 'tripersonal'], 'interstation': ['interstation', 'strontianite'], 'intertalk': ['intertalk', 'latterkin'], 'intertarsal': ['interastral', 'intertarsal'], 'interteam': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'intertie': ['intertie', 'retinite'], 'intertone': ['intertone', 'retention'], 'intervascular': ['intervascular', 'vernacularist'], 'intervention': ['intervention', 'introvenient'], 'interverbal': ['interverbal', 'invertebral'], 'interviewer': ['interviewer', 'reinterview'], 'interwed': ['interwed', 'wintered'], 'interwish': ['interwish', 'winterish'], 'interwork': ['interwork', 'tinworker'], 'interwove': ['interwove', 'overtwine'], 'intestate': ['enstatite', 'intestate', 'satinette'], 'intestinovesical': ['intestinovesical', 'vesicointestinal'], 'inthrong': ['inthrong', 'northing'], 'intima': ['intima', 'timani'], 'intimacy': ['imitancy', 'intimacy', 'minacity'], 'intimater': ['intimater', 'traintime'], 'into': ['into', 'nito', 'oint', 'tino'], 'intoed': ['ditone', 'intoed'], 'intolerance': ['crenelation', 'intolerance'], 'intolerating': ['intolerating', 'nitrogelatin'], 'intonate': ['intonate', 'totanine'], 'intonator': ['intonator', 'tortonian'], 'intone': ['intone', 'tenino'], 'intonement': ['intonement', 'omnitenent'], 'intoner': ['intoner', 'ternion'], 'intort': ['intort', 'tornit', 'triton'], 'intoxicate': ['excitation', 'intoxicate'], 'intracoelomic': ['iconometrical', 'intracoelomic'], 'intracosmic': ['intracosmic', 'narcoticism'], 'intracostal': ['intracostal', 'stratonical'], 'intractile': ['intractile', 'triclinate'], 'intrada': ['intrada', 'radiant'], 'intraselection': ['intersectional', 'intraselection'], 'intraseptal': ['intraseptal', 'paternalist', 'prenatalist'], 'intraspinal': ['intraspinal', 'pinnitarsal'], 'intreat': ['intreat', 'iterant', 'nitrate', 'tertian'], 'intrencher': ['intrencher', 'reintrench'], 'intricate': ['intricate', 'triactine'], 'intrication': ['citrination', 'intrication'], 'intrigue': ['intrigue', 'tigurine'], 'introconvertibility': ['incontrovertibility', 'introconvertibility'], 'introconvertible': ['incontrovertible', 'introconvertible'], 'introduce': ['introduce', 'reduction'], 'introit': ['introit', 'nitriot'], 'introitus': ['introitus', 'routinist'], 'introvenient': ['intervention', 'introvenient'], 'intrude': ['intrude', 'turdine', 'untired', 'untried'], 'intruse': ['intruse', 'sturine'], 'intrust': ['intrust', 'sturtin'], 'intube': ['butein', 'butine', 'intube'], 'intue': ['intue', 'unite', 'untie'], 'inula': ['inula', 'luian', 'uinal'], 'inurbane': ['eburnian', 'inurbane'], 'inure': ['inure', 'urine'], 'inured': ['diurne', 'inured', 'ruined', 'unride'], 'inurn': ['inrun', 'inurn'], 'inustion': ['inustion', 'unionist'], 'invader': ['invader', 'ravined', 'viander'], 'invaluable': ['invaluable', 'unvailable'], 'invar': ['invar', 'ravin', 'vanir'], 'invector': ['contrive', 'invector'], 'inveigler': ['inveigler', 'relieving'], 'inventer': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'inventress': ['inventress', 'vintneress'], 'inverness': ['inverness', 'nerviness'], 'inversatile': ['inversatile', 'serviential'], 'inverse': ['inverse', 'versine'], 'invert': ['invert', 'virent'], 'invertase': ['invertase', 'servetian'], 'invertebral': ['interverbal', 'invertebral'], 'inverter': ['inverter', 'reinvert', 'trinerve'], 'investigation': ['investigation', 'tenovaginitis'], 'invinate': ['innative', 'invinate'], 'inviter': ['inviter', 'vitrine'], 'invocate': ['conative', 'invocate'], 'invoker': ['invoker', 'overink'], 'involucrate': ['countervail', 'involucrate'], 'involucre': ['involucre', 'volucrine'], 'inwards': ['inwards', 'sinward'], 'inwith': ['inwith', 'within'], 'iodate': ['idotea', 'iodate', 'otidae'], 'iodhydrate': ['hydriodate', 'iodhydrate'], 'iodhydric': ['hydriodic', 'iodhydric'], 'iodinate': ['ideation', 'iodinate', 'taenioid'], 'iodinium': ['iodinium', 'ionidium'], 'iodism': ['idoism', 'iodism'], 'iodite': ['iodite', 'teioid'], 'iodo': ['iodo', 'ooid'], 'iodocasein': ['iodocasein', 'oniscoidea'], 'iodochloride': ['chloroiodide', 'iodochloride'], 'iodohydric': ['hydroiodic', 'iodohydric'], 'iodol': ['dooli', 'iodol'], 'iodothyrin': ['iodothyrin', 'thyroiodin'], 'iodous': ['iodous', 'odious'], 'ion': ['ino', 'ion'], 'ionidium': ['iodinium', 'ionidium'], 'ionizer': ['ionizer', 'ironize'], 'iota': ['iota', 'tiao'], 'iotacist': ['iotacist', 'taoistic'], 'ipecac': ['icecap', 'ipecac'], 'ipil': ['ipil', 'pili'], 'ipseand': ['ipseand', 'panside', 'pansied'], 'ira': ['air', 'ira', 'ria'], 'iracund': ['candiru', 'iracund'], 'irade': ['aider', 'deair', 'irade', 'redia'], 'iran': ['arni', 'iran', 'nair', 'rain', 'rani'], 'irani': ['irani', 'irian'], 'iranism': ['iranism', 'sirmian'], 'iranist': ['iranist', 'istrian'], 'irascent': ['canister', 'cestrian', 'cisterna', 'irascent'], 'irate': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'irately': ['irately', 'reality'], 'ire': ['ire', 'rie'], 'irena': ['erian', 'irena', 'reina'], 'irene': ['ernie', 'ierne', 'irene'], 'irenic': ['irenic', 'ricine'], 'irenics': ['irenics', 'resinic', 'sericin', 'sirenic'], 'irenicum': ['irenicum', 'muricine'], 'iresine': ['iresine', 'iserine'], 'irfan': ['infra', 'irfan'], 'irgun': ['irgun', 'ruing', 'unrig'], 'irian': ['irani', 'irian'], 'iridal': ['iridal', 'lariid'], 'iridate': ['arietid', 'iridate'], 'iridectomy': ['iridectomy', 'mediocrity'], 'irides': ['irides', 'irised'], 'iridescent': ['indiscreet', 'indiscrete', 'iridescent'], 'iridescently': ['indiscreetly', 'indiscretely', 'iridescently'], 'iridosmium': ['iridosmium', 'osmiridium'], 'irised': ['irides', 'irised'], 'irish': ['irish', 'rishi', 'sirih'], 'irk': ['irk', 'rik'], 'irma': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'iroha': ['haori', 'iroha'], 'irok': ['irok', 'kori'], 'iron': ['inro', 'iron', 'noir', 'nori'], 'ironclad': ['ironclad', 'rolandic'], 'irone': ['irone', 'norie'], 'ironhead': ['herodian', 'ironhead'], 'ironice': ['ironice', 'oneiric'], 'ironize': ['ionizer', 'ironize'], 'ironshod': ['dishonor', 'ironshod'], 'ironside': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'irradiant': ['irradiant', 'triandria'], 'irrationable': ['irrationable', 'orbitelarian'], 'irredenta': ['irredenta', 'retainder'], 'irrelate': ['irrelate', 'retailer'], 'irrepentance': ['irrepentance', 'pretercanine'], 'irving': ['irving', 'riving', 'virgin'], 'irvingiana': ['irvingiana', 'viraginian'], 'is': ['is', 'si'], 'isabel': ['isabel', 'lesbia'], 'isabella': ['isabella', 'sailable'], 'isagogical': ['isagogical', 'sialagogic'], 'isagon': ['gosain', 'isagon', 'sagoin'], 'isander': ['andries', 'isander', 'sardine'], 'isanthous': ['anhistous', 'isanthous'], 'isatate': ['isatate', 'satiate', 'taetsia'], 'isatic': ['isatic', 'saitic'], 'isatin': ['antisi', 'isatin'], 'isatinic': ['isatinic', 'sinaitic'], 'isaurian': ['anisuria', 'isaurian'], 'isawa': ['isawa', 'waasi'], 'isba': ['absi', 'bais', 'bias', 'isba'], 'iscariot': ['aoristic', 'iscariot'], 'ischemia': ['hemiasci', 'ischemia'], 'ischioiliac': ['ilioischiac', 'ischioiliac'], 'ischiorectal': ['ischiorectal', 'sciotherical'], 'iserine': ['iresine', 'iserine'], 'iseum': ['iseum', 'musie'], 'isiac': ['ascii', 'isiac'], 'isidore': ['isidore', 'osiride'], 'isis': ['isis', 'sisi'], 'islam': ['islam', 'ismal', 'simal'], 'islamic': ['islamic', 'laicism', 'silicam'], 'islamitic': ['islamitic', 'italicism'], 'islandy': ['islandy', 'lindsay'], 'islay': ['islay', 'saily'], 'isle': ['isle', 'lise', 'sile'], 'islet': ['islet', 'istle', 'slite', 'stile'], 'isleta': ['isleta', 'litsea', 'salite', 'stelai'], 'isleted': ['idleset', 'isleted'], 'ism': ['ism', 'sim'], 'ismal': ['islam', 'ismal', 'simal'], 'ismatic': ['ismatic', 'itacism'], 'ismatical': ['ismatical', 'lamaistic'], 'isocamphor': ['chromopsia', 'isocamphor'], 'isoclinal': ['collinsia', 'isoclinal'], 'isocline': ['isocline', 'silicone'], 'isocoumarin': ['acrimonious', 'isocoumarin'], 'isodulcite': ['isodulcite', 'solicitude'], 'isogen': ['geison', 'isogen'], 'isogeotherm': ['geoisotherm', 'isogeotherm'], 'isogon': ['isogon', 'songoi'], 'isogram': ['isogram', 'orgiasm'], 'isohel': ['helios', 'isohel'], 'isoheptane': ['apothesine', 'isoheptane'], 'isolate': ['aeolist', 'isolate'], 'isolated': ['diastole', 'isolated', 'sodalite', 'solidate'], 'isolative': ['isolative', 'soliative'], 'isolde': ['isolde', 'soiled'], 'isomer': ['isomer', 'rimose'], 'isometric': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'isomorph': ['isomorph', 'moorship'], 'isonitrile': ['isonitrile', 'resilition'], 'isonym': ['isonym', 'myosin', 'simony'], 'isophthalyl': ['isophthalyl', 'lithophysal'], 'isopodan': ['anisopod', 'isopodan'], 'isoptera': ['isoptera', 'septoria'], 'isosaccharic': ['isosaccharic', 'sacroischiac'], 'isostere': ['erotesis', 'isostere'], 'isotac': ['isotac', 'scotia'], 'isotheral': ['horsetail', 'isotheral'], 'isotherm': ['homerist', 'isotherm', 'otherism', 'theorism'], 'isotria': ['isotria', 'oaritis'], 'isotron': ['isotron', 'torsion'], 'isotrope': ['isotrope', 'portoise'], 'isotropism': ['isotropism', 'promitosis'], 'isotropy': ['isotropy', 'porosity'], 'israel': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'israeli': ['alisier', 'israeli'], 'israelite': ['israelite', 'resiliate'], 'issuable': ['basileus', 'issuable', 'suasible'], 'issuant': ['issuant', 'sustain'], 'issue': ['issue', 'susie'], 'issuer': ['issuer', 'uresis'], 'ist': ['ist', 'its', 'sit'], 'isthmi': ['isthmi', 'timish'], 'isthmian': ['isthmian', 'smithian'], 'isthmoid': ['isthmoid', 'thomisid'], 'istle': ['islet', 'istle', 'slite', 'stile'], 'istrian': ['iranist', 'istrian'], 'isuret': ['isuret', 'resuit'], 'it': ['it', 'ti'], 'ita': ['ait', 'ati', 'ita', 'tai'], 'itacism': ['ismatic', 'itacism'], 'itaconate': ['acetation', 'itaconate'], 'itaconic': ['aconitic', 'cationic', 'itaconic'], 'itali': ['itali', 'tilia'], 'italian': ['antilia', 'italian'], 'italic': ['clitia', 'italic'], 'italicism': ['islamitic', 'italicism'], 'italite': ['italite', 'letitia', 'tilaite'], 'italon': ['italon', 'lation', 'talion'], 'itaves': ['itaves', 'stevia'], 'itch': ['chit', 'itch', 'tchi'], 'item': ['emit', 'item', 'mite', 'time'], 'iten': ['iten', 'neti', 'tien', 'tine'], 'itenean': ['aniente', 'itenean'], 'iter': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'iterable': ['iterable', 'liberate'], 'iterance': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'iterant': ['intreat', 'iterant', 'nitrate', 'tertian'], 'ithaca': ['cahita', 'ithaca'], 'ithacan': ['ithacan', 'tachina'], 'ither': ['ither', 'their'], 'itinerant': ['itinerant', 'nitratine'], 'itinerantly': ['internality', 'itinerantly'], 'itmo': ['itmo', 'moit', 'omit', 'timo'], 'ito': ['ito', 'toi'], 'itoism': ['itoism', 'omitis'], 'itoist': ['itoist', 'otitis'], 'itoland': ['itoland', 'talonid', 'tindalo'], 'itonama': ['amniota', 'itonama'], 'itonia': ['aition', 'itonia'], 'its': ['ist', 'its', 'sit'], 'itself': ['itself', 'stifle'], 'ituraean': ['inaurate', 'ituraean'], 'itza': ['itza', 'tiza', 'zati'], 'iva': ['iva', 'vai', 'via'], 'ivan': ['ivan', 'vain', 'vina'], 'ivorist': ['ivorist', 'visitor'], 'iwaiwa': ['iwaiwa', 'waiwai'], 'ixiama': ['amixia', 'ixiama'], 'ixodic': ['ixodic', 'oxidic'], 'iyo': ['iyo', 'yoi'], 'izar': ['izar', 'zira'], 'jacami': ['jacami', 'jicama'], 'jacobian': ['bajocian', 'jacobian'], 'jag': ['gaj', 'jag'], 'jagir': ['jagir', 'jirga'], 'jagua': ['ajuga', 'jagua'], 'jail': ['jail', 'lija'], 'jailer': ['jailer', 'rejail'], 'jaime': ['jaime', 'jamie'], 'jain': ['jain', 'jina'], 'jaina': ['inaja', 'jaina'], 'jalouse': ['jalouse', 'jealous'], 'jama': ['jama', 'maja'], 'jamesian': ['jamesian', 'jamesina'], 'jamesina': ['jamesian', 'jamesina'], 'jami': ['ijma', 'jami'], 'jamie': ['jaime', 'jamie'], 'jane': ['jane', 'jean'], 'janos': ['janos', 'jason', 'jonas', 'sonja'], 'jantu': ['jantu', 'jaunt', 'junta'], 'januslike': ['januslike', 'seljukian'], 'japonism': ['japonism', 'pajonism'], 'jar': ['jar', 'raj'], 'jara': ['ajar', 'jara', 'raja'], 'jarmo': ['jarmo', 'major'], 'jarnut': ['jarnut', 'jurant'], 'jason': ['janos', 'jason', 'jonas', 'sonja'], 'jat': ['jat', 'taj'], 'jatki': ['jatki', 'tajik'], 'jato': ['jato', 'jota'], 'jaun': ['jaun', 'juan'], 'jaunt': ['jantu', 'jaunt', 'junta'], 'jaup': ['jaup', 'puja'], 'jealous': ['jalouse', 'jealous'], 'jean': ['jane', 'jean'], 'jebusitical': ['jebusitical', 'justiciable'], 'jecoral': ['cajoler', 'jecoral'], 'jeffery': ['jeffery', 'jeffrey'], 'jeffrey': ['jeffery', 'jeffrey'], 'jejunoduodenal': ['duodenojejunal', 'jejunoduodenal'], 'jenine': ['jenine', 'jennie'], 'jennie': ['jenine', 'jennie'], 'jerker': ['jerker', 'rejerk'], 'jerkin': ['jerkin', 'jinker'], 'jeziah': ['hejazi', 'jeziah'], 'jicama': ['jacami', 'jicama'], 'jihad': ['hadji', 'jihad'], 'jina': ['jain', 'jina'], 'jingoist': ['jingoist', 'joisting'], 'jinker': ['jerkin', 'jinker'], 'jirga': ['jagir', 'jirga'], 'jobo': ['bojo', 'jobo'], 'johan': ['johan', 'jonah'], 'join': ['join', 'joni'], 'joinant': ['joinant', 'jotnian'], 'joiner': ['joiner', 'rejoin'], 'jointless': ['jointless', 'joltiness'], 'joisting': ['jingoist', 'joisting'], 'jolter': ['jolter', 'rejolt'], 'joltiness': ['jointless', 'joltiness'], 'jonah': ['johan', 'jonah'], 'jonas': ['janos', 'jason', 'jonas', 'sonja'], 'joni': ['join', 'joni'], 'joom': ['joom', 'mojo'], 'joshi': ['joshi', 'shoji'], 'jota': ['jato', 'jota'], 'jotnian': ['joinant', 'jotnian'], 'journeyer': ['journeyer', 'rejourney'], 'joust': ['joust', 'justo'], 'juan': ['jaun', 'juan'], 'judaic': ['judaic', 'judica'], 'judica': ['judaic', 'judica'], 'jujitsu': ['jujitsu', 'jujuist'], 'jujuist': ['jujitsu', 'jujuist'], 'junta': ['jantu', 'jaunt', 'junta'], 'jurant': ['jarnut', 'jurant'], 'justiciable': ['jebusitical', 'justiciable'], 'justo': ['joust', 'justo'], 'jute': ['jute', 'teju'], 'ka': ['ak', 'ka'], 'kabel': ['blake', 'bleak', 'kabel'], 'kaberu': ['kaberu', 'kubera'], 'kabuli': ['kabuli', 'kiluba'], 'kabyle': ['bleaky', 'kabyle'], 'kachari': ['chakari', 'chikara', 'kachari'], 'kachin': ['hackin', 'kachin'], 'kafir': ['fakir', 'fraik', 'kafir', 'rafik'], 'kaha': ['akha', 'kaha'], 'kahar': ['harka', 'kahar'], 'kahu': ['haku', 'kahu'], 'kaid': ['dika', 'kaid'], 'kaik': ['kaik', 'kaki'], 'kail': ['ilka', 'kail', 'kali'], 'kainga': ['kainga', 'kanagi'], 'kaiwi': ['kaiwi', 'kiwai'], 'kaka': ['akka', 'kaka'], 'kaki': ['kaik', 'kaki'], 'kala': ['akal', 'kala'], 'kalamian': ['kalamian', 'malikana'], 'kaldani': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'kale': ['kale', 'lake', 'leak'], 'kali': ['ilka', 'kail', 'kali'], 'kalo': ['kalo', 'kola', 'loka'], 'kamansi': ['kamansi', 'kamasin'], 'kamares': ['kamares', 'seamark'], 'kamasin': ['kamansi', 'kamasin'], 'kame': ['kame', 'make', 'meak'], 'kamel': ['kamel', 'kemal'], 'kamiya': ['kamiya', 'yakima'], 'kan': ['kan', 'nak'], 'kana': ['akan', 'kana'], 'kanagi': ['kainga', 'kanagi'], 'kanap': ['kanap', 'panak'], 'kanat': ['kanat', 'tanak', 'tanka'], 'kande': ['kande', 'knead', 'naked'], 'kang': ['kang', 'knag'], 'kanga': ['angka', 'kanga'], 'kangani': ['kangani', 'kiangan'], 'kangli': ['kangli', 'laking'], 'kanred': ['darken', 'kanred', 'ranked'], 'kans': ['kans', 'sank'], 'kaolin': ['ankoli', 'kaolin'], 'karch': ['chark', 'karch'], 'karel': ['karel', 'laker'], 'karen': ['anker', 'karen', 'naker'], 'kari': ['ikra', 'kari', 'raki'], 'karite': ['arkite', 'karite'], 'karl': ['karl', 'kral', 'lark'], 'karling': ['karling', 'larking'], 'karma': ['karma', 'krama', 'marka'], 'karo': ['karo', 'kora', 'okra', 'roka'], 'karree': ['karree', 'rerake'], 'karst': ['karst', 'skart', 'stark'], 'karstenite': ['karstenite', 'kersantite'], 'kartel': ['kartel', 'retalk', 'talker'], 'kasa': ['asak', 'kasa', 'saka'], 'kasbah': ['abkhas', 'kasbah'], 'kasha': ['kasha', 'khasa', 'sakha', 'shaka'], 'kashan': ['kashan', 'sankha'], 'kasher': ['kasher', 'shaker'], 'kashi': ['kashi', 'khasi'], 'kasm': ['kasm', 'mask'], 'katar': ['katar', 'takar'], 'kate': ['kate', 'keta', 'take', 'teak'], 'kath': ['kath', 'khat'], 'katharsis': ['katharsis', 'shastraik'], 'katie': ['katie', 'keita'], 'katik': ['katik', 'tikka'], 'katrine': ['intaker', 'katrine', 'keratin'], 'katy': ['katy', 'kyat', 'taky'], 'kavass': ['kavass', 'vakass'], 'kavi': ['kavi', 'kiva'], 'kay': ['kay', 'yak'], 'kayak': ['kayak', 'yakka'], 'kayan': ['kayan', 'yakan'], 'kayo': ['kayo', 'oaky'], 'kea': ['ake', 'kea'], 'keach': ['cheka', 'keach'], 'keawe': ['aweek', 'keawe'], 'kechel': ['heckle', 'kechel'], 'kedar': ['daker', 'drake', 'kedar', 'radek'], 'kee': ['eke', 'kee'], 'keech': ['cheek', 'cheke', 'keech'], 'keel': ['keel', 'kele', 'leek'], 'keen': ['keen', 'knee'], 'keena': ['aknee', 'ankee', 'keena'], 'keep': ['keep', 'peek'], 'keepership': ['keepership', 'shipkeeper'], 'kees': ['kees', 'seek', 'skee'], 'keest': ['keest', 'skeet', 'skete', 'steek'], 'kefir': ['frike', 'kefir'], 'keid': ['dike', 'keid'], 'keita': ['katie', 'keita'], 'keith': ['keith', 'kithe'], 'keitloa': ['keitloa', 'oatlike'], 'kelchin': ['chinkle', 'kelchin'], 'kele': ['keel', 'kele', 'leek'], 'kelima': ['kelima', 'mikael'], 'kelpie': ['kelpie', 'pelike'], 'kelty': ['kelty', 'ketyl'], 'kemal': ['kamel', 'kemal'], 'kemalist': ['kemalist', 'mastlike'], 'kenareh': ['hearken', 'kenareh'], 'kennel': ['kennel', 'nelken'], 'kenotic': ['kenotic', 'ketonic'], 'kent': ['kent', 'knet'], 'kentia': ['intake', 'kentia'], 'kenton': ['kenton', 'nekton'], 'kepi': ['kepi', 'kipe', 'pike'], 'keralite': ['keralite', 'tearlike'], 'kerasin': ['kerasin', 'sarkine'], 'kerat': ['kerat', 'taker'], 'keratin': ['intaker', 'katrine', 'keratin'], 'keratoangioma': ['angiokeratoma', 'keratoangioma'], 'keratosis': ['asterikos', 'keratosis'], 'keres': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'keresan': ['keresan', 'sneaker'], 'kerewa': ['kerewa', 'rewake'], 'kerf': ['ferk', 'kerf'], 'kern': ['kern', 'renk'], 'kersantite': ['karstenite', 'kersantite'], 'kersey': ['kersey', 'skeery'], 'kestrel': ['kestrel', 'skelter'], 'keta': ['kate', 'keta', 'take', 'teak'], 'ketene': ['ektene', 'ketene'], 'keto': ['keto', 'oket', 'toke'], 'ketol': ['ketol', 'loket'], 'ketonic': ['kenotic', 'ketonic'], 'ketu': ['ketu', 'teuk', 'tuke'], 'ketupa': ['ketupa', 'uptake'], 'ketyl': ['kelty', 'ketyl'], 'keup': ['keup', 'puke'], 'keuper': ['keuper', 'peruke'], 'kevan': ['kevan', 'knave'], 'kha': ['hak', 'kha'], 'khami': ['hakim', 'khami'], 'khan': ['ankh', 'hank', 'khan'], 'khar': ['hark', 'khar', 'rakh'], 'khasa': ['kasha', 'khasa', 'sakha', 'shaka'], 'khasi': ['kashi', 'khasi'], 'khat': ['kath', 'khat'], 'khatib': ['bhakti', 'khatib'], 'khila': ['khila', 'kilah'], 'khu': ['huk', 'khu'], 'khula': ['khula', 'kulah'], 'kiangan': ['kangani', 'kiangan'], 'kibe': ['bike', 'kibe'], 'kicker': ['kicker', 'rekick'], 'kickout': ['kickout', 'outkick'], 'kidney': ['dinkey', 'kidney'], 'kids': ['disk', 'kids', 'skid'], 'kiel': ['kiel', 'like'], 'kier': ['erik', 'kier', 'reki'], 'kiku': ['kiku', 'kuki'], 'kikumon': ['kikumon', 'kokumin'], 'kil': ['ilk', 'kil'], 'kilah': ['khila', 'kilah'], 'kiliare': ['airlike', 'kiliare'], 'killcalf': ['calfkill', 'killcalf'], 'killer': ['killer', 'rekill'], 'kiln': ['kiln', 'link'], 'kilnman': ['kilnman', 'linkman'], 'kilo': ['kilo', 'koil', 'koli'], 'kilp': ['kilp', 'klip'], 'kilter': ['kilter', 'kirtle'], 'kilting': ['kilting', 'kitling'], 'kiluba': ['kabuli', 'kiluba'], 'kimberlite': ['kimberlite', 'timberlike'], 'kimnel': ['kimnel', 'milken'], 'kin': ['ink', 'kin'], 'kina': ['akin', 'kina', 'naik'], 'kinase': ['kinase', 'sekani'], 'kinch': ['chink', 'kinch'], 'kind': ['dink', 'kind'], 'kindle': ['kindle', 'linked'], 'kinetomer': ['kinetomer', 'konimeter'], 'king': ['gink', 'king'], 'kingcob': ['bocking', 'kingcob'], 'kingpin': ['kingpin', 'pinking'], 'kingrow': ['kingrow', 'working'], 'kinless': ['inkless', 'kinless'], 'kinship': ['kinship', 'pinkish'], 'kioko': ['kioko', 'kokio'], 'kip': ['kip', 'pik'], 'kipe': ['kepi', 'kipe', 'pike'], 'kirk': ['kirk', 'rikk'], 'kirktown': ['kirktown', 'knitwork'], 'kirn': ['kirn', 'rink'], 'kirsten': ['kirsten', 'kristen', 'stinker'], 'kirsty': ['kirsty', 'skirty'], 'kirtle': ['kilter', 'kirtle'], 'kirve': ['kirve', 'kiver'], 'kish': ['kish', 'shik', 'sikh'], 'kishen': ['kishen', 'neskhi'], 'kisra': ['kisra', 'sikar', 'skair'], 'kissar': ['kissar', 'krasis'], 'kisser': ['kisser', 'rekiss'], 'kist': ['kist', 'skit'], 'kistful': ['kistful', 'lutfisk'], 'kitab': ['batik', 'kitab'], 'kitan': ['kitan', 'takin'], 'kitar': ['kitar', 'krait', 'rakit', 'traik'], 'kitchen': ['kitchen', 'thicken'], 'kitchener': ['kitchener', 'rethicken', 'thickener'], 'kithe': ['keith', 'kithe'], 'kitling': ['kilting', 'kitling'], 'kitlope': ['kitlope', 'potlike', 'toplike'], 'kittel': ['kittel', 'kittle'], 'kittle': ['kittel', 'kittle'], 'kittles': ['kittles', 'skittle'], 'kiva': ['kavi', 'kiva'], 'kiver': ['kirve', 'kiver'], 'kiwai': ['kaiwi', 'kiwai'], 'klan': ['klan', 'lank'], 'klanism': ['klanism', 'silkman'], 'klaus': ['klaus', 'lukas', 'sulka'], 'kleistian': ['kleistian', 'saintlike', 'satinlike'], 'klendusic': ['klendusic', 'unsickled'], 'kling': ['glink', 'kling'], 'klip': ['kilp', 'klip'], 'klop': ['klop', 'polk'], 'knab': ['bank', 'knab', 'nabk'], 'knag': ['kang', 'knag'], 'knap': ['knap', 'pank'], 'knape': ['knape', 'pekan'], 'knar': ['knar', 'kran', 'nark', 'rank'], 'knave': ['kevan', 'knave'], 'knawel': ['knawel', 'wankle'], 'knead': ['kande', 'knead', 'naked'], 'knee': ['keen', 'knee'], 'knet': ['kent', 'knet'], 'knit': ['knit', 'tink'], 'knitter': ['knitter', 'trinket'], 'knitwork': ['kirktown', 'knitwork'], 'knob': ['bonk', 'knob'], 'knot': ['knot', 'tonk'], 'knottiness': ['knottiness', 'stinkstone'], 'knower': ['knower', 'reknow', 'wroken'], 'knub': ['bunk', 'knub'], 'knurly': ['knurly', 'runkly'], 'knut': ['knut', 'tunk'], 'knute': ['knute', 'unket'], 'ko': ['ko', 'ok'], 'koa': ['ako', 'koa', 'oak', 'oka'], 'koali': ['koali', 'koila'], 'kobu': ['bouk', 'kobu'], 'koch': ['hock', 'koch'], 'kochia': ['choiak', 'kochia'], 'koel': ['koel', 'loke'], 'koi': ['koi', 'oki'], 'koil': ['kilo', 'koil', 'koli'], 'koila': ['koali', 'koila'], 'koilon': ['inlook', 'koilon'], 'kokan': ['kokan', 'konak'], 'kokio': ['kioko', 'kokio'], 'kokumin': ['kikumon', 'kokumin'], 'kola': ['kalo', 'kola', 'loka'], 'koli': ['kilo', 'koil', 'koli'], 'kolo': ['kolo', 'look'], 'kome': ['kome', 'moke'], 'komi': ['komi', 'moki'], 'kona': ['kona', 'nako'], 'konak': ['kokan', 'konak'], 'kongo': ['kongo', 'ngoko'], 'kongoni': ['kongoni', 'nooking'], 'konia': ['ikona', 'konia'], 'konimeter': ['kinetomer', 'konimeter'], 'kor': ['kor', 'rok'], 'kora': ['karo', 'kora', 'okra', 'roka'], 'korait': ['korait', 'troika'], 'koran': ['koran', 'krona'], 'korana': ['anorak', 'korana'], 'kore': ['kore', 'roke'], 'korec': ['coker', 'corke', 'korec'], 'korero': ['korero', 'rooker'], 'kori': ['irok', 'kori'], 'korimako': ['korimako', 'koromika'], 'koromika': ['korimako', 'koromika'], 'korwa': ['awork', 'korwa'], 'kory': ['kory', 'roky', 'york'], 'kos': ['kos', 'sok'], 'koso': ['koso', 'skoo', 'sook'], 'kotar': ['kotar', 'tarok'], 'koto': ['koto', 'toko', 'took'], 'kra': ['ark', 'kra'], 'krait': ['kitar', 'krait', 'rakit', 'traik'], 'kraken': ['kraken', 'nekkar'], 'kral': ['karl', 'kral', 'lark'], 'krama': ['karma', 'krama', 'marka'], 'kran': ['knar', 'kran', 'nark', 'rank'], 'kras': ['askr', 'kras', 'sark'], 'krasis': ['kissar', 'krasis'], 'kraut': ['kraut', 'tukra'], 'kreis': ['kreis', 'skier'], 'kreistle': ['kreistle', 'triskele'], 'krepi': ['krepi', 'piker'], 'krina': ['inkra', 'krina', 'nakir', 'rinka'], 'kris': ['kris', 'risk'], 'krishna': ['krishna', 'rankish'], 'kristen': ['kirsten', 'kristen', 'stinker'], 'krona': ['koran', 'krona'], 'krone': ['ekron', 'krone'], 'kroo': ['kroo', 'rook'], 'krosa': ['krosa', 'oskar'], 'kua': ['aku', 'auk', 'kua'], 'kuar': ['kuar', 'raku', 'rauk'], 'kuba': ['baku', 'kuba'], 'kubera': ['kaberu', 'kubera'], 'kuki': ['kiku', 'kuki'], 'kulah': ['khula', 'kulah'], 'kulimit': ['kulimit', 'tilikum'], 'kulm': ['kulm', 'mulk'], 'kuman': ['kuman', 'naumk'], 'kumhar': ['kumhar', 'kumrah'], 'kumrah': ['kumhar', 'kumrah'], 'kunai': ['kunai', 'nikau'], 'kuneste': ['kuneste', 'netsuke'], 'kung': ['gunk', 'kung'], 'kurmi': ['kurmi', 'mukri'], 'kurt': ['kurt', 'turk'], 'kurus': ['kurus', 'ursuk'], 'kusa': ['kusa', 'skua'], 'kusam': ['kusam', 'sumak'], 'kusan': ['ankus', 'kusan'], 'kusha': ['kusha', 'shaku', 'ushak'], 'kutchin': ['kutchin', 'unthick'], 'kutenai': ['kutenai', 'unakite'], 'kyar': ['kyar', 'yark'], 'kyat': ['katy', 'kyat', 'taky'], 'kyle': ['kyle', 'yelk'], 'kylo': ['kylo', 'yolk'], 'kyte': ['kyte', 'tyke'], 'la': ['al', 'la'], 'laager': ['aglare', 'alegar', 'galera', 'laager'], 'laang': ['laang', 'lagan', 'lagna'], 'lab': ['alb', 'bal', 'lab'], 'laban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'labber': ['barbel', 'labber', 'rabble'], 'labefact': ['factable', 'labefact'], 'label': ['bella', 'label'], 'labeler': ['labeler', 'relabel'], 'labia': ['balai', 'labia'], 'labial': ['abilla', 'labial'], 'labially': ['alliably', 'labially'], 'labiate': ['baalite', 'bialate', 'labiate'], 'labiella': ['alliable', 'labiella'], 'labile': ['alible', 'belial', 'labile', 'liable'], 'labiocervical': ['cervicolabial', 'labiocervical'], 'labiodental': ['dentolabial', 'labiodental'], 'labioglossal': ['glossolabial', 'labioglossal'], 'labioglossolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'labioglossopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'labiomental': ['labiomental', 'mentolabial'], 'labionasal': ['labionasal', 'nasolabial'], 'labiovelar': ['bialveolar', 'labiovelar'], 'labis': ['basil', 'labis'], 'labor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'laborant': ['balatron', 'laborant'], 'laborism': ['laborism', 'mislabor'], 'laborist': ['laborist', 'strobila'], 'laborite': ['betailor', 'laborite', 'orbitale'], 'labrador': ['labrador', 'larboard'], 'labret': ['albert', 'balter', 'labret', 'tabler'], 'labridae': ['labridae', 'radiable'], 'labrose': ['borlase', 'labrose', 'rosabel'], 'labrum': ['brumal', 'labrum', 'lumbar', 'umbral'], 'labrus': ['bursal', 'labrus'], 'laburnum': ['alburnum', 'laburnum'], 'lac': ['cal', 'lac'], 'lace': ['acle', 'alec', 'lace'], 'laced': ['clead', 'decal', 'laced'], 'laceman': ['laceman', 'manacle'], 'lacepod': ['lacepod', 'pedocal', 'placode'], 'lacer': ['ceral', 'clare', 'clear', 'lacer'], 'lacerable': ['clearable', 'lacerable'], 'lacerate': ['lacerate', 'lacertae'], 'laceration': ['creational', 'crotalinae', 'laceration', 'reactional'], 'lacerative': ['calaverite', 'lacerative'], 'lacertae': ['lacerate', 'lacertae'], 'lacertian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'lacertid': ['articled', 'lacertid'], 'lacertidae': ['dilacerate', 'lacertidae'], 'lacertiloid': ['illoricated', 'lacertiloid'], 'lacertine': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'lacertoid': ['dialector', 'lacertoid'], 'lacery': ['clayer', 'lacery'], 'lacet': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'lache': ['chela', 'lache', 'leach'], 'laches': ['cashel', 'laches', 'sealch'], 'lachrymonasal': ['lachrymonasal', 'nasolachrymal'], 'lachsa': ['calash', 'lachsa'], 'laciness': ['laciness', 'sensical'], 'lacing': ['anglic', 'lacing'], 'lacinia': ['lacinia', 'licania'], 'laciniated': ['acetanilid', 'laciniated', 'teniacidal'], 'lacis': ['lacis', 'salic'], 'lack': ['calk', 'lack'], 'lacker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'lacmoid': ['domical', 'lacmoid'], 'laconic': ['conical', 'laconic'], 'laconica': ['canicola', 'laconica'], 'laconizer': ['laconizer', 'locarnize'], 'lacquer': ['claquer', 'lacquer'], 'lacquerer': ['lacquerer', 'relacquer'], 'lactarene': ['lactarene', 'nectareal'], 'lactarious': ['alacritous', 'lactarious', 'lactosuria'], 'lactarium': ['lactarium', 'matricula'], 'lactarius': ['australic', 'lactarius'], 'lacteal': ['catella', 'lacteal'], 'lacteous': ['lacteous', 'osculate'], 'lactide': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'lactinate': ['cantalite', 'lactinate', 'tetanical'], 'lacto': ['lacto', 'tlaco'], 'lactoid': ['cotidal', 'lactoid', 'talcoid'], 'lactoprotein': ['lactoprotein', 'protectional'], 'lactose': ['alecost', 'lactose', 'scotale', 'talcose'], 'lactoside': ['dislocate', 'lactoside'], 'lactosuria': ['alacritous', 'lactarious', 'lactosuria'], 'lacunal': ['calluna', 'lacunal'], 'lacune': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'lacustral': ['claustral', 'lacustral'], 'lacwork': ['lacwork', 'warlock'], 'lacy': ['acyl', 'clay', 'lacy'], 'lad': ['dal', 'lad'], 'ladakin': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'ladanum': ['ladanum', 'udalman'], 'ladder': ['ladder', 'raddle'], 'laddery': ['dreadly', 'laddery'], 'laddie': ['daidle', 'laddie'], 'lade': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lademan': ['daleman', 'lademan', 'leadman'], 'laden': ['eland', 'laden', 'lenad'], 'lader': ['alder', 'daler', 'lader'], 'ladies': ['aisled', 'deasil', 'ladies', 'sailed'], 'ladin': ['danli', 'ladin', 'linda', 'nidal'], 'lading': ['angild', 'lading'], 'ladino': ['dolina', 'ladino'], 'ladle': ['dalle', 'della', 'ladle'], 'ladrone': ['endoral', 'ladrone', 'leonard'], 'ladyfy': ['dayfly', 'ladyfy'], 'ladyish': ['ladyish', 'shadily'], 'ladyling': ['dallying', 'ladyling'], 'laet': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'laeti': ['alite', 'laeti'], 'laetic': ['calite', 'laetic', 'tecali'], 'lafite': ['fetial', 'filate', 'lafite', 'leafit'], 'lag': ['gal', 'lag'], 'lagan': ['laang', 'lagan', 'lagna'], 'lagen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'lagena': ['alnage', 'angela', 'galena', 'lagena'], 'lagend': ['angled', 'dangle', 'englad', 'lagend'], 'lager': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'lagetto': ['lagetto', 'tagetol'], 'lagged': ['daggle', 'lagged'], 'laggen': ['laggen', 'naggle'], 'lagger': ['gargle', 'gregal', 'lagger', 'raggle'], 'lagna': ['laang', 'lagan', 'lagna'], 'lagniappe': ['appealing', 'lagniappe', 'panplegia'], 'lagonite': ['gelation', 'lagonite', 'legation'], 'lagunero': ['lagunero', 'organule', 'uroglena'], 'lagurus': ['argulus', 'lagurus'], 'lai': ['ail', 'ila', 'lai'], 'laicism': ['islamic', 'laicism', 'silicam'], 'laid': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lain': ['alin', 'anil', 'lain', 'lina', 'nail'], 'laine': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'laiose': ['aeolis', 'laiose'], 'lair': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lairage': ['lairage', 'railage', 'regalia'], 'laird': ['drail', 'laird', 'larid', 'liard'], 'lairless': ['lairless', 'railless'], 'lairman': ['lairman', 'laminar', 'malarin', 'railman'], 'lairstone': ['lairstone', 'orleanist', 'serotinal'], 'lairy': ['lairy', 'riyal'], 'laitance': ['analcite', 'anticlea', 'laitance'], 'laity': ['laity', 'taily'], 'lak': ['alk', 'lak'], 'lake': ['kale', 'lake', 'leak'], 'lakeless': ['lakeless', 'leakless'], 'laker': ['karel', 'laker'], 'lakie': ['alike', 'lakie'], 'laking': ['kangli', 'laking'], 'lakish': ['lakish', 'shakil'], 'lakota': ['atokal', 'lakota'], 'laky': ['alky', 'laky'], 'lalo': ['lalo', 'lola', 'olla'], 'lalopathy': ['allopathy', 'lalopathy'], 'lam': ['lam', 'mal'], 'lama': ['alma', 'amla', 'lama', 'mala'], 'lamaic': ['amical', 'camail', 'lamaic'], 'lamaism': ['lamaism', 'miasmal'], 'lamaist': ['lamaist', 'lamista'], 'lamaistic': ['ismatical', 'lamaistic'], 'lamanite': ['lamanite', 'laminate'], 'lamany': ['amylan', 'lamany', 'layman'], 'lamb': ['balm', 'lamb'], 'lambaste': ['blastema', 'lambaste'], 'lambent': ['beltman', 'lambent'], 'lamber': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'lambie': ['bemail', 'lambie'], 'lambiness': ['balminess', 'lambiness'], 'lamblike': ['balmlike', 'lamblike'], 'lamby': ['balmy', 'lamby'], 'lame': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'lamella': ['lamella', 'malella', 'malleal'], 'lamellose': ['lamellose', 'semolella'], 'lamely': ['lamely', 'mellay'], 'lameness': ['lameness', 'maleness', 'maneless', 'nameless'], 'lament': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'lamenter': ['lamenter', 'relament', 'remantle'], 'lamenting': ['alignment', 'lamenting'], 'lameter': ['lameter', 'metaler', 'remetal'], 'lamia': ['alima', 'lamia'], 'lamiger': ['gremial', 'lamiger'], 'lamiides': ['idealism', 'lamiides'], 'lamin': ['lamin', 'liman', 'milan'], 'lamina': ['almain', 'animal', 'lamina', 'manila'], 'laminae': ['laminae', 'melania'], 'laminar': ['lairman', 'laminar', 'malarin', 'railman'], 'laminarin': ['laminarin', 'linamarin'], 'laminarite': ['laminarite', 'terminalia'], 'laminate': ['lamanite', 'laminate'], 'laminated': ['almandite', 'laminated'], 'lamination': ['antimonial', 'lamination'], 'laminboard': ['laminboard', 'lombardian'], 'laminectomy': ['laminectomy', 'metonymical'], 'laminose': ['laminose', 'lemonias', 'semolina'], 'lamish': ['lamish', 'shimal'], 'lamista': ['lamaist', 'lamista'], 'lamiter': ['lamiter', 'marlite'], 'lammer': ['lammer', 'rammel'], 'lammy': ['lammy', 'malmy'], 'lamna': ['alman', 'lamna', 'manal'], 'lamnid': ['lamnid', 'mandil'], 'lamnidae': ['aldamine', 'lamnidae'], 'lamp': ['lamp', 'palm'], 'lampad': ['lampad', 'palmad'], 'lampas': ['lampas', 'plasma'], 'lamper': ['lamper', 'palmer', 'relamp'], 'lampers': ['lampers', 'sampler'], 'lampful': ['lampful', 'palmful'], 'lampist': ['lampist', 'palmist'], 'lampistry': ['lampistry', 'palmistry'], 'lampoon': ['lampoon', 'pomonal'], 'lamprey': ['lamprey', 'palmery'], 'lampyridae': ['lampyridae', 'pyramidale'], 'lamus': ['lamus', 'malus', 'musal', 'slaum'], 'lamut': ['lamut', 'tamul'], 'lan': ['aln', 'lan'], 'lana': ['alan', 'anal', 'lana'], 'lanas': ['alans', 'lanas', 'nasal'], 'lanate': ['anteal', 'lanate', 'teanal'], 'lancaster': ['ancestral', 'lancaster'], 'lancasterian': ['alcantarines', 'lancasterian'], 'lance': ['canel', 'clean', 'lance', 'lenca'], 'lanced': ['calden', 'candle', 'lanced'], 'lancely': ['cleanly', 'lancely'], 'lanceolar': ['lanceolar', 'olecranal'], 'lancer': ['lancer', 'rancel'], 'lances': ['lances', 'senlac'], 'lancet': ['cantle', 'cental', 'lancet', 'tancel'], 'lanceteer': ['crenelate', 'lanceteer'], 'lancinate': ['cantilena', 'lancinate'], 'landbook': ['bookland', 'landbook'], 'landed': ['dandle', 'landed'], 'lander': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'landfast': ['fastland', 'landfast'], 'landgrave': ['grandeval', 'landgrave'], 'landimere': ['landimere', 'madrilene'], 'landing': ['danglin', 'landing'], 'landlubber': ['landlubber', 'lubberland'], 'landreeve': ['landreeve', 'reeveland'], 'landstorm': ['landstorm', 'transmold'], 'landwash': ['landwash', 'washland'], 'lane': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lanete': ['elanet', 'lanete', 'lateen'], 'laney': ['laney', 'layne'], 'langhian': ['hangnail', 'langhian'], 'langi': ['algin', 'align', 'langi', 'liang', 'linga'], 'langite': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'lango': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'langobard': ['bandarlog', 'langobard'], 'language': ['ganguela', 'language'], 'laniate': ['laniate', 'natalie', 'taenial'], 'lanific': ['finical', 'lanific'], 'laniform': ['formalin', 'informal', 'laniform'], 'laniidae': ['aedilian', 'laniidae'], 'lanista': ['lanista', 'santali'], 'lanius': ['insula', 'lanius', 'lusian'], 'lank': ['klan', 'lank'], 'lanket': ['anklet', 'lanket', 'tankle'], 'lanner': ['lanner', 'rannel'], 'lansat': ['aslant', 'lansat', 'natals', 'santal'], 'lanseh': ['halsen', 'hansel', 'lanseh'], 'lantaca': ['cantala', 'catalan', 'lantaca'], 'lanum': ['lanum', 'manul'], 'lao': ['alo', 'lao', 'loa'], 'laodicean': ['caledonia', 'laodicean'], 'laotian': ['ailanto', 'alation', 'laotian', 'notalia'], 'lap': ['alp', 'lap', 'pal'], 'laparohysterotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'laparosplenotomy': ['laparosplenotomy', 'splenolaparotomy'], 'lapidarist': ['lapidarist', 'triapsidal'], 'lapidate': ['lapidate', 'talpidae'], 'lapideon': ['lapideon', 'palinode', 'pedalion'], 'lapidose': ['episodal', 'lapidose', 'sepaloid'], 'lapith': ['lapith', 'tilpah'], 'lapon': ['lapon', 'nopal'], 'lapp': ['lapp', 'palp', 'plap'], 'lappa': ['lappa', 'papal'], 'lapped': ['dapple', 'lapped', 'palped'], 'lapper': ['lapper', 'rappel'], 'lappish': ['lappish', 'shiplap'], 'lapsation': ['apolistan', 'lapsation'], 'lapse': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lapsi': ['alisp', 'lapsi'], 'lapsing': ['lapsing', 'sapling'], 'lapstone': ['lapstone', 'pleonast'], 'larboard': ['labrador', 'larboard'], 'larcenic': ['calciner', 'larcenic'], 'larcenist': ['cisternal', 'larcenist'], 'larcenous': ['larcenous', 'senocular'], 'larchen': ['charnel', 'larchen'], 'lardacein': ['ecardinal', 'lardacein'], 'lardite': ['dilater', 'lardite', 'redtail'], 'lardon': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'lardy': ['daryl', 'lardy', 'lyard'], 'large': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'largely': ['allergy', 'gallery', 'largely', 'regally'], 'largen': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'largeness': ['largeness', 'rangeless', 'regalness'], 'largess': ['glasser', 'largess'], 'largition': ['gratiolin', 'largition', 'tailoring'], 'largo': ['algor', 'argol', 'goral', 'largo'], 'lari': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lariat': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'larid': ['drail', 'laird', 'larid', 'liard'], 'laridae': ['ardelia', 'laridae', 'radiale'], 'larigo': ['gloria', 'larigo', 'logria'], 'larigot': ['goitral', 'larigot', 'ligator'], 'lariid': ['iridal', 'lariid'], 'larine': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'lark': ['karl', 'kral', 'lark'], 'larking': ['karling', 'larking'], 'larsenite': ['intersale', 'larsenite'], 'larus': ['larus', 'sural', 'ursal'], 'larva': ['alvar', 'arval', 'larva'], 'larval': ['larval', 'vallar'], 'larvate': ['larvate', 'lavaret', 'travale'], 'larve': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'larvicide': ['larvicide', 'veridical'], 'laryngopharyngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'laryngopharyngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'laryngotome': ['laryngotome', 'maternology'], 'laryngotracheotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'las': ['las', 'sal', 'sla'], 'lasa': ['alas', 'lasa'], 'lascar': ['lascar', 'rascal', 'sacral', 'scalar'], 'laser': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'lash': ['hals', 'lash'], 'lasi': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lasius': ['asilus', 'lasius'], 'lask': ['lask', 'skal'], 'lasket': ['lasket', 'sklate'], 'laspring': ['laspring', 'sparling', 'springal'], 'lasque': ['lasque', 'squeal'], 'lasset': ['lasset', 'tassel'], 'lassie': ['elissa', 'lassie'], 'lasso': ['lasso', 'ossal'], 'lassoer': ['lassoer', 'oarless', 'rosales'], 'last': ['last', 'salt', 'slat'], 'laster': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'lastly': ['lastly', 'saltly'], 'lastness': ['lastness', 'saltness'], 'lastre': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasty': ['lasty', 'salty', 'slaty'], 'lat': ['alt', 'lat', 'tal'], 'lata': ['lata', 'taal', 'tala'], 'latania': ['altaian', 'latania', 'natalia'], 'latcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'latchet': ['chattel', 'latchet'], 'late': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'latebra': ['alberta', 'latebra', 'ratable'], 'lated': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'lateen': ['elanet', 'lanete', 'lateen'], 'lately': ['lately', 'lealty'], 'laten': ['ental', 'laten', 'leant'], 'latent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latentness': ['latentness', 'tenantless'], 'later': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'latera': ['latera', 'relata'], 'laterad': ['altared', 'laterad'], 'lateralis': ['lateralis', 'stellaria'], 'lateran': ['alatern', 'lateran'], 'laterite': ['laterite', 'literate', 'teretial'], 'laterocaudal': ['caudolateral', 'laterocaudal'], 'laterodorsal': ['dorsolateral', 'laterodorsal'], 'lateroventral': ['lateroventral', 'ventrolateral'], 'latest': ['latest', 'sattle', 'taslet'], 'latex': ['exalt', 'latex'], 'lath': ['halt', 'lath'], 'lathe': ['ethal', 'lathe', 'leath'], 'latheman': ['latheman', 'methanal'], 'lathen': ['ethnal', 'hantle', 'lathen', 'thenal'], 'lather': ['arthel', 'halter', 'lather', 'thaler'], 'lathery': ['earthly', 'heartly', 'lathery', 'rathely'], 'lathing': ['halting', 'lathing', 'thingal'], 'latian': ['antlia', 'latian', 'nalita'], 'latibulize': ['latibulize', 'utilizable'], 'latices': ['astelic', 'elastic', 'latices'], 'laticlave': ['laticlave', 'vacillate'], 'latigo': ['galiot', 'latigo'], 'latimeria': ['latimeria', 'marialite'], 'latin': ['altin', 'latin'], 'latinate': ['antliate', 'latinate'], 'latiner': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latinesque': ['latinesque', 'sequential'], 'latinian': ['antinial', 'latinian'], 'latinizer': ['latinizer', 'trinalize'], 'latinus': ['latinus', 'tulisan', 'unalist'], 'lation': ['italon', 'lation', 'talion'], 'latirostres': ['latirostres', 'setirostral'], 'latirus': ['latirus', 'trisula'], 'latish': ['latish', 'tahsil'], 'latite': ['latite', 'tailet', 'tailte', 'talite'], 'latitude': ['altitude', 'latitude'], 'latitudinal': ['altitudinal', 'latitudinal'], 'latitudinarian': ['altitudinarian', 'latitudinarian'], 'latomy': ['latomy', 'tyloma'], 'latona': ['atonal', 'latona'], 'latonian': ['latonian', 'nataloin', 'national'], 'latria': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'latrine': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latris': ['latris', 'strial'], 'latro': ['latro', 'rotal', 'toral'], 'latrobe': ['alberto', 'bloater', 'latrobe'], 'latrobite': ['latrobite', 'trilobate'], 'latrocinium': ['latrocinium', 'tourmalinic'], 'latron': ['latron', 'lontar', 'tornal'], 'latten': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latter': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'latterkin': ['intertalk', 'latterkin'], 'lattice': ['lattice', 'tactile'], 'latticinio': ['latticinio', 'licitation'], 'latuka': ['latuka', 'taluka'], 'latus': ['latus', 'sault', 'talus'], 'latvian': ['latvian', 'valiant'], 'laubanite': ['laubanite', 'unlabiate'], 'laud': ['auld', 'dual', 'laud', 'udal'], 'laudation': ['adulation', 'laudation'], 'laudator': ['adulator', 'laudator'], 'laudatorily': ['illaudatory', 'laudatorily'], 'laudatory': ['adulatory', 'laudatory'], 'lauder': ['lauder', 'udaler'], 'laudism': ['dualism', 'laudism'], 'laudist': ['dualist', 'laudist'], 'laumonite': ['emulation', 'laumonite'], 'laun': ['laun', 'luna', 'ulna', 'unal'], 'launce': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'launch': ['chulan', 'launch', 'nuchal'], 'launcher': ['launcher', 'relaunch'], 'laund': ['dunal', 'laund', 'lunda', 'ulnad'], 'launder': ['launder', 'rundale'], 'laur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'laura': ['aural', 'laura'], 'laurel': ['allure', 'laurel'], 'laureled': ['laureled', 'reallude'], 'laurence': ['cerulean', 'laurence'], 'laurent': ['laurent', 'neutral', 'unalert'], 'laurentide': ['adulterine', 'laurentide'], 'lauric': ['curial', 'lauric', 'uracil', 'uralic'], 'laurin': ['laurin', 'urinal'], 'laurite': ['laurite', 'uralite'], 'laurus': ['laurus', 'ursula'], 'lava': ['aval', 'lava'], 'lavacre': ['caravel', 'lavacre'], 'lavaret': ['larvate', 'lavaret', 'travale'], 'lave': ['lave', 'vale', 'veal', 'vela'], 'laveer': ['laveer', 'leaver', 'reveal', 'vealer'], 'lavehr': ['halver', 'lavehr'], 'lavenite': ['elvanite', 'lavenite'], 'laver': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'laverania': ['laverania', 'valeriana'], 'lavic': ['cavil', 'lavic'], 'lavinia': ['lavinia', 'vinalia'], 'lavish': ['lavish', 'vishal'], 'lavisher': ['lavisher', 'shrieval'], 'lavolta': ['lavolta', 'vallota'], 'law': ['awl', 'law'], 'lawing': ['lawing', 'waling'], 'lawk': ['lawk', 'walk'], 'lawmonger': ['angleworm', 'lawmonger'], 'lawned': ['delawn', 'lawned', 'wandle'], 'lawner': ['lawner', 'warnel'], 'lawny': ['lawny', 'wanly'], 'lawrie': ['lawrie', 'wailer'], 'lawter': ['lawter', 'walter'], 'lawyer': ['lawyer', 'yawler'], 'laxism': ['laxism', 'smilax'], 'lay': ['aly', 'lay'], 'layer': ['early', 'layer', 'relay'], 'layered': ['delayer', 'layered', 'redelay'], 'layery': ['layery', 'yearly'], 'laying': ['gainly', 'laying'], 'layman': ['amylan', 'lamany', 'layman'], 'layne': ['laney', 'layne'], 'layout': ['layout', 'lutayo', 'outlay'], 'layover': ['layover', 'overlay'], 'layship': ['apishly', 'layship'], 'lazarlike': ['alkalizer', 'lazarlike'], 'laze': ['laze', 'zeal'], 'lea': ['ale', 'lea'], 'leach': ['chela', 'lache', 'leach'], 'leachman': ['leachman', 'mechanal'], 'lead': ['dale', 'deal', 'lade', 'lead', 'leda'], 'leadable': ['dealable', 'leadable'], 'leaded': ['delead', 'leaded'], 'leader': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'leadership': ['dealership', 'leadership'], 'leadin': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'leadiness': ['idealness', 'leadiness'], 'leading': ['adeling', 'dealing', 'leading'], 'leadman': ['daleman', 'lademan', 'leadman'], 'leads': ['leads', 'slade'], 'leadsman': ['dalesman', 'leadsman'], 'leadstone': ['endosteal', 'leadstone'], 'leady': ['delay', 'leady'], 'leaf': ['alef', 'feal', 'flea', 'leaf'], 'leafen': ['enleaf', 'leafen'], 'leafit': ['fetial', 'filate', 'lafite', 'leafit'], 'leafy': ['fleay', 'leafy'], 'leah': ['hale', 'heal', 'leah'], 'leak': ['kale', 'lake', 'leak'], 'leakiness': ['alikeness', 'leakiness'], 'leakless': ['lakeless', 'leakless'], 'leal': ['alle', 'ella', 'leal'], 'lealty': ['lately', 'lealty'], 'leam': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'leamer': ['leamer', 'mealer'], 'lean': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'leander': ['leander', 'learned', 'reladen'], 'leaner': ['arlene', 'leaner'], 'leaning': ['angelin', 'leaning'], 'leant': ['ental', 'laten', 'leant'], 'leap': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'leaper': ['leaper', 'releap', 'repale', 'repeal'], 'leaping': ['apeling', 'leaping'], 'leapt': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'lear': ['earl', 'eral', 'lear', 'real'], 'learn': ['learn', 'renal'], 'learned': ['leander', 'learned', 'reladen'], 'learnedly': ['ellenyard', 'learnedly'], 'learner': ['learner', 'relearn'], 'learnt': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'leasable': ['leasable', 'sealable'], 'lease': ['easel', 'lease'], 'leaser': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'leash': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'leasing': ['leasing', 'sealing'], 'least': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'leat': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'leath': ['ethal', 'lathe', 'leath'], 'leather': ['leather', 'tarheel'], 'leatherbark': ['halterbreak', 'leatherbark'], 'leatherer': ['leatherer', 'releather', 'tarheeler'], 'leatman': ['amental', 'leatman'], 'leaver': ['laveer', 'leaver', 'reveal', 'vealer'], 'leaves': ['leaves', 'sleave'], 'leaving': ['leaving', 'vangeli'], 'leavy': ['leavy', 'vealy'], 'leban': ['leban', 'nable'], 'lebanese': ['ebenales', 'lebanese'], 'lebensraum': ['lebensraum', 'mensurable'], 'lecaniid': ['alcidine', 'danielic', 'lecaniid'], 'lecanora': ['carolean', 'lecanora'], 'lecanoroid': ['lecanoroid', 'olecranoid'], 'lechery': ['cheerly', 'lechery'], 'lechriodont': ['holocentrid', 'lechriodont'], 'lecithal': ['hellicat', 'lecithal'], 'lecontite': ['lecontite', 'nicolette'], 'lector': ['colter', 'lector', 'torcel'], 'lectorial': ['corallite', 'lectorial'], 'lectorship': ['lectorship', 'leptorchis'], 'lectrice': ['electric', 'lectrice'], 'lecturess': ['cutleress', 'lecturess', 'truceless'], 'lecyth': ['lecyth', 'letchy'], 'lecythis': ['chestily', 'lecythis'], 'led': ['del', 'eld', 'led'], 'leda': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lede': ['dele', 'lede', 'leed'], 'leden': ['leden', 'neeld'], 'ledge': ['glede', 'gleed', 'ledge'], 'ledger': ['gelder', 'ledger', 'redleg'], 'ledging': ['gelding', 'ledging'], 'ledgy': ['gledy', 'ledgy'], 'lee': ['eel', 'lee'], 'leed': ['dele', 'lede', 'leed'], 'leek': ['keel', 'kele', 'leek'], 'leep': ['leep', 'peel', 'pele'], 'leepit': ['leepit', 'pelite', 'pielet'], 'leer': ['leer', 'reel'], 'leeringly': ['leeringly', 'reelingly'], 'leerness': ['leerness', 'lessener'], 'lees': ['else', 'lees', 'seel', 'sele', 'slee'], 'leet': ['leet', 'lete', 'teel', 'tele'], 'leetman': ['entelam', 'leetman'], 'leewan': ['leewan', 'weanel'], 'left': ['felt', 'flet', 'left'], 'leftish': ['fishlet', 'leftish'], 'leftness': ['feltness', 'leftness'], 'leg': ['gel', 'leg'], 'legalist': ['legalist', 'stillage'], 'legantine': ['eglantine', 'inelegant', 'legantine'], 'legate': ['eaglet', 'legate', 'teagle', 'telega'], 'legatine': ['galenite', 'legatine'], 'legation': ['gelation', 'lagonite', 'legation'], 'legative': ['legative', 'levigate'], 'legator': ['argolet', 'gloater', 'legator'], 'legendary': ['enragedly', 'legendary'], 'leger': ['leger', 'regle'], 'legger': ['eggler', 'legger'], 'legion': ['eloign', 'gileno', 'legion'], 'legioner': ['eloigner', 'legioner'], 'legionry': ['legionry', 'yeorling'], 'legislator': ['allegorist', 'legislator'], 'legman': ['legman', 'mangel', 'mangle'], 'legoa': ['gloea', 'legoa'], 'legua': ['gulae', 'legua'], 'leguan': ['genual', 'leguan'], 'lehr': ['herl', 'hler', 'lehr'], 'lei': ['eli', 'lei', 'lie'], 'leif': ['feil', 'file', 'leif', 'lief', 'life'], 'leila': ['allie', 'leila', 'lelia'], 'leipoa': ['apiole', 'leipoa'], 'leisten': ['leisten', 'setline', 'tensile'], 'leister': ['leister', 'sterile'], 'leith': ['leith', 'lithe'], 'leitneria': ['leitneria', 'lienteria'], 'lek': ['elk', 'lek'], 'lekach': ['hackle', 'lekach'], 'lekane': ['alkene', 'lekane'], 'lelia': ['allie', 'leila', 'lelia'], 'leman': ['leman', 'lemna'], 'lemma': ['lemma', 'melam'], 'lemna': ['leman', 'lemna'], 'lemnad': ['lemnad', 'menald'], 'lemnian': ['lemnian', 'lineman', 'melanin'], 'lemniscate': ['centesimal', 'lemniscate'], 'lemon': ['lemon', 'melon', 'monel'], 'lemonias': ['laminose', 'lemonias', 'semolina'], 'lemonlike': ['lemonlike', 'melonlike'], 'lemony': ['lemony', 'myelon'], 'lemosi': ['lemosi', 'limose', 'moiles'], 'lempira': ['impaler', 'impearl', 'lempira', 'premial'], 'lemuria': ['lemuria', 'miauler'], 'lemurian': ['lemurian', 'malurine', 'rumelian'], 'lemurinae': ['lemurinae', 'neurilema'], 'lemurine': ['lemurine', 'meruline', 'relumine'], 'lena': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lenad': ['eland', 'laden', 'lenad'], 'lenape': ['alpeen', 'lenape', 'pelean'], 'lenard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'lenca': ['canel', 'clean', 'lance', 'lenca'], 'lencan': ['cannel', 'lencan'], 'lendee': ['lendee', 'needle'], 'lender': ['lender', 'relend'], 'lendu': ['lendu', 'unled'], 'lengthy': ['lengthy', 'thegnly'], 'lenient': ['lenient', 'tenline'], 'lenify': ['finely', 'lenify'], 'lenis': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'lenity': ['lenity', 'yetlin'], 'lenny': ['lenny', 'lynne'], 'leno': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'lenora': ['lenora', 'loaner', 'orlean', 'reloan'], 'lenticel': ['lenticel', 'lenticle'], 'lenticle': ['lenticel', 'lenticle'], 'lentil': ['lentil', 'lintel'], 'lentisc': ['lentisc', 'scintle', 'stencil'], 'lentisco': ['lentisco', 'telsonic'], 'lentiscus': ['lentiscus', 'tunicless'], 'lento': ['lento', 'olent'], 'lentous': ['lentous', 'sultone'], 'lenvoy': ['lenvoy', 'ovenly'], 'leo': ['leo', 'ole'], 'leon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'leonard': ['endoral', 'ladrone', 'leonard'], 'leonhardite': ['leonhardite', 'lionhearted'], 'leonid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'leonines': ['leonines', 'selenion'], 'leonis': ['insole', 'leonis', 'lesion', 'selion'], 'leonist': ['leonist', 'onliest'], 'leonite': ['elonite', 'leonite'], 'leonotis': ['leonotis', 'oilstone'], 'leoparde': ['leoparde', 'reapdole'], 'leopardite': ['leopardite', 'protelidae'], 'leotard': ['delator', 'leotard'], 'lepa': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'lepanto': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'lepas': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lepcha': ['chapel', 'lepcha', 'pleach'], 'leper': ['leper', 'perle', 'repel'], 'leperdom': ['leperdom', 'premodel'], 'lepidopter': ['dopplerite', 'lepidopter'], 'lepidosauria': ['lepidosauria', 'pliosauridae'], 'lepidote': ['lepidote', 'petioled'], 'lepidotic': ['diploetic', 'lepidotic'], 'lepisma': ['ampelis', 'lepisma'], 'leporid': ['leporid', 'leproid'], 'leporis': ['leporis', 'spoiler'], 'lepra': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'leproid': ['leporid', 'leproid'], 'leproma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'leprosied': ['despoiler', 'leprosied'], 'leprosis': ['leprosis', 'plerosis'], 'leprous': ['leprous', 'pelorus', 'sporule'], 'leptandra': ['leptandra', 'peltandra'], 'leptidae': ['depilate', 'leptidae', 'pileated'], 'leptiform': ['leptiform', 'peltiform'], 'leptodora': ['doorplate', 'leptodora'], 'leptome': ['leptome', 'poemlet'], 'lepton': ['lepton', 'pentol'], 'leptonema': ['leptonema', 'ptolemean'], 'leptorchis': ['lectorship', 'leptorchis'], 'lepus': ['lepus', 'pulse'], 'ler': ['ler', 'rel'], 'lernaean': ['annealer', 'lernaean', 'reanneal'], 'lerot': ['lerot', 'orlet', 'relot'], 'lerwa': ['lerwa', 'waler'], 'les': ['els', 'les'], 'lesath': ['haslet', 'lesath', 'shelta'], 'lesbia': ['isabel', 'lesbia'], 'lesche': ['lesche', 'sleech'], 'lesion': ['insole', 'leonis', 'lesion', 'selion'], 'lesional': ['lesional', 'solenial'], 'leslie': ['leslie', 'sellie'], 'lessener': ['leerness', 'lessener'], 'lest': ['lest', 'selt'], 'lester': ['lester', 'selter', 'streel'], 'let': ['elt', 'let'], 'letchy': ['lecyth', 'letchy'], 'lete': ['leet', 'lete', 'teel', 'tele'], 'lethargus': ['lethargus', 'slaughter'], 'lethe': ['ethel', 'lethe'], 'lethean': ['entheal', 'lethean'], 'lethologica': ['ethological', 'lethologica', 'theological'], 'letitia': ['italite', 'letitia', 'tilaite'], 'leto': ['leto', 'lote', 'tole'], 'letoff': ['letoff', 'offlet'], 'lett': ['lett', 'telt'], 'letten': ['letten', 'nettle'], 'letterer': ['letterer', 'reletter'], 'lettish': ['lettish', 'thistle'], 'lettrin': ['lettrin', 'trintle'], 'leu': ['leu', 'lue', 'ule'], 'leucadian': ['leucadian', 'lucanidae'], 'leucocism': ['leucocism', 'muscicole'], 'leucoma': ['caulome', 'leucoma'], 'leucosis': ['coulisse', 'leucosis', 'ossicule'], 'leud': ['deul', 'duel', 'leud'], 'leuk': ['leuk', 'luke'], 'leuma': ['amelu', 'leuma', 'ulema'], 'leung': ['leung', 'lunge'], 'levance': ['enclave', 'levance', 'valence'], 'levant': ['levant', 'valent'], 'levanter': ['levanter', 'relevant', 'revelant'], 'levantine': ['levantine', 'valentine'], 'leveler': ['leveler', 'relevel'], 'lever': ['elver', 'lever', 'revel'], 'leverer': ['leverer', 'reveler'], 'levi': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'levier': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'levigate': ['legative', 'levigate'], 'levin': ['levin', 'liven'], 'levining': ['levining', 'nievling'], 'levir': ['levir', 'liver', 'livre', 'rivel'], 'levirate': ['levirate', 'relative'], 'levis': ['elvis', 'levis', 'slive'], 'levitation': ['levitation', 'tonalitive', 'velitation'], 'levo': ['levo', 'love', 'velo', 'vole'], 'levyist': ['levyist', 'sylvite'], 'lewd': ['lewd', 'weld'], 'lewis': ['lewis', 'swile'], 'lexia': ['axile', 'lexia'], 'ley': ['ley', 'lye'], 'lhota': ['altho', 'lhota', 'loath'], 'liability': ['alibility', 'liability'], 'liable': ['alible', 'belial', 'labile', 'liable'], 'liana': ['alain', 'alani', 'liana'], 'liang': ['algin', 'align', 'langi', 'liang', 'linga'], 'liar': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'liard': ['drail', 'laird', 'larid', 'liard'], 'lias': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'liatris': ['liatris', 'trilisa'], 'libament': ['bailment', 'libament'], 'libate': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'libationer': ['libationer', 'liberation'], 'libber': ['libber', 'ribble'], 'libby': ['bilby', 'libby'], 'libellary': ['libellary', 'liberally'], 'liber': ['birle', 'liber'], 'liberal': ['braille', 'liberal'], 'liberally': ['libellary', 'liberally'], 'liberate': ['iterable', 'liberate'], 'liberation': ['libationer', 'liberation'], 'liberator': ['liberator', 'orbitelar'], 'liberian': ['bilinear', 'liberian'], 'libertas': ['abristle', 'libertas'], 'libertine': ['berlinite', 'libertine'], 'libra': ['blair', 'brail', 'libra'], 'librate': ['betrail', 'librate', 'triable', 'trilabe'], 'licania': ['lacinia', 'licania'], 'license': ['license', 'selenic', 'silence'], 'licensed': ['licensed', 'silenced'], 'licenser': ['licenser', 'silencer'], 'licensor': ['cresolin', 'licensor'], 'lich': ['chil', 'lich'], 'lichanos': ['lichanos', 'nicholas'], 'lichenoid': ['cheloniid', 'lichenoid'], 'lichi': ['chili', 'lichi'], 'licitation': ['latticinio', 'licitation'], 'licker': ['licker', 'relick', 'rickle'], 'lickspit': ['lickspit', 'lipstick'], 'licorne': ['creolin', 'licorne', 'locrine'], 'lida': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lidded': ['diddle', 'lidded'], 'lidder': ['lidder', 'riddel', 'riddle'], 'lide': ['idle', 'lide', 'lied'], 'lie': ['eli', 'lei', 'lie'], 'lied': ['idle', 'lide', 'lied'], 'lief': ['feil', 'file', 'leif', 'lief', 'life'], 'lien': ['lien', 'line', 'neil', 'nile'], 'lienal': ['lienal', 'lineal'], 'lienee': ['eileen', 'lienee'], 'lienor': ['elinor', 'lienor', 'lorien', 'noiler'], 'lienteria': ['leitneria', 'lienteria'], 'lientery': ['entirely', 'lientery'], 'lier': ['lier', 'lire', 'rile'], 'lierne': ['lierne', 'reline'], 'lierre': ['lierre', 'relier'], 'liesh': ['liesh', 'shiel'], 'lievaart': ['lievaart', 'varietal'], 'life': ['feil', 'file', 'leif', 'lief', 'life'], 'lifelike': ['filelike', 'lifelike'], 'lifer': ['filer', 'flier', 'lifer', 'rifle'], 'lifeward': ['drawfile', 'lifeward'], 'lifo': ['filo', 'foil', 'lifo'], 'lift': ['flit', 'lift'], 'lifter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'lifting': ['fliting', 'lifting'], 'ligament': ['ligament', 'metaling', 'tegminal'], 'ligas': ['gisla', 'ligas', 'sigla'], 'ligate': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ligation': ['intaglio', 'ligation'], 'ligator': ['goitral', 'larigot', 'ligator'], 'ligature': ['alurgite', 'ligature'], 'lighten': ['enlight', 'lighten'], 'lightener': ['lightener', 'relighten', 'threeling'], 'lighter': ['lighter', 'relight', 'rightle'], 'lighthead': ['headlight', 'lighthead'], 'lightness': ['lightness', 'nightless', 'thingless'], 'ligne': ['ingle', 'ligne', 'linge', 'nigel'], 'lignin': ['lignin', 'lining'], 'lignitic': ['lignitic', 'tiglinic'], 'lignose': ['gelosin', 'lignose'], 'ligroine': ['ligroine', 'religion'], 'ligure': ['ligure', 'reguli'], 'lija': ['jail', 'lija'], 'like': ['kiel', 'like'], 'liken': ['inkle', 'liken'], 'likewise': ['likewise', 'wiselike'], 'lilac': ['calli', 'lilac'], 'lilacky': ['alkylic', 'lilacky'], 'lilium': ['illium', 'lilium'], 'lilt': ['lilt', 'till'], 'lily': ['illy', 'lily', 'yill'], 'lim': ['lim', 'mil'], 'lima': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'limacina': ['animalic', 'limacina'], 'limacon': ['limacon', 'malonic'], 'liman': ['lamin', 'liman', 'milan'], 'limation': ['limation', 'miltonia'], 'limbat': ['limbat', 'timbal'], 'limbate': ['limbate', 'timable', 'timbale'], 'limbed': ['dimble', 'limbed'], 'limbus': ['bluism', 'limbus'], 'limby': ['blimy', 'limby'], 'lime': ['emil', 'lime', 'mile'], 'limean': ['limean', 'maline', 'melian', 'menial'], 'limeman': ['ammelin', 'limeman'], 'limer': ['limer', 'meril', 'miler'], 'limes': ['limes', 'miles', 'slime', 'smile'], 'limestone': ['limestone', 'melonites', 'milestone'], 'limey': ['elymi', 'emily', 'limey'], 'liminess': ['liminess', 'senilism'], 'limitary': ['limitary', 'military'], 'limitate': ['limitate', 'militate'], 'limitation': ['limitation', 'militation'], 'limited': ['delimit', 'limited'], 'limiter': ['limiter', 'relimit'], 'limitless': ['limitless', 'semistill'], 'limner': ['limner', 'merlin', 'milner'], 'limnetic': ['limnetic', 'milicent'], 'limoniad': ['dominial', 'imolinda', 'limoniad'], 'limosa': ['limosa', 'somali'], 'limose': ['lemosi', 'limose', 'moiles'], 'limp': ['limp', 'pilm', 'plim'], 'limper': ['limper', 'prelim', 'rimple'], 'limping': ['impling', 'limping'], 'limpsy': ['limpsy', 'simply'], 'limpy': ['imply', 'limpy', 'pilmy'], 'limsy': ['limsy', 'slimy', 'smily'], 'lin': ['lin', 'nil'], 'lina': ['alin', 'anil', 'lain', 'lina', 'nail'], 'linaga': ['agnail', 'linaga'], 'linage': ['algine', 'genial', 'linage'], 'linamarin': ['laminarin', 'linamarin'], 'linarite': ['inertial', 'linarite'], 'linchet': ['linchet', 'tinchel'], 'linctus': ['clunist', 'linctus'], 'linda': ['danli', 'ladin', 'linda', 'nidal'], 'lindane': ['annelid', 'lindane'], 'linder': ['linder', 'rindle'], 'lindoite': ['lindoite', 'tolidine'], 'lindsay': ['islandy', 'lindsay'], 'line': ['lien', 'line', 'neil', 'nile'], 'linea': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'lineal': ['lienal', 'lineal'], 'lineament': ['lineament', 'manteline'], 'linear': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'linearity': ['inreality', 'linearity'], 'lineate': ['elatine', 'lineate'], 'lineature': ['lineature', 'rutelinae'], 'linecut': ['linecut', 'tunicle'], 'lined': ['eldin', 'lined'], 'lineman': ['lemnian', 'lineman', 'melanin'], 'linen': ['linen', 'linne'], 'linesman': ['annelism', 'linesman'], 'linet': ['inlet', 'linet'], 'linga': ['algin', 'align', 'langi', 'liang', 'linga'], 'lingbird': ['birdling', 'bridling', 'lingbird'], 'linge': ['ingle', 'ligne', 'linge', 'nigel'], 'linger': ['linger', 'ringle'], 'lingo': ['lingo', 'login'], 'lingtow': ['lingtow', 'twoling'], 'lingua': ['gaulin', 'lingua'], 'lingual': ['lingual', 'lingula'], 'linguidental': ['dentilingual', 'indulgential', 'linguidental'], 'lingula': ['lingual', 'lingula'], 'linguodental': ['dentolingual', 'linguodental'], 'lingy': ['lingy', 'lying'], 'linha': ['linha', 'nihal'], 'lining': ['lignin', 'lining'], 'link': ['kiln', 'link'], 'linked': ['kindle', 'linked'], 'linker': ['linker', 'relink'], 'linking': ['inkling', 'linking'], 'linkman': ['kilnman', 'linkman'], 'links': ['links', 'slink'], 'linnaea': ['alanine', 'linnaea'], 'linnaean': ['annaline', 'linnaean'], 'linne': ['linen', 'linne'], 'linnet': ['linnet', 'linten'], 'lino': ['lino', 'lion', 'loin', 'noil'], 'linolenic': ['encinillo', 'linolenic'], 'linometer': ['linometer', 'nilometer'], 'linopteris': ['linopteris', 'prosilient'], 'linous': ['insoul', 'linous', 'nilous', 'unsoil'], 'linsey': ['linsey', 'lysine'], 'linstock': ['coltskin', 'linstock'], 'lintel': ['lentil', 'lintel'], 'linten': ['linnet', 'linten'], 'lintseed': ['enlisted', 'lintseed'], 'linum': ['linum', 'ulmin'], 'linus': ['linus', 'sunil'], 'liny': ['inly', 'liny'], 'lion': ['lino', 'lion', 'loin', 'noil'], 'lioncel': ['colline', 'lioncel'], 'lionel': ['lionel', 'niello'], 'lionet': ['entoil', 'lionet'], 'lionhearted': ['leonhardite', 'lionhearted'], 'lipa': ['lipa', 'pail', 'pali', 'pial'], 'lipan': ['lipan', 'pinal', 'plain'], 'liparis': ['aprilis', 'liparis'], 'liparite': ['liparite', 'reptilia'], 'liparous': ['liparous', 'pliosaur'], 'lipase': ['espial', 'lipase', 'pelias'], 'lipin': ['lipin', 'pilin'], 'liplet': ['liplet', 'pillet'], 'lipochondroma': ['chondrolipoma', 'lipochondroma'], 'lipoclasis': ['calliopsis', 'lipoclasis'], 'lipocyte': ['epicotyl', 'lipocyte'], 'lipofibroma': ['fibrolipoma', 'lipofibroma'], 'lipolytic': ['lipolytic', 'politicly'], 'lipoma': ['lipoma', 'pimola', 'ploima'], 'lipomyoma': ['lipomyoma', 'myolipoma'], 'lipomyxoma': ['lipomyxoma', 'myxolipoma'], 'liposis': ['liposis', 'pilosis'], 'lipotype': ['lipotype', 'polypite'], 'lippen': ['lippen', 'nipple'], 'lipper': ['lipper', 'ripple'], 'lippia': ['lippia', 'pilpai'], 'lipsanotheca': ['lipsanotheca', 'sphacelation'], 'lipstick': ['lickspit', 'lipstick'], 'liquate': ['liquate', 'tequila'], 'liquidate': ['liquidate', 'qualitied'], 'lira': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lirate': ['lirate', 'retail', 'retial', 'tailer'], 'liration': ['liration', 'litorina'], 'lire': ['lier', 'lire', 'rile'], 'lis': ['lis', 'sil'], 'lisa': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lise': ['isle', 'lise', 'sile'], 'lisere': ['lisere', 'resile'], 'lisk': ['lisk', 'silk', 'skil'], 'lisle': ['lisle', 'selli'], 'lisp': ['lisp', 'slip'], 'lisper': ['lisper', 'pliers', 'sirple', 'spiler'], 'list': ['list', 'silt', 'slit'], 'listable': ['bastille', 'listable'], 'listen': ['enlist', 'listen', 'silent', 'tinsel'], 'listener': ['enlister', 'esterlin', 'listener', 'relisten'], 'lister': ['lister', 'relist'], 'listera': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'listerian': ['listerian', 'trisilane'], 'listerine': ['listerine', 'resilient'], 'listerize': ['listerize', 'sterilize'], 'listing': ['listing', 'silting'], 'listless': ['listless', 'slitless'], 'lisuarte': ['auletris', 'lisuarte'], 'lit': ['lit', 'til'], 'litas': ['alist', 'litas', 'slait', 'talis'], 'litchi': ['litchi', 'lithic'], 'lite': ['lite', 'teil', 'teli', 'tile'], 'liter': ['liter', 'tiler'], 'literal': ['literal', 'tallier'], 'literary': ['literary', 'trailery'], 'literate': ['laterite', 'literate', 'teretial'], 'literose': ['literose', 'roselite', 'tirolese'], 'lith': ['hilt', 'lith'], 'litharge': ['litharge', 'thirlage'], 'lithe': ['leith', 'lithe'], 'lithectomy': ['lithectomy', 'methylotic'], 'lithic': ['litchi', 'lithic'], 'litho': ['litho', 'thiol', 'tholi'], 'lithochromography': ['chromolithography', 'lithochromography'], 'lithocyst': ['cystolith', 'lithocyst'], 'lithonephria': ['lithonephria', 'philotherian'], 'lithonephrotomy': ['lithonephrotomy', 'nephrolithotomy'], 'lithophane': ['anthophile', 'lithophane'], 'lithophone': ['lithophone', 'thiophenol'], 'lithophotography': ['lithophotography', 'photolithography'], 'lithophysal': ['isophthalyl', 'lithophysal'], 'lithopone': ['lithopone', 'phonolite'], 'lithous': ['lithous', 'loutish'], 'litigate': ['litigate', 'tagilite'], 'litmus': ['litmus', 'tilmus'], 'litorina': ['liration', 'litorina'], 'litorinidae': ['idioretinal', 'litorinidae'], 'litra': ['litra', 'trail', 'trial'], 'litsea': ['isleta', 'litsea', 'salite', 'stelai'], 'litster': ['litster', 'slitter', 'stilter', 'testril'], 'litten': ['litten', 'tinlet'], 'litter': ['litter', 'tilter', 'titler'], 'littery': ['littery', 'tritely'], 'littoral': ['littoral', 'tortilla'], 'lituiform': ['lituiform', 'trifolium'], 'litus': ['litus', 'sluit', 'tulsi'], 'live': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'lived': ['devil', 'divel', 'lived'], 'livedo': ['livedo', 'olived'], 'liveliness': ['liveliness', 'villeiness'], 'livelong': ['livelong', 'loveling'], 'lively': ['evilly', 'lively', 'vilely'], 'liven': ['levin', 'liven'], 'liveness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'liver': ['levir', 'liver', 'livre', 'rivel'], 'livered': ['deliver', 'deviler', 'livered'], 'livery': ['livery', 'verily'], 'livier': ['livier', 'virile'], 'livonian': ['livonian', 'violanin'], 'livre': ['levir', 'liver', 'livre', 'rivel'], 'liwan': ['inlaw', 'liwan'], 'llandeilo': ['diallelon', 'llandeilo'], 'llew': ['llew', 'well'], 'lloyd': ['dolly', 'lloyd'], 'loa': ['alo', 'lao', 'loa'], 'loach': ['chola', 'loach', 'olcha'], 'load': ['alod', 'dola', 'load', 'odal'], 'loaden': ['enodal', 'loaden'], 'loader': ['loader', 'ordeal', 'reload'], 'loading': ['angloid', 'loading'], 'loaf': ['foal', 'loaf', 'olaf'], 'loam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'loaminess': ['loaminess', 'melanosis'], 'loaming': ['almoign', 'loaming'], 'loamy': ['amylo', 'loamy'], 'loaner': ['lenora', 'loaner', 'orlean', 'reloan'], 'loasa': ['alosa', 'loasa', 'oasal'], 'loath': ['altho', 'lhota', 'loath'], 'loather': ['loather', 'rathole'], 'loathly': ['loathly', 'tallyho'], 'lob': ['blo', 'lob'], 'lobar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'lobate': ['lobate', 'oblate'], 'lobated': ['bloated', 'lobated'], 'lobately': ['lobately', 'oblately'], 'lobation': ['boltonia', 'lobation', 'oblation'], 'lobe': ['bleo', 'bole', 'lobe'], 'lobed': ['bodle', 'boled', 'lobed'], 'lobelet': ['bellote', 'lobelet'], 'lobelia': ['bolelia', 'lobelia', 'obelial'], 'lobing': ['globin', 'goblin', 'lobing'], 'lobo': ['bolo', 'bool', 'lobo', 'obol'], 'lobola': ['balolo', 'lobola'], 'lobscourse': ['lobscourse', 'lobscouser'], 'lobscouser': ['lobscourse', 'lobscouser'], 'lobster': ['bolster', 'lobster'], 'loca': ['alco', 'coal', 'cola', 'loca'], 'local': ['callo', 'colla', 'local'], 'locanda': ['acnodal', 'canadol', 'locanda'], 'locarnite': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'locarnize': ['laconizer', 'locarnize'], 'locarno': ['coronal', 'locarno'], 'locate': ['acetol', 'colate', 'locate'], 'location': ['colation', 'coontail', 'location'], 'locational': ['allocation', 'locational'], 'locator': ['crotalo', 'locator'], 'loch': ['chol', 'loch'], 'lochan': ['chalon', 'lochan'], 'lochetic': ['helcotic', 'lochetic', 'ochletic'], 'lochus': ['holcus', 'lochus', 'slouch'], 'loci': ['clio', 'coil', 'coli', 'loci'], 'lociation': ['coalition', 'lociation'], 'lock': ['colk', 'lock'], 'locker': ['locker', 'relock'], 'lockpin': ['lockpin', 'pinlock'], 'lockram': ['lockram', 'marlock'], 'lockspit': ['lockspit', 'lopstick'], 'lockup': ['lockup', 'uplock'], 'loco': ['cool', 'loco'], 'locoweed': ['coolweed', 'locoweed'], 'locrian': ['carolin', 'clarion', 'colarin', 'locrian'], 'locrine': ['creolin', 'licorne', 'locrine'], 'loculate': ['allocute', 'loculate'], 'loculation': ['allocution', 'loculation'], 'locum': ['cumol', 'locum'], 'locusta': ['costula', 'locusta', 'talcous'], 'lod': ['dol', 'lod', 'old'], 'lode': ['dole', 'elod', 'lode', 'odel'], 'lodesman': ['dolesman', 'lodesman'], 'lodgeman': ['angeldom', 'lodgeman'], 'lodger': ['golder', 'lodger'], 'lodging': ['godling', 'lodging'], 'loess': ['loess', 'soles'], 'loessic': ['loessic', 'ossicle'], 'lof': ['flo', 'lof'], 'loft': ['flot', 'loft'], 'lofter': ['floret', 'forlet', 'lofter', 'torfel'], 'lofty': ['lofty', 'oftly'], 'log': ['gol', 'log'], 'logania': ['alogian', 'logania'], 'logarithm': ['algorithm', 'logarithm'], 'logarithmic': ['algorithmic', 'logarithmic'], 'loge': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'logger': ['logger', 'roggle'], 'logicalist': ['logicalist', 'logistical'], 'logicist': ['logicist', 'logistic'], 'login': ['lingo', 'login'], 'logistic': ['logicist', 'logistic'], 'logistical': ['logicalist', 'logistical'], 'logistics': ['glossitic', 'logistics'], 'logman': ['amlong', 'logman'], 'logographic': ['graphologic', 'logographic'], 'logographical': ['graphological', 'logographical'], 'logography': ['graphology', 'logography'], 'logoi': ['igloo', 'logoi'], 'logometrical': ['logometrical', 'metrological'], 'logos': ['gools', 'logos'], 'logotypy': ['logotypy', 'typology'], 'logria': ['gloria', 'larigo', 'logria'], 'logy': ['gloy', 'logy'], 'lohar': ['horal', 'lohar'], 'loin': ['lino', 'lion', 'loin', 'noil'], 'loined': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'loir': ['loir', 'lori', 'roil'], 'lois': ['lois', 'silo', 'siol', 'soil', 'soli'], 'loiter': ['loiter', 'toiler', 'triole'], 'loka': ['kalo', 'kola', 'loka'], 'lokao': ['lokao', 'oolak'], 'loke': ['koel', 'loke'], 'loket': ['ketol', 'loket'], 'lola': ['lalo', 'lola', 'olla'], 'loma': ['loam', 'loma', 'malo', 'mola', 'olam'], 'lomatine': ['lomatine', 'tolamine'], 'lombardian': ['laminboard', 'lombardian'], 'lomboy': ['bloomy', 'lomboy'], 'loment': ['loment', 'melton', 'molten'], 'lomentaria': ['ameliorant', 'lomentaria'], 'lomita': ['lomita', 'tomial'], 'lone': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'longa': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'longanimous': ['longanimous', 'longimanous'], 'longbeard': ['boglander', 'longbeard'], 'longear': ['argenol', 'longear'], 'longhead': ['headlong', 'longhead'], 'longimanous': ['longanimous', 'longimanous'], 'longimetry': ['longimetry', 'mongrelity'], 'longmouthed': ['goldenmouth', 'longmouthed'], 'longue': ['longue', 'lounge'], 'lonicera': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'lontar': ['latron', 'lontar', 'tornal'], 'looby': ['booly', 'looby'], 'lood': ['dool', 'lood'], 'loof': ['fool', 'loof', 'olof'], 'look': ['kolo', 'look'], 'looker': ['looker', 'relook'], 'lookout': ['lookout', 'outlook'], 'loom': ['loom', 'mool'], 'loon': ['loon', 'nolo'], 'loop': ['loop', 'polo', 'pool'], 'looper': ['looper', 'pooler'], 'loopist': ['loopist', 'poloist', 'topsoil'], 'loopy': ['loopy', 'pooly'], 'loosing': ['loosing', 'sinolog'], 'loot': ['loot', 'tool'], 'looter': ['looter', 'retool', 'rootle', 'tooler'], 'lootie': ['lootie', 'oolite'], 'lop': ['lop', 'pol'], 'lope': ['lope', 'olpe', 'pole'], 'loper': ['loper', 'poler'], 'lopezia': ['epizoal', 'lopezia', 'opalize'], 'lophine': ['lophine', 'pinhole'], 'lophocomi': ['homopolic', 'lophocomi'], 'loppet': ['loppet', 'topple'], 'loppy': ['loppy', 'polyp'], 'lopstick': ['lockspit', 'lopstick'], 'loquacious': ['aquicolous', 'loquacious'], 'lora': ['lora', 'oral'], 'lorandite': ['lorandite', 'rodential'], 'lorate': ['elator', 'lorate'], 'lorcha': ['choral', 'lorcha'], 'lordly': ['drolly', 'lordly'], 'lore': ['lore', 'orle', 'role'], 'lored': ['lored', 'older'], 'loren': ['enrol', 'loren'], 'lori': ['loir', 'lori', 'roil'], 'lorica': ['caroli', 'corial', 'lorica'], 'loricate': ['calorite', 'erotical', 'loricate'], 'loricati': ['clitoria', 'loricati'], 'lorien': ['elinor', 'lienor', 'lorien', 'noiler'], 'loro': ['loro', 'olor', 'orlo', 'rool'], 'lose': ['lose', 'sloe', 'sole'], 'loser': ['loser', 'orsel', 'rosel', 'soler'], 'lost': ['lost', 'lots', 'slot'], 'lot': ['lot', 'tol'], 'lota': ['alto', 'lota'], 'lotase': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'lote': ['leto', 'lote', 'tole'], 'lotic': ['cloit', 'lotic'], 'lotrite': ['lotrite', 'tortile', 'triolet'], 'lots': ['lost', 'lots', 'slot'], 'lotta': ['lotta', 'total'], 'lotter': ['lotter', 'rottle', 'tolter'], 'lottie': ['lottie', 'toilet', 'tolite'], 'lou': ['lou', 'luo'], 'loud': ['loud', 'ludo'], 'louden': ['louden', 'nodule'], 'lough': ['ghoul', 'lough'], 'lounder': ['durenol', 'lounder', 'roundel'], 'lounge': ['longue', 'lounge'], 'loupe': ['epulo', 'loupe'], 'lourdy': ['dourly', 'lourdy'], 'louse': ['eusol', 'louse'], 'lousy': ['lousy', 'souly'], 'lout': ['lout', 'tolu'], 'louter': ['elutor', 'louter', 'outler'], 'loutish': ['lithous', 'loutish'], 'louty': ['louty', 'outly'], 'louvar': ['louvar', 'ovular'], 'louver': ['louver', 'louvre'], 'louvre': ['louver', 'louvre'], 'lovable': ['lovable', 'volable'], 'lovage': ['lovage', 'volage'], 'love': ['levo', 'love', 'velo', 'vole'], 'loveling': ['livelong', 'loveling'], 'lovely': ['lovely', 'volley'], 'lovering': ['lovering', 'overling'], 'low': ['low', 'lwo', 'owl'], 'lowa': ['alow', 'awol', 'lowa'], 'lowder': ['lowder', 'weldor', 'wordle'], 'lower': ['lower', 'owler', 'rowel'], 'lowerer': ['lowerer', 'relower'], 'lowery': ['lowery', 'owlery', 'rowley', 'yowler'], 'lowish': ['lowish', 'owlish'], 'lowishly': ['lowishly', 'owlishly', 'sillyhow'], 'lowishness': ['lowishness', 'owlishness'], 'lowy': ['lowy', 'owly', 'yowl'], 'loyal': ['alloy', 'loyal'], 'loyalism': ['loyalism', 'lysiloma'], 'loyd': ['loyd', 'odyl'], 'luba': ['balu', 'baul', 'bual', 'luba'], 'lubber': ['burble', 'lubber', 'rubble'], 'lubberland': ['landlubber', 'lubberland'], 'lube': ['blue', 'lube'], 'lucan': ['lucan', 'nucal'], 'lucania': ['lucania', 'luciana'], 'lucanid': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucanidae': ['leucadian', 'lucanidae'], 'lucarne': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'lucban': ['buncal', 'lucban'], 'luce': ['clue', 'luce'], 'luceres': ['luceres', 'recluse'], 'lucern': ['encurl', 'lucern'], 'lucernal': ['lucernal', 'nucellar', 'uncellar'], 'lucet': ['culet', 'lucet'], 'lucia': ['aulic', 'lucia'], 'lucian': ['cunila', 'lucian', 'lucina', 'uncial'], 'luciana': ['lucania', 'luciana'], 'lucifer': ['ferulic', 'lucifer'], 'lucigen': ['glucine', 'lucigen'], 'lucina': ['cunila', 'lucian', 'lucina', 'uncial'], 'lucinda': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucinoid': ['lucinoid', 'oculinid'], 'lucite': ['lucite', 'luetic', 'uletic'], 'lucrative': ['lucrative', 'revictual', 'victualer'], 'lucre': ['cruel', 'lucre', 'ulcer'], 'lucretia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'lucretian': ['centurial', 'lucretian', 'ultranice'], 'luctiferous': ['fruticulose', 'luctiferous'], 'lucubrate': ['lucubrate', 'tubercula'], 'ludden': ['ludden', 'nuddle'], 'luddite': ['diluted', 'luddite'], 'ludian': ['dualin', 'ludian', 'unlaid'], 'ludibry': ['buirdly', 'ludibry'], 'ludicroserious': ['ludicroserious', 'serioludicrous'], 'ludo': ['loud', 'ludo'], 'lue': ['leu', 'lue', 'ule'], 'lues': ['lues', 'slue'], 'luetic': ['lucite', 'luetic', 'uletic'], 'lug': ['gul', 'lug'], 'luge': ['glue', 'gule', 'luge'], 'luger': ['gluer', 'gruel', 'luger'], 'lugger': ['gurgle', 'lugger', 'ruggle'], 'lugnas': ['lugnas', 'salung'], 'lugsome': ['glumose', 'lugsome'], 'luian': ['inula', 'luian', 'uinal'], 'luiseno': ['elusion', 'luiseno'], 'luite': ['luite', 'utile'], 'lukas': ['klaus', 'lukas', 'sulka'], 'luke': ['leuk', 'luke'], 'lula': ['lula', 'ulla'], 'lulab': ['bulla', 'lulab'], 'lumbar': ['brumal', 'labrum', 'lumbar', 'umbral'], 'lumber': ['lumber', 'rumble', 'umbrel'], 'lumbosacral': ['lumbosacral', 'sacrolumbal'], 'lumine': ['lumine', 'unlime'], 'lump': ['lump', 'plum'], 'lumper': ['lumper', 'plumer', 'replum', 'rumple'], 'lumpet': ['lumpet', 'plumet'], 'lumpiness': ['lumpiness', 'pluminess'], 'lumpy': ['lumpy', 'plumy'], 'luna': ['laun', 'luna', 'ulna', 'unal'], 'lunacy': ['lunacy', 'unclay'], 'lunar': ['lunar', 'ulnar', 'urnal'], 'lunare': ['lunare', 'neural', 'ulnare', 'unreal'], 'lunaria': ['lunaria', 'ulnaria', 'uralian'], 'lunary': ['lunary', 'uranyl'], 'lunatic': ['calinut', 'lunatic'], 'lunation': ['lunation', 'ultonian'], 'lunda': ['dunal', 'laund', 'lunda', 'ulnad'], 'lung': ['gunl', 'lung'], 'lunge': ['leung', 'lunge'], 'lunged': ['gulden', 'lunged'], 'lungfish': ['flushing', 'lungfish'], 'lungsick': ['lungsick', 'suckling'], 'lunisolar': ['lunisolar', 'solilunar'], 'luo': ['lou', 'luo'], 'lupe': ['lupe', 'pelu', 'peul', 'pule'], 'luperci': ['luperci', 'pleuric'], 'lupicide': ['lupicide', 'pediculi', 'pulicide'], 'lupinaster': ['lupinaster', 'palustrine'], 'lupine': ['lupine', 'unpile', 'upline'], 'lupinus': ['lupinus', 'pinulus'], 'lupis': ['lupis', 'pilus'], 'lupous': ['lupous', 'opulus'], 'lura': ['alur', 'laur', 'lura', 'raul', 'ural'], 'lurch': ['churl', 'lurch'], 'lure': ['lure', 'rule'], 'lurer': ['lurer', 'ruler'], 'lurg': ['gurl', 'lurg'], 'luringly': ['luringly', 'rulingly'], 'luscinia': ['luscinia', 'siculian'], 'lush': ['lush', 'shlu', 'shul'], 'lusher': ['lusher', 'shuler'], 'lushly': ['hyllus', 'lushly'], 'lushness': ['lushness', 'shunless'], 'lusian': ['insula', 'lanius', 'lusian'], 'lusk': ['lusk', 'sulk'], 'lusky': ['lusky', 'sulky'], 'lusory': ['lusory', 'sourly'], 'lust': ['lust', 'slut'], 'luster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'lusterless': ['lusterless', 'lustreless', 'resultless'], 'lustihead': ['hastilude', 'lustihead'], 'lustreless': ['lusterless', 'lustreless', 'resultless'], 'lustrine': ['insulter', 'lustrine', 'reinsult'], 'lustring': ['lustring', 'rustling'], 'lusty': ['lusty', 'tylus'], 'lutaceous': ['cautelous', 'lutaceous'], 'lutany': ['auntly', 'lutany'], 'lutayo': ['layout', 'lutayo', 'outlay'], 'lute': ['lute', 'tule'], 'luteal': ['alulet', 'luteal'], 'lutecia': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'lutecium': ['cumulite', 'lutecium'], 'lutein': ['lutein', 'untile'], 'lutfisk': ['kistful', 'lutfisk'], 'luther': ['hurtle', 'luther'], 'lutheran': ['lutheran', 'unhalter'], 'lutianoid': ['lutianoid', 'nautiloid'], 'lutianus': ['lutianus', 'nautilus', 'ustulina'], 'luting': ['glutin', 'luting', 'ungilt'], 'lutose': ['lutose', 'solute', 'tousle'], 'lutra': ['lutra', 'ultra'], 'lutrinae': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'luxe': ['luxe', 'ulex'], 'lwo': ['low', 'lwo', 'owl'], 'lyam': ['amyl', 'lyam', 'myal'], 'lyard': ['daryl', 'lardy', 'lyard'], 'lyas': ['lyas', 'slay'], 'lycaenid': ['adenylic', 'lycaenid'], 'lyceum': ['cymule', 'lyceum'], 'lycopodium': ['lycopodium', 'polycodium'], 'lyctidae': ['diacetyl', 'lyctidae'], 'lyddite': ['lyddite', 'tiddley'], 'lydia': ['daily', 'lydia'], 'lydite': ['idlety', 'lydite', 'tidely', 'tidley'], 'lye': ['ley', 'lye'], 'lying': ['lingy', 'lying'], 'lymnaeid': ['lymnaeid', 'maidenly', 'medianly'], 'lymphadenia': ['lymphadenia', 'nymphalidae'], 'lymphectasia': ['lymphectasia', 'metaphysical'], 'lymphopenia': ['lymphopenia', 'polyphemian'], 'lynne': ['lenny', 'lynne'], 'lyon': ['lyon', 'only'], 'lyophobe': ['hypobole', 'lyophobe'], 'lyra': ['aryl', 'lyra', 'ryal', 'yarl'], 'lyraid': ['aridly', 'lyraid'], 'lyrate': ['lyrate', 'raylet', 'realty', 'telary'], 'lyre': ['lyre', 'rely'], 'lyric': ['cyril', 'lyric'], 'lyrical': ['cyrilla', 'lyrical'], 'lyrid': ['idryl', 'lyrid'], 'lys': ['lys', 'sly'], 'lysander': ['lysander', 'synedral'], 'lysate': ['alytes', 'astely', 'lysate', 'stealy'], 'lyse': ['lyse', 'sley'], 'lysiloma': ['loyalism', 'lysiloma'], 'lysine': ['linsey', 'lysine'], 'lysogenetic': ['cleistogeny', 'lysogenetic'], 'lysogenic': ['glycosine', 'lysogenic'], 'lyssic': ['clysis', 'lyssic'], 'lyterian': ['interlay', 'lyterian'], 'lyxose': ['lyxose', 'xylose'], 'ma': ['am', 'ma'], 'maam': ['amma', 'maam'], 'mab': ['bam', 'mab'], 'maba': ['amba', 'maba'], 'mabel': ['amble', 'belam', 'blame', 'mabel'], 'mabi': ['iamb', 'mabi'], 'mabolo': ['abloom', 'mabolo'], 'mac': ['cam', 'mac'], 'macaca': ['camaca', 'macaca'], 'macaco': ['cocama', 'macaco'], 'macaglia': ['almaciga', 'macaglia'], 'macan': ['caman', 'macan'], 'macanese': ['macanese', 'maecenas'], 'macao': ['acoma', 'macao'], 'macarism': ['macarism', 'marasmic'], 'macaroni': ['armonica', 'macaroni', 'marocain'], 'macaronic': ['carcinoma', 'macaronic'], 'mace': ['acme', 'came', 'mace'], 'macedon': ['conamed', 'macedon'], 'macedonian': ['caedmonian', 'macedonian'], 'macedonic': ['caedmonic', 'macedonic'], 'macer': ['cream', 'macer'], 'macerate': ['camerate', 'macerate', 'racemate'], 'maceration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'machar': ['chamar', 'machar'], 'machi': ['chiam', 'machi', 'micah'], 'machilis': ['chiliasm', 'hilasmic', 'machilis'], 'machinator': ['achromatin', 'chariotman', 'machinator'], 'machine': ['chimane', 'machine'], 'machinery': ['hemicrany', 'machinery'], 'macies': ['camise', 'macies'], 'macigno': ['coaming', 'macigno'], 'macilency': ['cyclamine', 'macilency'], 'macle': ['camel', 'clame', 'cleam', 'macle'], 'maclura': ['maclura', 'macular'], 'maco': ['coma', 'maco'], 'macon': ['coman', 'macon', 'manoc'], 'maconite': ['coinmate', 'maconite'], 'macro': ['carom', 'coram', 'macro', 'marco'], 'macrobian': ['carbamino', 'macrobian'], 'macromazia': ['macromazia', 'macrozamia'], 'macrophage': ['cameograph', 'macrophage'], 'macrophotograph': ['macrophotograph', 'photomacrograph'], 'macrotia': ['aromatic', 'macrotia'], 'macrotin': ['macrotin', 'romantic'], 'macrourid': ['macrourid', 'macruroid'], 'macrourus': ['macrourus', 'macrurous'], 'macrozamia': ['macromazia', 'macrozamia'], 'macruroid': ['macrourid', 'macruroid'], 'macrurous': ['macrourus', 'macrurous'], 'mactra': ['mactra', 'tarmac'], 'macular': ['maclura', 'macular'], 'macule': ['almuce', 'caelum', 'macule'], 'maculose': ['maculose', 'somacule'], 'mad': ['dam', 'mad'], 'madden': ['damned', 'demand', 'madden'], 'maddening': ['demanding', 'maddening'], 'maddeningly': ['demandingly', 'maddeningly'], 'madder': ['dermad', 'madder'], 'made': ['dame', 'made', 'mead'], 'madeira': ['adermia', 'madeira'], 'madeiran': ['madeiran', 'marinade'], 'madeline': ['endemial', 'madeline'], 'madi': ['admi', 'amid', 'madi', 'maid'], 'madia': ['amadi', 'damia', 'madia', 'maida'], 'madiga': ['agamid', 'madiga'], 'madman': ['madman', 'nammad'], 'madnep': ['dampen', 'madnep'], 'madrid': ['madrid', 'riddam'], 'madrier': ['admirer', 'madrier', 'married'], 'madrilene': ['landimere', 'madrilene'], 'madrona': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'madship': ['dampish', 'madship', 'phasmid'], 'madurese': ['madurese', 'measured'], 'mae': ['ame', 'mae'], 'maecenas': ['macanese', 'maecenas'], 'maenad': ['anadem', 'maenad'], 'maenadism': ['maenadism', 'mandaeism'], 'maeonian': ['enomania', 'maeonian'], 'maestri': ['artemis', 'maestri', 'misrate'], 'maestro': ['maestro', 'tarsome'], 'mag': ['gam', 'mag'], 'magadis': ['gamasid', 'magadis'], 'magani': ['angami', 'magani', 'magian'], 'magas': ['agsam', 'magas'], 'mage': ['egma', 'game', 'mage'], 'magenta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magian': ['angami', 'magani', 'magian'], 'magic': ['gamic', 'magic'], 'magister': ['gemarist', 'magister', 'sterigma'], 'magistrate': ['magistrate', 'sterigmata'], 'magma': ['gamma', 'magma'], 'magnate': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnes': ['magnes', 'semang'], 'magneta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnetist': ['agistment', 'magnetist'], 'magneto': ['geomant', 'magneto', 'megaton', 'montage'], 'magnetod': ['magnetod', 'megadont'], 'magnetoelectric': ['electromagnetic', 'magnetoelectric'], 'magnetoelectrical': ['electromagnetical', 'magnetoelectrical'], 'magnolia': ['algomian', 'magnolia'], 'magnus': ['magnus', 'musang'], 'magpie': ['magpie', 'piemag'], 'magyar': ['magyar', 'margay'], 'mah': ['ham', 'mah'], 'maha': ['amah', 'maha'], 'mahar': ['amhar', 'mahar', 'mahra'], 'maharani': ['amiranha', 'maharani'], 'mahdism': ['dammish', 'mahdism'], 'mahdist': ['adsmith', 'mahdist'], 'mahi': ['hami', 'hima', 'mahi'], 'mahican': ['chamian', 'mahican'], 'mahogany': ['hogmanay', 'mahogany'], 'maholi': ['holmia', 'maholi'], 'maholtine': ['hematolin', 'maholtine'], 'mahori': ['homrai', 'mahori', 'mohair'], 'mahra': ['amhar', 'mahar', 'mahra'], 'mahran': ['amhran', 'harman', 'mahran'], 'mahri': ['hiram', 'ihram', 'mahri'], 'maia': ['amia', 'maia'], 'maid': ['admi', 'amid', 'madi', 'maid'], 'maida': ['amadi', 'damia', 'madia', 'maida'], 'maiden': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'maidenism': ['maidenism', 'medianism'], 'maidenly': ['lymnaeid', 'maidenly', 'medianly'], 'maidish': ['hasidim', 'maidish'], 'maidism': ['amidism', 'maidism'], 'maigre': ['imager', 'maigre', 'margie', 'mirage'], 'maiidae': ['amiidae', 'maiidae'], 'mail': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'mailed': ['aldime', 'mailed', 'medial'], 'mailer': ['mailer', 'remail'], 'mailie': ['emilia', 'mailie'], 'maim': ['ammi', 'imam', 'maim', 'mima'], 'main': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'maine': ['amine', 'anime', 'maine', 'manei'], 'mainly': ['amylin', 'mainly'], 'mainour': ['mainour', 'uramino'], 'mainpast': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mainprise': ['mainprise', 'presimian'], 'mains': ['mains', 'manis'], 'maint': ['maint', 'matin'], 'maintain': ['amanitin', 'maintain'], 'maintainer': ['antimerina', 'maintainer', 'remaintain'], 'maintop': ['maintop', 'ptomain', 'tampion', 'timpano'], 'maioid': ['daimio', 'maioid'], 'maioidean': ['anomiidae', 'maioidean'], 'maire': ['aimer', 'maire', 'marie', 'ramie'], 'maja': ['jama', 'maja'], 'majoon': ['majoon', 'moonja'], 'major': ['jarmo', 'major'], 'makah': ['hakam', 'makah'], 'makassar': ['makassar', 'samskara'], 'make': ['kame', 'make', 'meak'], 'maker': ['maker', 'marek', 'merak'], 'maki': ['akim', 'maki'], 'mako': ['amok', 'mako'], 'mal': ['lam', 'mal'], 'mala': ['alma', 'amla', 'lama', 'mala'], 'malacologist': ['malacologist', 'mastological'], 'malaga': ['agalma', 'malaga'], 'malagma': ['amalgam', 'malagma'], 'malakin': ['alkamin', 'malakin'], 'malanga': ['malanga', 'nagmaal'], 'malapert': ['armplate', 'malapert'], 'malapi': ['impala', 'malapi'], 'malar': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'malarin': ['lairman', 'laminar', 'malarin', 'railman'], 'malate': ['malate', 'meatal', 'tamale'], 'malcreated': ['cradlemate', 'malcreated'], 'maldonite': ['antimodel', 'maldonite', 'monilated'], 'male': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'maleficiation': ['amelification', 'maleficiation'], 'maleic': ['maleic', 'malice', 'melica'], 'maleinoid': ['alimonied', 'maleinoid'], 'malella': ['lamella', 'malella', 'malleal'], 'maleness': ['lameness', 'maleness', 'maneless', 'nameless'], 'malengine': ['enameling', 'malengine', 'meningeal'], 'maleo': ['amole', 'maleo'], 'malfed': ['flamed', 'malfed'], 'malhonest': ['malhonest', 'mashelton'], 'mali': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'malic': ['claim', 'clima', 'malic'], 'malice': ['maleic', 'malice', 'melica'], 'malicho': ['chiloma', 'malicho'], 'maligner': ['germinal', 'maligner', 'malinger'], 'malikana': ['kalamian', 'malikana'], 'maline': ['limean', 'maline', 'melian', 'menial'], 'malines': ['malines', 'salmine', 'selamin', 'seminal'], 'malinger': ['germinal', 'maligner', 'malinger'], 'malison': ['malison', 'manolis', 'osmanli', 'somnial'], 'malladrite': ['armillated', 'malladrite', 'mallardite'], 'mallardite': ['armillated', 'malladrite', 'mallardite'], 'malleal': ['lamella', 'malella', 'malleal'], 'mallein': ['mallein', 'manille'], 'malleoincudal': ['incudomalleal', 'malleoincudal'], 'malleus': ['amellus', 'malleus'], 'malmaison': ['anomalism', 'malmaison'], 'malmy': ['lammy', 'malmy'], 'malo': ['loam', 'loma', 'malo', 'mola', 'olam'], 'malonic': ['limacon', 'malonic'], 'malonyl': ['allonym', 'malonyl'], 'malope': ['aplome', 'malope'], 'malpoise': ['malpoise', 'semiopal'], 'malposed': ['malposed', 'plasmode'], 'maltase': ['asmalte', 'maltase'], 'malter': ['armlet', 'malter', 'martel'], 'maltese': ['maltese', 'seamlet'], 'malthe': ['hamlet', 'malthe'], 'malurinae': ['malurinae', 'melanuria'], 'malurine': ['lemurian', 'malurine', 'rumelian'], 'malurus': ['malurus', 'ramulus'], 'malus': ['lamus', 'malus', 'musal', 'slaum'], 'mamers': ['mamers', 'sammer'], 'mamo': ['ammo', 'mamo'], 'man': ['man', 'nam'], 'mana': ['anam', 'mana', 'naam', 'nama'], 'manacle': ['laceman', 'manacle'], 'manacus': ['manacus', 'samucan'], 'manage': ['agname', 'manage'], 'manager': ['gearman', 'manager'], 'manal': ['alman', 'lamna', 'manal'], 'manas': ['manas', 'saman'], 'manatee': ['emanate', 'manatee'], 'manatine': ['annamite', 'manatine'], 'manbird': ['birdman', 'manbird'], 'manchester': ['manchester', 'searchment'], 'mand': ['damn', 'mand'], 'mandaeism': ['maenadism', 'mandaeism'], 'mandaite': ['animated', 'mandaite', 'mantidae'], 'mandarin': ['drainman', 'mandarin'], 'mandation': ['damnation', 'mandation'], 'mandatory': ['damnatory', 'mandatory'], 'mande': ['amend', 'mande', 'maned'], 'mandelate': ['aldeament', 'mandelate'], 'mandil': ['lamnid', 'mandil'], 'mandola': ['mandola', 'odalman'], 'mandora': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'mandra': ['mandra', 'radman'], 'mandrill': ['drillman', 'mandrill'], 'mandyas': ['daysman', 'mandyas'], 'mane': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'maned': ['amend', 'mande', 'maned'], 'manege': ['gamene', 'manege', 'menage'], 'manei': ['amine', 'anime', 'maine', 'manei'], 'maneless': ['lameness', 'maleness', 'maneless', 'nameless'], 'manent': ['manent', 'netman'], 'manerial': ['almerian', 'manerial'], 'manes': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'maness': ['enmass', 'maness', 'messan'], 'manettia': ['antietam', 'manettia'], 'maney': ['maney', 'yamen'], 'manga': ['amang', 'ganam', 'manga'], 'mangar': ['amgarn', 'mangar', 'marang', 'ragman'], 'mangel': ['legman', 'mangel', 'mangle'], 'mangelin': ['mangelin', 'nameling'], 'manger': ['engram', 'german', 'manger'], 'mangerite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'mangi': ['gamin', 'mangi'], 'mangle': ['legman', 'mangel', 'mangle'], 'mango': ['among', 'mango'], 'mangrass': ['grassman', 'mangrass'], 'mangrate': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mangue': ['mangue', 'maunge'], 'manhead': ['headman', 'manhead'], 'manhole': ['holeman', 'manhole'], 'manhood': ['dhamnoo', 'hoodman', 'manhood'], 'mani': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'mania': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'maniable': ['animable', 'maniable'], 'maniac': ['amniac', 'caiman', 'maniac'], 'manic': ['amnic', 'manic'], 'manid': ['dimna', 'manid'], 'manidae': ['adamine', 'manidae'], 'manify': ['infamy', 'manify'], 'manila': ['almain', 'animal', 'lamina', 'manila'], 'manilla': ['alnilam', 'manilla'], 'manille': ['mallein', 'manille'], 'manioc': ['camion', 'conima', 'manioc', 'monica'], 'maniple': ['impanel', 'maniple'], 'manipuri': ['manipuri', 'unimpair'], 'manis': ['mains', 'manis'], 'manist': ['manist', 'mantis', 'matins', 'stamin'], 'manistic': ['actinism', 'manistic'], 'manito': ['atimon', 'manito', 'montia'], 'maniu': ['maniu', 'munia', 'unami'], 'manius': ['animus', 'anisum', 'anusim', 'manius'], 'maniva': ['maniva', 'vimana'], 'manlet': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manna': ['annam', 'manna'], 'mannite': ['mannite', 'tineman'], 'mannonic': ['cinnamon', 'mannonic'], 'mano': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'manoc': ['coman', 'macon', 'manoc'], 'manolis': ['malison', 'manolis', 'osmanli', 'somnial'], 'manometrical': ['commentarial', 'manometrical'], 'manometry': ['manometry', 'momentary'], 'manor': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'manorial': ['manorial', 'morainal'], 'manorship': ['manorship', 'orphanism'], 'manoscope': ['manoscope', 'moonscape'], 'manred': ['damner', 'manred', 'randem', 'remand'], 'manrent': ['manrent', 'remnant'], 'manrope': ['manrope', 'ropeman'], 'manse': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'manship': ['manship', 'shipman'], 'mansion': ['mansion', 'onanism'], 'mansioneer': ['emersonian', 'mansioneer'], 'manslaughter': ['manslaughter', 'slaughterman'], 'manso': ['manso', 'mason', 'monas'], 'manta': ['atman', 'manta'], 'mantel': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manteline': ['lineament', 'manteline'], 'manter': ['manter', 'marten', 'rament'], 'mantes': ['mantes', 'stamen'], 'manticore': ['cremation', 'manticore'], 'mantidae': ['animated', 'mandaite', 'mantidae'], 'mantis': ['manist', 'mantis', 'matins', 'stamin'], 'mantispa': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mantissa': ['mantissa', 'satanism'], 'mantle': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manto': ['manto', 'toman'], 'mantodea': ['mantodea', 'nematoda'], 'mantoidea': ['diatomean', 'mantoidea'], 'mantra': ['mantra', 'tarman'], 'mantrap': ['mantrap', 'rampant'], 'mantua': ['anatum', 'mantua', 'tamanu'], 'manual': ['alumna', 'manual'], 'manualism': ['manualism', 'musalmani'], 'manualiter': ['manualiter', 'unmaterial'], 'manuel': ['manuel', 'unlame'], 'manul': ['lanum', 'manul'], 'manuma': ['amunam', 'manuma'], 'manure': ['manure', 'menura'], 'manward': ['manward', 'wardman'], 'manwards': ['manwards', 'wardsman'], 'manway': ['manway', 'wayman'], 'manwise': ['manwise', 'wiseman'], 'many': ['many', 'myna'], 'mao': ['mao', 'oam'], 'maori': ['maori', 'mario', 'moira'], 'map': ['map', 'pam'], 'mapach': ['champa', 'mapach'], 'maple': ['ample', 'maple'], 'mapper': ['mapper', 'pamper', 'pampre'], 'mar': ['arm', 'mar', 'ram'], 'mara': ['amar', 'amra', 'mara', 'rama'], 'marabout': ['marabout', 'marabuto', 'tamboura'], 'marabuto': ['marabout', 'marabuto', 'tamboura'], 'maraca': ['acamar', 'camara', 'maraca'], 'maral': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marang': ['amgarn', 'mangar', 'marang', 'ragman'], 'mararie': ['armeria', 'mararie'], 'marasca': ['marasca', 'mascara'], 'maraschino': ['anachorism', 'chorasmian', 'maraschino'], 'marasmic': ['macarism', 'marasmic'], 'marbelize': ['marbelize', 'marbleize'], 'marble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'marbleize': ['marbelize', 'marbleize'], 'marbler': ['marbler', 'rambler'], 'marbling': ['marbling', 'rambling'], 'marc': ['cram', 'marc'], 'marcan': ['carman', 'marcan'], 'marcel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'marcescent': ['marcescent', 'scarcement'], 'march': ['charm', 'march'], 'marcher': ['charmer', 'marcher', 'remarch'], 'marchite': ['athermic', 'marchite', 'rhematic'], 'marchpane': ['marchpane', 'preachman'], 'marci': ['marci', 'mirac'], 'marcionist': ['marcionist', 'romanistic'], 'marcionite': ['marcionite', 'microtinae', 'remication'], 'marco': ['carom', 'coram', 'macro', 'marco'], 'marconi': ['amicron', 'marconi', 'minorca', 'romanic'], 'mare': ['erma', 'mare', 'rame', 'ream'], 'mareca': ['acream', 'camera', 'mareca'], 'marek': ['maker', 'marek', 'merak'], 'marengo': ['marengo', 'megaron'], 'mareotid': ['mareotid', 'mediator'], 'marfik': ['marfik', 'mirfak'], 'marfire': ['firearm', 'marfire'], 'margay': ['magyar', 'margay'], 'marge': ['grame', 'marge', 'regma'], 'margeline': ['margeline', 'regimenal'], 'margent': ['garment', 'margent'], 'margie': ['imager', 'maigre', 'margie', 'mirage'], 'margin': ['arming', 'ingram', 'margin'], 'marginal': ['alarming', 'marginal'], 'marginally': ['alarmingly', 'marginally'], 'marginate': ['armangite', 'marginate'], 'marginated': ['argentamid', 'marginated'], 'margined': ['dirgeman', 'margined', 'midrange'], 'marginiform': ['graminiform', 'marginiform'], 'margot': ['gomart', 'margot'], 'marhala': ['harmala', 'marhala'], 'mari': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'marialite': ['latimeria', 'marialite'], 'marian': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'mariana': ['aramina', 'mariana'], 'marianne': ['armenian', 'marianne'], 'marie': ['aimer', 'maire', 'marie', 'ramie'], 'marigenous': ['germanious', 'gramineous', 'marigenous'], 'marilla': ['armilla', 'marilla'], 'marina': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'marinade': ['madeiran', 'marinade'], 'marinate': ['animater', 'marinate'], 'marine': ['ermani', 'marine', 'remain'], 'marinist': ['marinist', 'mistrain'], 'mario': ['maori', 'mario', 'moira'], 'marion': ['marion', 'romain'], 'mariou': ['mariou', 'oarium'], 'maris': ['maris', 'marsi', 'samir', 'simar'], 'marish': ['marish', 'shamir'], 'marishness': ['marishness', 'marshiness'], 'marist': ['marist', 'matris', 'ramist'], 'maritage': ['gematria', 'maritage'], 'marital': ['marital', 'martial'], 'maritality': ['maritality', 'martiality'], 'maritally': ['maritally', 'martially'], 'marka': ['karma', 'krama', 'marka'], 'markeb': ['embark', 'markeb'], 'marked': ['demark', 'marked'], 'marker': ['marker', 'remark'], 'marketable': ['marketable', 'tablemaker'], 'marketeer': ['marketeer', 'treemaker'], 'marketer': ['marketer', 'remarket'], 'marko': ['marko', 'marok'], 'marla': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marled': ['dermal', 'marled', 'medlar'], 'marli': ['armil', 'marli', 'rimal'], 'marline': ['marline', 'mineral', 'ramline'], 'marlite': ['lamiter', 'marlite'], 'marlock': ['lockram', 'marlock'], 'maro': ['amor', 'maro', 'mora', 'omar', 'roam'], 'marocain': ['armonica', 'macaroni', 'marocain'], 'marok': ['marko', 'marok'], 'maronian': ['maronian', 'romanian'], 'maronist': ['maronist', 'romanist'], 'maronite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'marquesan': ['marquesan', 'squareman'], 'marquis': ['asquirm', 'marquis'], 'marree': ['marree', 'reamer'], 'married': ['admirer', 'madrier', 'married'], 'marrot': ['marrot', 'mortar'], 'marrowed': ['marrowed', 'romeward'], 'marryer': ['marryer', 'remarry'], 'mars': ['arms', 'mars'], 'marsh': ['marsh', 'shram'], 'marshaler': ['marshaler', 'remarshal'], 'marshiness': ['marishness', 'marshiness'], 'marshite': ['arthemis', 'marshite', 'meharist'], 'marsi': ['maris', 'marsi', 'samir', 'simar'], 'marsipobranchiata': ['basiparachromatin', 'marsipobranchiata'], 'mart': ['mart', 'tram'], 'martel': ['armlet', 'malter', 'martel'], 'marteline': ['alimenter', 'marteline'], 'marten': ['manter', 'marten', 'rament'], 'martes': ['martes', 'master', 'remast', 'stream'], 'martha': ['amarth', 'martha'], 'martial': ['marital', 'martial'], 'martiality': ['maritality', 'martiality'], 'martially': ['maritally', 'martially'], 'martian': ['martian', 'tamarin'], 'martinet': ['intermat', 'martinet', 'tetramin'], 'martinico': ['martinico', 'mortician'], 'martinoe': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'martite': ['martite', 'mitrate'], 'martius': ['martius', 'matsuri', 'maurist'], 'martu': ['martu', 'murat', 'turma'], 'marty': ['marty', 'tryma'], 'maru': ['arum', 'maru', 'mura'], 'mary': ['army', 'mary', 'myra', 'yarm'], 'marylander': ['aldermanry', 'marylander'], 'marysole': ['marysole', 'ramosely'], 'mas': ['mas', 'sam', 'sma'], 'mascara': ['marasca', 'mascara'], 'mascotry': ['arctomys', 'costmary', 'mascotry'], 'masculine': ['masculine', 'semuncial', 'simulance'], 'masculist': ['masculist', 'simulcast'], 'masdeu': ['amused', 'masdeu', 'medusa'], 'mash': ['mash', 'samh', 'sham'], 'masha': ['hamsa', 'masha', 'shama'], 'mashal': ['mashal', 'shamal'], 'mashelton': ['malhonest', 'mashelton'], 'masher': ['masher', 'ramesh', 'shamer'], 'mashy': ['mashy', 'shyam'], 'mask': ['kasm', 'mask'], 'masker': ['masker', 'remask'], 'mason': ['manso', 'mason', 'monas'], 'masoner': ['masoner', 'romanes'], 'masonic': ['anosmic', 'masonic'], 'masonite': ['masonite', 'misatone'], 'maspiter': ['maspiter', 'pastimer', 'primates'], 'masque': ['masque', 'squame', 'squeam'], 'massa': ['amass', 'assam', 'massa', 'samas'], 'masse': ['masse', 'sesma'], 'masser': ['masser', 'remass'], 'masseter': ['masseter', 'seamster'], 'masseur': ['assumer', 'erasmus', 'masseur'], 'massicot': ['acosmist', 'massicot', 'somatics'], 'massiness': ['amissness', 'massiness'], 'masskanne': ['masskanne', 'sneaksman'], 'mast': ['mast', 'mats', 'stam'], 'masted': ['demast', 'masted'], 'master': ['martes', 'master', 'remast', 'stream'], 'masterate': ['masterate', 'metatarse'], 'masterer': ['masterer', 'restream', 'streamer'], 'masterful': ['masterful', 'streamful'], 'masterless': ['masterless', 'streamless'], 'masterlike': ['masterlike', 'streamlike'], 'masterling': ['masterling', 'streamling'], 'masterly': ['masterly', 'myrtales'], 'mastership': ['mastership', 'shipmaster'], 'masterwork': ['masterwork', 'workmaster'], 'masterwort': ['masterwort', 'streamwort'], 'mastery': ['mastery', 'streamy'], 'mastic': ['mastic', 'misact'], 'masticable': ['ablastemic', 'masticable'], 'mastiche': ['mastiche', 'misteach'], 'mastlike': ['kemalist', 'mastlike'], 'mastoid': ['distoma', 'mastoid'], 'mastoidale': ['diatomales', 'mastoidale', 'mastoideal'], 'mastoideal': ['diatomales', 'mastoidale', 'mastoideal'], 'mastological': ['malacologist', 'mastological'], 'mastomenia': ['mastomenia', 'seminomata'], 'mastotomy': ['mastotomy', 'stomatomy'], 'masu': ['masu', 'musa', 'saum'], 'mat': ['amt', 'mat', 'tam'], 'matacan': ['matacan', 'tamanac'], 'matai': ['amati', 'amita', 'matai'], 'matar': ['matar', 'matra', 'trama'], 'matara': ['armata', 'matara', 'tamara'], 'matcher': ['matcher', 'rematch'], 'mate': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'mateless': ['mateless', 'meatless', 'tameless', 'teamless'], 'matelessness': ['matelessness', 'tamelessness'], 'mately': ['mately', 'tamely'], 'mater': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'materialism': ['immaterials', 'materialism'], 'materiel': ['eremital', 'materiel'], 'maternal': ['maternal', 'ramental'], 'maternology': ['laryngotome', 'maternology'], 'mateship': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'matey': ['matey', 'meaty'], 'mathesis': ['mathesis', 'thamesis'], 'mathetic': ['mathetic', 'thematic'], 'matico': ['atomic', 'matico'], 'matin': ['maint', 'matin'], 'matinee': ['amenite', 'etamine', 'matinee'], 'matins': ['manist', 'mantis', 'matins', 'stamin'], 'matra': ['matar', 'matra', 'trama'], 'matral': ['matral', 'tramal'], 'matralia': ['altamira', 'matralia'], 'matrices': ['camerist', 'ceramist', 'matrices'], 'matricide': ['citramide', 'diametric', 'matricide'], 'matricula': ['lactarium', 'matricula'], 'matricular': ['matricular', 'trimacular'], 'matris': ['marist', 'matris', 'ramist'], 'matrocliny': ['matrocliny', 'romanticly'], 'matronism': ['matronism', 'romantism'], 'mats': ['mast', 'mats', 'stam'], 'matsu': ['matsu', 'tamus', 'tsuma'], 'matsuri': ['martius', 'matsuri', 'maurist'], 'matter': ['matter', 'mettar'], 'mattoir': ['mattoir', 'tritoma'], 'maturable': ['maturable', 'metabular'], 'maturation': ['maturation', 'natatorium'], 'maturer': ['erratum', 'maturer'], 'mau': ['aum', 'mau'], 'maud': ['duma', 'maud'], 'maudle': ['almude', 'maudle'], 'mauger': ['mauger', 'murage'], 'maul': ['alum', 'maul'], 'mauler': ['mauler', 'merula', 'ramule'], 'maun': ['maun', 'numa'], 'maund': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'maunder': ['duramen', 'maunder', 'unarmed'], 'maunderer': ['maunderer', 'underream'], 'maunge': ['mangue', 'maunge'], 'maureen': ['maureen', 'menurae'], 'maurice': ['maurice', 'uraemic'], 'maurist': ['martius', 'matsuri', 'maurist'], 'mauser': ['amuser', 'mauser'], 'mavis': ['amvis', 'mavis'], 'maw': ['maw', 'mwa'], 'mawp': ['mawp', 'wamp'], 'may': ['amy', 'may', 'mya', 'yam'], 'maybe': ['beamy', 'embay', 'maybe'], 'mayer': ['mayer', 'reamy'], 'maylike': ['maylike', 'yamilke'], 'mayo': ['amoy', 'mayo'], 'mayor': ['mayor', 'moray'], 'maypoling': ['maypoling', 'pygmalion'], 'maysin': ['maysin', 'minyas', 'mysian'], 'maytide': ['daytime', 'maytide'], 'mazer': ['mazer', 'zerma'], 'mazur': ['mazur', 'murza'], 'mbaya': ['ambay', 'mbaya'], 'me': ['em', 'me'], 'meable': ['bemeal', 'meable'], 'mead': ['dame', 'made', 'mead'], 'meader': ['meader', 'remade'], 'meager': ['graeme', 'meager', 'meagre'], 'meagre': ['graeme', 'meager', 'meagre'], 'meak': ['kame', 'make', 'meak'], 'meal': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'mealer': ['leamer', 'mealer'], 'mealiness': ['mealiness', 'messaline'], 'mealy': ['mealy', 'yamel'], 'mean': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'meander': ['amender', 'meander', 'reamend', 'reedman'], 'meandrite': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'meandrous': ['meandrous', 'roundseam'], 'meaned': ['amende', 'demean', 'meaned', 'nadeem'], 'meaner': ['enarme', 'meaner', 'rename'], 'meanly': ['meanly', 'namely'], 'meant': ['ament', 'meant', 'teman'], 'mease': ['emesa', 'mease'], 'measly': ['measly', 'samely'], 'measuration': ['aeronautism', 'measuration'], 'measure': ['measure', 'reamuse'], 'measured': ['madurese', 'measured'], 'meat': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'meatal': ['malate', 'meatal', 'tamale'], 'meatless': ['mateless', 'meatless', 'tameless', 'teamless'], 'meatman': ['meatman', 'teamman'], 'meatus': ['meatus', 'mutase'], 'meaty': ['matey', 'meaty'], 'mechanal': ['leachman', 'mechanal'], 'mechanicochemical': ['chemicomechanical', 'mechanicochemical'], 'mechanics': ['mechanics', 'mischance'], 'mechir': ['chimer', 'mechir', 'micher'], 'mecometry': ['cymometer', 'mecometry'], 'meconic': ['comenic', 'encomic', 'meconic'], 'meconin': ['ennomic', 'meconin'], 'meconioid': ['meconioid', 'monoeidic'], 'meconium': ['encomium', 'meconium'], 'mecopteron': ['mecopteron', 'protocneme'], 'medal': ['demal', 'medal'], 'medallary': ['alarmedly', 'medallary'], 'mede': ['deem', 'deme', 'mede', 'meed'], 'media': ['amide', 'damie', 'media'], 'mediacy': ['dicyema', 'mediacy'], 'mediad': ['diadem', 'mediad'], 'medial': ['aldime', 'mailed', 'medial'], 'median': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medianism': ['maidenism', 'medianism'], 'medianly': ['lymnaeid', 'maidenly', 'medianly'], 'mediator': ['mareotid', 'mediator'], 'mediatress': ['mediatress', 'streamside'], 'mediatrice': ['acidimeter', 'mediatrice'], 'medical': ['camelid', 'decimal', 'declaim', 'medical'], 'medically': ['decimally', 'medically'], 'medicate': ['decimate', 'medicate'], 'medication': ['decimation', 'medication'], 'medicator': ['decimator', 'medicator', 'mordicate'], 'medicatory': ['acidometry', 'medicatory', 'radiectomy'], 'medicinal': ['adminicle', 'medicinal'], 'medicophysical': ['medicophysical', 'physicomedical'], 'medimnos': ['demonism', 'medimnos', 'misnomed'], 'medina': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medino': ['domine', 'domnei', 'emodin', 'medino'], 'mediocrist': ['dosimetric', 'mediocrist'], 'mediocrity': ['iridectomy', 'mediocrity'], 'mediodorsal': ['dorsomedial', 'mediodorsal'], 'medioventral': ['medioventral', 'ventromedial'], 'meditate': ['admittee', 'meditate'], 'meditator': ['meditator', 'trematoid'], 'medlar': ['dermal', 'marled', 'medlar'], 'medusa': ['amused', 'masdeu', 'medusa'], 'medusan': ['medusan', 'sudamen'], 'meece': ['emcee', 'meece'], 'meed': ['deem', 'deme', 'mede', 'meed'], 'meeks': ['meeks', 'smeek'], 'meered': ['deemer', 'meered', 'redeem', 'remede'], 'meet': ['meet', 'mete', 'teem'], 'meeter': ['meeter', 'remeet', 'teemer'], 'meethelp': ['helpmeet', 'meethelp'], 'meeting': ['meeting', 'teeming', 'tegmine'], 'meg': ['gem', 'meg'], 'megabar': ['bergama', 'megabar'], 'megachiropteran': ['cinematographer', 'megachiropteran'], 'megadont': ['magnetod', 'megadont'], 'megadyne': ['ganymede', 'megadyne'], 'megaera': ['megaera', 'reamage'], 'megalodon': ['megalodon', 'moonglade'], 'megalohepatia': ['hepatomegalia', 'megalohepatia'], 'megalophonous': ['megalophonous', 'omphalogenous'], 'megalosplenia': ['megalosplenia', 'splenomegalia'], 'megapod': ['megapod', 'pagedom'], 'megapodius': ['megapodius', 'pseudimago'], 'megarian': ['germania', 'megarian'], 'megaric': ['gemaric', 'grimace', 'megaric'], 'megaron': ['marengo', 'megaron'], 'megaton': ['geomant', 'magneto', 'megaton', 'montage'], 'megmho': ['megmho', 'megohm'], 'megohm': ['megmho', 'megohm'], 'megrim': ['gimmer', 'grimme', 'megrim'], 'mehari': ['mehari', 'meriah'], 'meharist': ['arthemis', 'marshite', 'meharist'], 'meile': ['elemi', 'meile'], 'mein': ['mein', 'mien', 'mine'], 'meio': ['meio', 'oime'], 'mel': ['elm', 'mel'], 'mela': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'melaconite': ['colemanite', 'melaconite'], 'melalgia': ['gamaliel', 'melalgia'], 'melam': ['lemma', 'melam'], 'melamine': ['ammeline', 'melamine'], 'melange': ['gleeman', 'melange'], 'melania': ['laminae', 'melania'], 'melanian': ['alemanni', 'melanian'], 'melanic': ['cnemial', 'melanic'], 'melanilin': ['melanilin', 'millennia'], 'melanin': ['lemnian', 'lineman', 'melanin'], 'melanism': ['melanism', 'slimeman'], 'melanite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'melanitic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'melanochroi': ['chloroamine', 'melanochroi'], 'melanogen': ['melanogen', 'melongena'], 'melanoid': ['demonial', 'melanoid'], 'melanorrhea': ['amenorrheal', 'melanorrhea'], 'melanosis': ['loaminess', 'melanosis'], 'melanotic': ['entomical', 'melanotic'], 'melanuria': ['malurinae', 'melanuria'], 'melanuric': ['ceruminal', 'melanuric', 'numerical'], 'melas': ['amsel', 'melas', 'mesal', 'samel'], 'melastoma': ['melastoma', 'metasomal'], 'meldrop': ['meldrop', 'premold'], 'melena': ['enamel', 'melena'], 'melenic': ['celemin', 'melenic'], 'meletian': ['melanite', 'meletian', 'metaline', 'nemalite'], 'meletski': ['meletski', 'stemlike'], 'melian': ['limean', 'maline', 'melian', 'menial'], 'meliatin': ['meliatin', 'timaline'], 'melic': ['clime', 'melic'], 'melica': ['maleic', 'malice', 'melica'], 'melicerta': ['carmelite', 'melicerta'], 'melicraton': ['centimolar', 'melicraton'], 'melinda': ['idleman', 'melinda'], 'meline': ['elemin', 'meline'], 'melinite': ['ilmenite', 'melinite', 'menilite'], 'meliorant': ['meliorant', 'mentorial'], 'melissa': ['aimless', 'melissa', 'seismal'], 'melitose': ['melitose', 'mesolite'], 'mellay': ['lamely', 'mellay'], 'mellit': ['mellit', 'millet'], 'melodia': ['melodia', 'molidae'], 'melodica': ['cameloid', 'comedial', 'melodica'], 'melodicon': ['clinodome', 'melodicon', 'monocleid'], 'melodist': ['melodist', 'modelist'], 'melomanic': ['commelina', 'melomanic'], 'melon': ['lemon', 'melon', 'monel'], 'melongena': ['melanogen', 'melongena'], 'melonist': ['melonist', 'telonism'], 'melonites': ['limestone', 'melonites', 'milestone'], 'melonlike': ['lemonlike', 'melonlike'], 'meloplasty': ['meloplasty', 'myeloplast'], 'melosa': ['melosa', 'salome', 'semola'], 'melotragic': ['algometric', 'melotragic'], 'melotrope': ['melotrope', 'metropole'], 'melter': ['melter', 'remelt'], 'melters': ['melters', 'resmelt', 'smelter'], 'melton': ['loment', 'melton', 'molten'], 'melungeon': ['melungeon', 'nonlegume'], 'mem': ['emm', 'mem'], 'memnon': ['memnon', 'mennom'], 'memo': ['memo', 'mome'], 'memorandist': ['memorandist', 'moderantism', 'semidormant'], 'menage': ['gamene', 'manege', 'menage'], 'menald': ['lemnad', 'menald'], 'menaspis': ['menaspis', 'semispan'], 'mendaite': ['dementia', 'mendaite'], 'mende': ['emend', 'mende'], 'mender': ['mender', 'remend'], 'mendi': ['denim', 'mendi'], 'mendipite': ['impedient', 'mendipite'], 'menial': ['limean', 'maline', 'melian', 'menial'], 'menic': ['menic', 'mince'], 'menilite': ['ilmenite', 'melinite', 'menilite'], 'meningeal': ['enameling', 'malengine', 'meningeal'], 'meningocephalitis': ['cephalomeningitis', 'meningocephalitis'], 'meningocerebritis': ['cerebromeningitis', 'meningocerebritis'], 'meningoencephalitis': ['encephalomeningitis', 'meningoencephalitis'], 'meningoencephalocele': ['encephalomeningocele', 'meningoencephalocele'], 'meningomyelitis': ['meningomyelitis', 'myelomeningitis'], 'meningomyelocele': ['meningomyelocele', 'myelomeningocele'], 'mennom': ['memnon', 'mennom'], 'menostasia': ['anematosis', 'menostasia'], 'mensa': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'mensal': ['anselm', 'mensal'], 'mense': ['mense', 'mesne', 'semen'], 'menstrual': ['menstrual', 'ulsterman'], 'mensurable': ['lebensraum', 'mensurable'], 'mentagra': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mental': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'mentalis': ['mentalis', 'smaltine', 'stileman'], 'mentalize': ['mentalize', 'mentzelia'], 'mentation': ['mentation', 'montanite'], 'mentha': ['anthem', 'hetman', 'mentha'], 'menthane': ['enanthem', 'menthane'], 'mentigerous': ['mentigerous', 'tergeminous'], 'mentolabial': ['labiomental', 'mentolabial'], 'mentor': ['mentor', 'merton', 'termon', 'tormen'], 'mentorial': ['meliorant', 'mentorial'], 'mentzelia': ['mentalize', 'mentzelia'], 'menura': ['manure', 'menura'], 'menurae': ['maureen', 'menurae'], 'menyie': ['menyie', 'yemeni'], 'meo': ['meo', 'moe'], 'mephisto': ['mephisto', 'pithsome'], 'merak': ['maker', 'marek', 'merak'], 'merat': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'meratia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'mercal': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'mercator': ['cremator', 'mercator'], 'mercatorial': ['crematorial', 'mercatorial'], 'mercian': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'merciful': ['crimeful', 'merciful'], 'merciless': ['crimeless', 'merciless'], 'mercilessness': ['crimelessness', 'mercilessness'], 'mere': ['mere', 'reem'], 'merel': ['elmer', 'merel', 'merle'], 'merely': ['merely', 'yelmer'], 'merginae': ['ergamine', 'merginae'], 'mergus': ['gersum', 'mergus'], 'meriah': ['mehari', 'meriah'], 'merice': ['eremic', 'merice'], 'merida': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'meril': ['limer', 'meril', 'miler'], 'meriones': ['emersion', 'meriones'], 'merism': ['merism', 'mermis', 'simmer'], 'merist': ['merist', 'mister', 'smiter'], 'meristem': ['meristem', 'mimester'], 'meristic': ['meristic', 'trimesic', 'trisemic'], 'merit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'merited': ['demerit', 'dimeter', 'merited', 'mitered'], 'meriter': ['meriter', 'miterer', 'trireme'], 'merle': ['elmer', 'merel', 'merle'], 'merlin': ['limner', 'merlin', 'milner'], 'mermaid': ['demiram', 'mermaid'], 'mermis': ['merism', 'mermis', 'simmer'], 'mero': ['mero', 'more', 'omer', 'rome'], 'meroblastic': ['blastomeric', 'meroblastic'], 'merocyte': ['cytomere', 'merocyte'], 'merogony': ['gonomery', 'merogony'], 'meroistic': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'merop': ['merop', 'moper', 'proem', 'remop'], 'meropia': ['emporia', 'meropia'], 'meros': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'merosthenic': ['merosthenic', 'microsthene'], 'merostome': ['merostome', 'osmometer'], 'merrow': ['merrow', 'wormer'], 'merse': ['merse', 'smeer'], 'merton': ['mentor', 'merton', 'termon', 'tormen'], 'merula': ['mauler', 'merula', 'ramule'], 'meruline': ['lemurine', 'meruline', 'relumine'], 'mesa': ['asem', 'mesa', 'same', 'seam'], 'mesad': ['desma', 'mesad'], 'mesadenia': ['deaminase', 'mesadenia'], 'mesail': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesal': ['amsel', 'melas', 'mesal', 'samel'], 'mesalike': ['mesalike', 'seamlike'], 'mesaraic': ['cramasie', 'mesaraic'], 'mesaticephaly': ['hemicatalepsy', 'mesaticephaly'], 'mese': ['mese', 'seem', 'seme', 'smee'], 'meshech': ['meshech', 'shechem'], 'mesial': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesian': ['asimen', 'inseam', 'mesian'], 'mesic': ['mesic', 'semic'], 'mesion': ['eonism', 'mesion', 'oneism', 'simeon'], 'mesitae': ['amesite', 'mesitae', 'semitae'], 'mesne': ['mense', 'mesne', 'semen'], 'meso': ['meso', 'mose', 'some'], 'mesobar': ['ambrose', 'mesobar'], 'mesocephaly': ['elaphomyces', 'mesocephaly'], 'mesognathic': ['asthmogenic', 'mesognathic'], 'mesohepar': ['mesohepar', 'semaphore'], 'mesolite': ['melitose', 'mesolite'], 'mesolithic': ['homiletics', 'mesolithic'], 'mesological': ['mesological', 'semological'], 'mesology': ['mesology', 'semology'], 'mesomeric': ['mesomeric', 'microseme', 'semicrome'], 'mesonotum': ['mesonotum', 'momentous'], 'mesorectal': ['calotermes', 'mesorectal', 'metacresol'], 'mesotonic': ['economist', 'mesotonic'], 'mesoventral': ['mesoventral', 'ventromesal'], 'mespil': ['mespil', 'simple'], 'mesropian': ['mesropian', 'promnesia', 'spironema'], 'messalian': ['messalian', 'seminasal'], 'messaline': ['mealiness', 'messaline'], 'messan': ['enmass', 'maness', 'messan'], 'messelite': ['messelite', 'semisteel', 'teleseism'], 'messines': ['essenism', 'messines'], 'messor': ['messor', 'mosser', 'somers'], 'mestee': ['esteem', 'mestee'], 'mester': ['mester', 'restem', 'temser', 'termes'], 'mesua': ['amuse', 'mesua'], 'meta': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'metabular': ['maturable', 'metabular'], 'metaconid': ['comediant', 'metaconid'], 'metacresol': ['calotermes', 'mesorectal', 'metacresol'], 'metage': ['gamete', 'metage'], 'metaler': ['lameter', 'metaler', 'remetal'], 'metaline': ['melanite', 'meletian', 'metaline', 'nemalite'], 'metaling': ['ligament', 'metaling', 'tegminal'], 'metalist': ['metalist', 'smaltite'], 'metallism': ['metallism', 'smalltime'], 'metamer': ['ammeter', 'metamer'], 'metanilic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'metaphor': ['metaphor', 'trophema'], 'metaphoric': ['amphoteric', 'metaphoric'], 'metaphorical': ['metaphorical', 'pharmacolite'], 'metaphysical': ['lymphectasia', 'metaphysical'], 'metaplastic': ['metaplastic', 'palmatisect'], 'metapore': ['ametrope', 'metapore'], 'metasomal': ['melastoma', 'metasomal'], 'metatarse': ['masterate', 'metatarse'], 'metatheria': ['hemiterata', 'metatheria'], 'metatrophic': ['metatrophic', 'metropathic'], 'metaxenia': ['examinate', 'exanimate', 'metaxenia'], 'mete': ['meet', 'mete', 'teem'], 'meteor': ['meteor', 'remote'], 'meteorgraph': ['graphometer', 'meteorgraph'], 'meteorical': ['carmeloite', 'ectromelia', 'meteorical'], 'meteoristic': ['meteoristic', 'meteoritics'], 'meteoritics': ['meteoristic', 'meteoritics'], 'meteoroid': ['meteoroid', 'odiometer'], 'meter': ['meter', 'retem'], 'meterless': ['meterless', 'metreless'], 'metership': ['herpetism', 'metership', 'metreship', 'temperish'], 'methanal': ['latheman', 'methanal'], 'methanate': ['hetmanate', 'methanate'], 'methanoic': ['hematonic', 'methanoic'], 'mether': ['mether', 'themer'], 'method': ['method', 'mothed'], 'methylacetanilide': ['acetmethylanilide', 'methylacetanilide'], 'methylic': ['methylic', 'thymelic'], 'methylotic': ['lithectomy', 'methylotic'], 'metier': ['metier', 'retime', 'tremie'], 'metin': ['metin', 'temin', 'timne'], 'metis': ['metis', 'smite', 'stime', 'times'], 'metoac': ['comate', 'metoac', 'tecoma'], 'metol': ['metol', 'motel'], 'metonymical': ['laminectomy', 'metonymical'], 'metope': ['metope', 'poemet'], 'metopias': ['epistoma', 'metopias'], 'metosteon': ['metosteon', 'tomentose'], 'metra': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'metrectasia': ['metrectasia', 'remasticate'], 'metreless': ['meterless', 'metreless'], 'metreship': ['herpetism', 'metership', 'metreship', 'temperish'], 'metria': ['imaret', 'metria', 'mirate', 'rimate'], 'metrician': ['antimeric', 'carminite', 'criminate', 'metrician'], 'metrics': ['cretism', 'metrics'], 'metrocratic': ['cratometric', 'metrocratic'], 'metrological': ['logometrical', 'metrological'], 'metronome': ['metronome', 'monometer', 'monotreme'], 'metronomic': ['commorient', 'metronomic', 'monometric'], 'metronomical': ['metronomical', 'monometrical'], 'metropathic': ['metatrophic', 'metropathic'], 'metrophlebitis': ['metrophlebitis', 'phlebometritis'], 'metropole': ['melotrope', 'metropole'], 'metroptosia': ['metroptosia', 'prostomiate'], 'metrorrhea': ['arthromere', 'metrorrhea'], 'metrostyle': ['metrostyle', 'stylometer'], 'mettar': ['matter', 'mettar'], 'metusia': ['metusia', 'suimate', 'timaeus'], 'mew': ['mew', 'wem'], 'meward': ['meward', 'warmed'], 'mho': ['mho', 'ohm'], 'mhometer': ['mhometer', 'ohmmeter'], 'miamia': ['amimia', 'miamia'], 'mian': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'miaotse': ['miaotse', 'ostemia'], 'miaotze': ['atomize', 'miaotze'], 'mias': ['mias', 'saim', 'siam', 'sima'], 'miasmal': ['lamaism', 'miasmal'], 'miastor': ['amorist', 'aortism', 'miastor'], 'miaul': ['aumil', 'miaul'], 'miauler': ['lemuria', 'miauler'], 'mib': ['bim', 'mib'], 'mica': ['amic', 'mica'], 'micah': ['chiam', 'machi', 'micah'], 'micate': ['acmite', 'micate'], 'mication': ['amniotic', 'mication'], 'micellar': ['micellar', 'millrace'], 'michael': ['michael', 'micheal'], 'miche': ['chime', 'hemic', 'miche'], 'micheal': ['michael', 'micheal'], 'micher': ['chimer', 'mechir', 'micher'], 'micht': ['micht', 'mitch'], 'micranthropos': ['micranthropos', 'promonarchist'], 'micro': ['micro', 'moric', 'romic'], 'microcephal': ['microcephal', 'prochemical'], 'microcephaly': ['microcephaly', 'pyrochemical'], 'microcinema': ['microcinema', 'microcnemia'], 'microcnemia': ['microcinema', 'microcnemia'], 'microcrith': ['microcrith', 'trichromic'], 'micropetalous': ['micropetalous', 'somatopleuric'], 'microphagy': ['microphagy', 'myographic'], 'microphone': ['microphone', 'neomorphic'], 'microphot': ['microphot', 'morphotic'], 'microphotograph': ['microphotograph', 'photomicrograph'], 'microphotographic': ['microphotographic', 'photomicrographic'], 'microphotography': ['microphotography', 'photomicrography'], 'microphotoscope': ['microphotoscope', 'photomicroscope'], 'micropterous': ['micropterous', 'prosectorium'], 'micropyle': ['micropyle', 'polymeric'], 'microradiometer': ['microradiometer', 'radiomicrometer'], 'microseme': ['mesomeric', 'microseme', 'semicrome'], 'microspectroscope': ['microspectroscope', 'spectromicroscope'], 'microstat': ['microstat', 'stromatic'], 'microsthene': ['merosthenic', 'microsthene'], 'microstome': ['microstome', 'osmometric'], 'microtia': ['amoritic', 'microtia'], 'microtinae': ['marcionite', 'microtinae', 'remication'], 'mid': ['dim', 'mid'], 'midden': ['midden', 'minded'], 'middler': ['middler', 'mildred'], 'middy': ['didym', 'middy'], 'mide': ['demi', 'diem', 'dime', 'mide'], 'mider': ['dimer', 'mider'], 'mididae': ['amidide', 'diamide', 'mididae'], 'midrange': ['dirgeman', 'margined', 'midrange'], 'midstory': ['midstory', 'modistry'], 'miek': ['miek', 'mike'], 'mien': ['mein', 'mien', 'mine'], 'mig': ['gim', 'mig'], 'migraine': ['imaginer', 'migraine'], 'migrate': ['migrate', 'ragtime'], 'migratory': ['gyromitra', 'migratory'], 'mihrab': ['brahmi', 'mihrab'], 'mikael': ['kelima', 'mikael'], 'mike': ['miek', 'mike'], 'mil': ['lim', 'mil'], 'mila': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'milan': ['lamin', 'liman', 'milan'], 'milden': ['milden', 'mindel'], 'mildness': ['mildness', 'mindless'], 'mildred': ['middler', 'mildred'], 'mile': ['emil', 'lime', 'mile'], 'milepost': ['milepost', 'polemist'], 'miler': ['limer', 'meril', 'miler'], 'miles': ['limes', 'miles', 'slime', 'smile'], 'milesian': ['alienism', 'milesian'], 'milestone': ['limestone', 'melonites', 'milestone'], 'milicent': ['limnetic', 'milicent'], 'military': ['limitary', 'military'], 'militate': ['limitate', 'militate'], 'militation': ['limitation', 'militation'], 'milken': ['kimnel', 'milken'], 'millennia': ['melanilin', 'millennia'], 'miller': ['miller', 'remill'], 'millet': ['mellit', 'millet'], 'milliare': ['milliare', 'ramillie'], 'millrace': ['micellar', 'millrace'], 'milner': ['limner', 'merlin', 'milner'], 'milo': ['milo', 'moil'], 'milsie': ['milsie', 'simile'], 'miltonia': ['limation', 'miltonia'], 'mima': ['ammi', 'imam', 'maim', 'mima'], 'mime': ['emim', 'mime'], 'mimester': ['meristem', 'mimester'], 'mimi': ['immi', 'mimi'], 'mimidae': ['amimide', 'mimidae'], 'mimosa': ['amomis', 'mimosa'], 'min': ['min', 'nim'], 'mina': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'minacity': ['imitancy', 'intimacy', 'minacity'], 'minar': ['inarm', 'minar'], 'minaret': ['minaret', 'raiment', 'tireman'], 'minareted': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'minargent': ['germinant', 'minargent'], 'minatory': ['minatory', 'romanity'], 'mince': ['menic', 'mince'], 'minchiate': ['hematinic', 'minchiate'], 'mincopie': ['mincopie', 'poimenic'], 'minded': ['midden', 'minded'], 'mindel': ['milden', 'mindel'], 'mindelian': ['eliminand', 'mindelian'], 'minder': ['minder', 'remind'], 'mindless': ['mildness', 'mindless'], 'mine': ['mein', 'mien', 'mine'], 'miner': ['inerm', 'miner'], 'mineral': ['marline', 'mineral', 'ramline'], 'minerva': ['minerva', 'vermian'], 'minerval': ['minerval', 'verminal'], 'mingler': ['gremlin', 'mingler'], 'miniator': ['miniator', 'triamino'], 'minish': ['minish', 'nimshi'], 'minister': ['minister', 'misinter'], 'ministry': ['ministry', 'myristin'], 'minkish': ['minkish', 'nimkish'], 'minnetaree': ['minnetaree', 'nemertinea'], 'minoan': ['amnion', 'minoan', 'nomina'], 'minometer': ['minometer', 'omnimeter'], 'minor': ['minor', 'morin'], 'minorate': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'minorca': ['amicron', 'marconi', 'minorca', 'romanic'], 'minos': ['minos', 'osmin', 'simon'], 'minot': ['minot', 'timon', 'tomin'], 'mintage': ['mintage', 'teaming', 'tegmina'], 'minter': ['minter', 'remint', 'termin'], 'minuend': ['minuend', 'unmined'], 'minuet': ['minuet', 'minute'], 'minute': ['minuet', 'minute'], 'minutely': ['minutely', 'untimely'], 'minuter': ['minuter', 'unmiter'], 'minyas': ['maysin', 'minyas', 'mysian'], 'mir': ['mir', 'rim'], 'mira': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'mirabel': ['embrail', 'mirabel'], 'mirac': ['marci', 'mirac'], 'miracle': ['claimer', 'miracle', 'reclaim'], 'mirage': ['imager', 'maigre', 'margie', 'mirage'], 'mirana': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'miranha': ['ahriman', 'miranha'], 'mirate': ['imaret', 'metria', 'mirate', 'rimate'], 'mirbane': ['ambrein', 'mirbane'], 'mire': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'mirfak': ['marfik', 'mirfak'], 'mirounga': ['mirounga', 'moringua', 'origanum'], 'miry': ['miry', 'rimy', 'yirm'], 'mirza': ['mirza', 'mizar'], 'misact': ['mastic', 'misact'], 'misadvise': ['admissive', 'misadvise'], 'misagent': ['misagent', 'steaming'], 'misaim': ['misaim', 'misima'], 'misandry': ['misandry', 'myrsinad'], 'misassociation': ['associationism', 'misassociation'], 'misatone': ['masonite', 'misatone'], 'misattend': ['misattend', 'tandemist'], 'misaunter': ['antiserum', 'misaunter'], 'misbehavior': ['behaviorism', 'misbehavior'], 'mischance': ['mechanics', 'mischance'], 'misclass': ['classism', 'misclass'], 'miscoin': ['iconism', 'imsonic', 'miscoin'], 'misconfiguration': ['configurationism', 'misconfiguration'], 'misconstitutional': ['constitutionalism', 'misconstitutional'], 'misconstruction': ['constructionism', 'misconstruction'], 'miscreant': ['encratism', 'miscreant'], 'miscreation': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'miscue': ['cesium', 'miscue'], 'misdate': ['diastem', 'misdate'], 'misdaub': ['misdaub', 'submaid'], 'misdeal': ['misdeal', 'mislead'], 'misdealer': ['misdealer', 'misleader', 'misleared'], 'misdeclare': ['creedalism', 'misdeclare'], 'misdiet': ['misdiet', 'misedit', 'mistide'], 'misdivision': ['divisionism', 'misdivision'], 'misdread': ['disarmed', 'misdread'], 'mise': ['mise', 'semi', 'sime'], 'misease': ['misease', 'siamese'], 'misecclesiastic': ['ecclesiasticism', 'misecclesiastic'], 'misedit': ['misdiet', 'misedit', 'mistide'], 'misexpression': ['expressionism', 'misexpression'], 'mishmash': ['mishmash', 'shammish'], 'misima': ['misaim', 'misima'], 'misimpression': ['impressionism', 'misimpression'], 'misinter': ['minister', 'misinter'], 'mislabel': ['mislabel', 'semiball'], 'mislabor': ['laborism', 'mislabor'], 'mislead': ['misdeal', 'mislead'], 'misleader': ['misdealer', 'misleader', 'misleared'], 'mislear': ['mislear', 'realism'], 'misleared': ['misdealer', 'misleader', 'misleared'], 'misname': ['amenism', 'immanes', 'misname'], 'misniac': ['cainism', 'misniac'], 'misnomed': ['demonism', 'medimnos', 'misnomed'], 'misoneism': ['misoneism', 'simeonism'], 'mispage': ['impages', 'mispage'], 'misperception': ['misperception', 'perceptionism'], 'misperform': ['misperform', 'preformism'], 'misphrase': ['misphrase', 'seraphism'], 'misplay': ['impalsy', 'misplay'], 'misplead': ['misplead', 'pedalism'], 'misprisal': ['misprisal', 'spiralism'], 'misproud': ['disporum', 'misproud'], 'misprovide': ['disimprove', 'misprovide'], 'misput': ['misput', 'sumpit'], 'misquotation': ['antimosquito', 'misquotation'], 'misrate': ['artemis', 'maestri', 'misrate'], 'misread': ['misread', 'sidearm'], 'misreform': ['misreform', 'reformism'], 'misrelate': ['misrelate', 'salimeter'], 'misrelation': ['misrelation', 'orientalism', 'relationism'], 'misreliance': ['criminalese', 'misreliance'], 'misreporter': ['misreporter', 'reporterism'], 'misrepresentation': ['misrepresentation', 'representationism'], 'misrepresenter': ['misrepresenter', 'remisrepresent'], 'misrepute': ['misrepute', 'septerium'], 'misrhyme': ['misrhyme', 'shimmery'], 'misrule': ['misrule', 'simuler'], 'missal': ['missal', 'salmis'], 'missayer': ['emissary', 'missayer'], 'misset': ['misset', 'tmesis'], 'misshape': ['emphasis', 'misshape'], 'missioner': ['missioner', 'remission'], 'misspell': ['misspell', 'psellism'], 'missuggestion': ['missuggestion', 'suggestionism'], 'missy': ['missy', 'mysis'], 'mist': ['mist', 'smit', 'stim'], 'misteach': ['mastiche', 'misteach'], 'mister': ['merist', 'mister', 'smiter'], 'mistide': ['misdiet', 'misedit', 'mistide'], 'mistle': ['mistle', 'smilet'], 'mistone': ['mistone', 'moisten'], 'mistradition': ['mistradition', 'traditionism'], 'mistrain': ['marinist', 'mistrain'], 'mistreat': ['mistreat', 'teratism'], 'mistrial': ['mistrial', 'trialism'], 'mistutor': ['mistutor', 'tutorism'], 'misty': ['misty', 'stimy'], 'misunderstander': ['misunderstander', 'remisunderstand'], 'misura': ['misura', 'ramusi'], 'misuser': ['misuser', 'surmise'], 'mitannish': ['mitannish', 'sminthian'], 'mitch': ['micht', 'mitch'], 'mite': ['emit', 'item', 'mite', 'time'], 'mitella': ['mitella', 'tellima'], 'miteproof': ['miteproof', 'timeproof'], 'miter': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitered': ['demerit', 'dimeter', 'merited', 'mitered'], 'miterer': ['meriter', 'miterer', 'trireme'], 'mithraic': ['arithmic', 'mithraic', 'mithriac'], 'mithraicist': ['mithraicist', 'mithraistic'], 'mithraistic': ['mithraicist', 'mithraistic'], 'mithriac': ['arithmic', 'mithraic', 'mithriac'], 'mitra': ['mitra', 'tarmi', 'timar', 'tirma'], 'mitral': ['mitral', 'ramtil'], 'mitrate': ['martite', 'mitrate'], 'mitre': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitrer': ['mitrer', 'retrim', 'trimer'], 'mitridae': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'mixer': ['mixer', 'remix'], 'mizar': ['mirza', 'mizar'], 'mnesic': ['cnemis', 'mnesic'], 'mniaceous': ['acuminose', 'mniaceous'], 'mniotiltidae': ['delimitation', 'mniotiltidae'], 'mnium': ['mnium', 'nummi'], 'mo': ['mo', 'om'], 'moabitic': ['biatomic', 'moabitic'], 'moan': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'moarian': ['amanori', 'moarian'], 'moat': ['atmo', 'atom', 'moat', 'toma'], 'mob': ['bom', 'mob'], 'mobbable': ['bombable', 'mobbable'], 'mobber': ['bomber', 'mobber'], 'mobbish': ['hobbism', 'mobbish'], 'mobed': ['demob', 'mobed'], 'mobile': ['bemoil', 'mobile'], 'mobilian': ['binomial', 'mobilian'], 'mobocrat': ['mobocrat', 'motorcab'], 'mobship': ['mobship', 'phobism'], 'mobster': ['bestorm', 'mobster'], 'mocker': ['mocker', 'remock'], 'mocmain': ['ammonic', 'mocmain'], 'mod': ['dom', 'mod'], 'modal': ['domal', 'modal'], 'mode': ['dome', 'mode', 'moed'], 'modeler': ['demerol', 'modeler', 'remodel'], 'modelist': ['melodist', 'modelist'], 'modena': ['daemon', 'damone', 'modena'], 'modenese': ['modenese', 'needsome'], 'moderant': ['moderant', 'normated'], 'moderantism': ['memorandist', 'moderantism', 'semidormant'], 'modern': ['modern', 'morned'], 'modernistic': ['modernistic', 'monstricide'], 'modestly': ['modestly', 'styledom'], 'modesty': ['dystome', 'modesty'], 'modiste': ['distome', 'modiste'], 'modistry': ['midstory', 'modistry'], 'modius': ['modius', 'sodium'], 'moe': ['meo', 'moe'], 'moed': ['dome', 'mode', 'moed'], 'moerithere': ['heteromeri', 'moerithere'], 'mogdad': ['goddam', 'mogdad'], 'moha': ['ahom', 'moha'], 'mohair': ['homrai', 'mahori', 'mohair'], 'mohel': ['hemol', 'mohel'], 'mohican': ['mohican', 'monachi'], 'moho': ['homo', 'moho'], 'mohur': ['humor', 'mohur'], 'moider': ['dormie', 'moider'], 'moieter': ['moieter', 'romeite'], 'moiety': ['moiety', 'moyite'], 'moil': ['milo', 'moil'], 'moiles': ['lemosi', 'limose', 'moiles'], 'moineau': ['eunomia', 'moineau'], 'moira': ['maori', 'mario', 'moira'], 'moisten': ['mistone', 'moisten'], 'moistener': ['moistener', 'neoterism'], 'moisture': ['moisture', 'semitour'], 'moit': ['itmo', 'moit', 'omit', 'timo'], 'mojo': ['joom', 'mojo'], 'moke': ['kome', 'moke'], 'moki': ['komi', 'moki'], 'mola': ['loam', 'loma', 'malo', 'mola', 'olam'], 'molar': ['molar', 'moral', 'romal'], 'molarity': ['molarity', 'morality'], 'molary': ['amyrol', 'molary'], 'molder': ['dermol', 'molder', 'remold'], 'moler': ['moler', 'morel'], 'molge': ['glome', 'golem', 'molge'], 'molidae': ['melodia', 'molidae'], 'molinia': ['molinia', 'monilia'], 'mollusca': ['callosum', 'mollusca'], 'moloid': ['moloid', 'oildom'], 'molten': ['loment', 'melton', 'molten'], 'molybdena': ['baldmoney', 'molybdena'], 'molybdenic': ['combinedly', 'molybdenic'], 'mome': ['memo', 'mome'], 'moment': ['moment', 'montem'], 'momentary': ['manometry', 'momentary'], 'momentous': ['mesonotum', 'momentous'], 'momotinae': ['amniotome', 'momotinae'], 'mona': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'monachi': ['mohican', 'monachi'], 'monactin': ['monactin', 'montanic'], 'monad': ['damon', 'monad', 'nomad'], 'monadic': ['monadic', 'nomadic'], 'monadical': ['monadical', 'nomadical'], 'monadically': ['monadically', 'nomadically'], 'monadina': ['monadina', 'nomadian'], 'monadism': ['monadism', 'nomadism'], 'monaene': ['anemone', 'monaene'], 'monal': ['almon', 'monal'], 'monamniotic': ['commination', 'monamniotic'], 'monanthous': ['anthonomus', 'monanthous'], 'monarch': ['monarch', 'nomarch', 'onmarch'], 'monarchial': ['harmonical', 'monarchial'], 'monarchian': ['anharmonic', 'monarchian'], 'monarchistic': ['chiromancist', 'monarchistic'], 'monarchy': ['monarchy', 'nomarchy'], 'monarda': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'monas': ['manso', 'mason', 'monas'], 'monasa': ['monasa', 'samoan'], 'monase': ['monase', 'nosema'], 'monaster': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monastery': ['monastery', 'oysterman'], 'monastic': ['catonism', 'monastic'], 'monastical': ['catmalison', 'monastical'], 'monatomic': ['commation', 'monatomic'], 'monaural': ['anomural', 'monaural'], 'monday': ['dynamo', 'monday'], 'mone': ['mone', 'nome', 'omen'], 'monel': ['lemon', 'melon', 'monel'], 'moner': ['enorm', 'moner', 'morne'], 'monera': ['enamor', 'monera', 'oreman', 'romane'], 'moneral': ['almoner', 'moneral', 'nemoral'], 'monergist': ['gerontism', 'monergist'], 'moneric': ['incomer', 'moneric'], 'monesia': ['monesia', 'osamine', 'osmanie'], 'monetary': ['monetary', 'myronate', 'naometry'], 'money': ['money', 'moyen'], 'moneybag': ['bogeyman', 'moneybag'], 'moneyless': ['moneyless', 'moyenless'], 'monger': ['germon', 'monger', 'morgen'], 'mongler': ['mongler', 'mongrel'], 'mongoose': ['gonosome', 'mongoose'], 'mongrel': ['mongler', 'mongrel'], 'mongrelity': ['longimetry', 'mongrelity'], 'monial': ['monial', 'nomial', 'oilman'], 'monias': ['monias', 'osamin', 'osmina'], 'monica': ['camion', 'conima', 'manioc', 'monica'], 'monilated': ['antimodel', 'maldonite', 'monilated'], 'monilia': ['molinia', 'monilia'], 'monism': ['monism', 'nomism', 'simmon'], 'monist': ['inmost', 'monist', 'omnist'], 'monistic': ['monistic', 'nicotism', 'nomistic'], 'monitory': ['monitory', 'moronity'], 'monitress': ['monitress', 'sermonist'], 'mono': ['mono', 'moon'], 'monoacid': ['damonico', 'monoacid'], 'monoazo': ['monoazo', 'monozoa'], 'monocleid': ['clinodome', 'melodicon', 'monocleid'], 'monoclinous': ['monoclinous', 'monoclonius'], 'monoclonius': ['monoclinous', 'monoclonius'], 'monocracy': ['monocracy', 'nomocracy'], 'monocystidae': ['monocystidae', 'monocystidea'], 'monocystidea': ['monocystidae', 'monocystidea'], 'monodactylous': ['condylomatous', 'monodactylous'], 'monodactyly': ['dactylonomy', 'monodactyly'], 'monodelphia': ['amidophenol', 'monodelphia'], 'monodonta': ['anomodont', 'monodonta'], 'monodram': ['monodram', 'romandom'], 'monoecian': ['monoecian', 'neocomian'], 'monoecism': ['economism', 'monoecism', 'monosemic'], 'monoeidic': ['meconioid', 'monoeidic'], 'monogastric': ['gastronomic', 'monogastric'], 'monogenist': ['monogenist', 'nomogenist'], 'monogenous': ['monogenous', 'nomogenous'], 'monogeny': ['monogeny', 'nomogeny'], 'monogram': ['monogram', 'nomogram'], 'monograph': ['monograph', 'nomograph', 'phonogram'], 'monographer': ['geranomorph', 'monographer', 'nomographer'], 'monographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'monographical': ['gramophonical', 'monographical', 'nomographical'], 'monographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'monographist': ['gramophonist', 'monographist'], 'monography': ['monography', 'nomography'], 'monoid': ['domino', 'monoid'], 'monological': ['monological', 'nomological'], 'monologist': ['monologist', 'nomologist', 'ontologism'], 'monology': ['monology', 'nomology'], 'monometer': ['metronome', 'monometer', 'monotreme'], 'monometric': ['commorient', 'metronomic', 'monometric'], 'monometrical': ['metronomical', 'monometrical'], 'monomorphic': ['monomorphic', 'morphonomic'], 'monont': ['monont', 'monton'], 'monopathy': ['monopathy', 'pathonomy'], 'monopersulphuric': ['monopersulphuric', 'permonosulphuric'], 'monophote': ['monophote', 'motophone'], 'monophylite': ['entomophily', 'monophylite'], 'monophyllous': ['monophyllous', 'nomophyllous'], 'monoplanist': ['monoplanist', 'postnominal'], 'monopsychism': ['monopsychism', 'psychomonism'], 'monopteral': ['monopteral', 'protonemal'], 'monosemic': ['economism', 'monoecism', 'monosemic'], 'monosodium': ['monosodium', 'omnimodous', 'onosmodium'], 'monotheism': ['monotheism', 'nomotheism'], 'monotheist': ['monotheist', 'thomsonite'], 'monothetic': ['monothetic', 'nomothetic'], 'monotreme': ['metronome', 'monometer', 'monotreme'], 'monotypal': ['monotypal', 'toponymal'], 'monotypic': ['monotypic', 'toponymic'], 'monotypical': ['monotypical', 'toponymical'], 'monozoa': ['monoazo', 'monozoa'], 'monozoic': ['monozoic', 'zoonomic'], 'monroeism': ['monroeism', 'semimoron'], 'monsieur': ['inermous', 'monsieur'], 'monstera': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monstricide': ['modernistic', 'monstricide'], 'montage': ['geomant', 'magneto', 'megaton', 'montage'], 'montagnais': ['antagonism', 'montagnais'], 'montanic': ['monactin', 'montanic'], 'montanite': ['mentation', 'montanite'], 'montem': ['moment', 'montem'], 'montes': ['montes', 'ostmen'], 'montia': ['atimon', 'manito', 'montia'], 'monticule': ['ctenolium', 'monticule'], 'monton': ['monont', 'monton'], 'montu': ['montu', 'mount', 'notum'], 'monture': ['monture', 'mounter', 'remount'], 'monumentary': ['monumentary', 'unmomentary'], 'mood': ['doom', 'mood'], 'mooder': ['doomer', 'mooder', 'redoom', 'roomed'], 'mool': ['loom', 'mool'], 'mools': ['mools', 'sloom'], 'moon': ['mono', 'moon'], 'moonglade': ['megalodon', 'moonglade'], 'moonite': ['emotion', 'moonite'], 'moonja': ['majoon', 'moonja'], 'moonscape': ['manoscope', 'moonscape'], 'moonseed': ['endosome', 'moonseed'], 'moontide': ['demotion', 'entomoid', 'moontide'], 'moop': ['moop', 'pomo'], 'moor': ['moor', 'moro', 'room'], 'moorage': ['moorage', 'roomage'], 'moorball': ['ballroom', 'moorball'], 'moore': ['moore', 'romeo'], 'moorn': ['moorn', 'moron'], 'moorship': ['isomorph', 'moorship'], 'moorup': ['moorup', 'uproom'], 'moorwort': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'moory': ['moory', 'roomy'], 'moost': ['moost', 'smoot'], 'moot': ['moot', 'toom'], 'mooth': ['mooth', 'thoom'], 'mootstead': ['mootstead', 'stomatode'], 'mop': ['mop', 'pom'], 'mopane': ['mopane', 'pomane'], 'mope': ['mope', 'poem', 'pome'], 'moper': ['merop', 'moper', 'proem', 'remop'], 'mophead': ['hemapod', 'mophead'], 'mopish': ['mopish', 'ophism'], 'mopla': ['mopla', 'palmo'], 'mopsy': ['mopsy', 'myops'], 'mora': ['amor', 'maro', 'mora', 'omar', 'roam'], 'morainal': ['manorial', 'morainal'], 'moraine': ['moraine', 'romaine'], 'moral': ['molar', 'moral', 'romal'], 'morality': ['molarity', 'morality'], 'morals': ['morals', 'morsal'], 'moran': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'morat': ['amort', 'morat', 'torma'], 'morate': ['amoret', 'morate'], 'moray': ['mayor', 'moray'], 'morbid': ['dibrom', 'morbid'], 'mordancy': ['dormancy', 'mordancy'], 'mordant': ['dormant', 'mordant'], 'mordenite': ['interdome', 'mordenite', 'nemertoid'], 'mordicate': ['decimator', 'medicator', 'mordicate'], 'more': ['mero', 'more', 'omer', 'rome'], 'moreish': ['heroism', 'moreish'], 'morel': ['moler', 'morel'], 'morencite': ['entomeric', 'intercome', 'morencite'], 'morenita': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'moreote': ['moreote', 'oometer'], 'mores': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'morga': ['agrom', 'morga'], 'morganatic': ['actinogram', 'morganatic'], 'morgay': ['gyroma', 'morgay'], 'morgen': ['germon', 'monger', 'morgen'], 'moribund': ['moribund', 'unmorbid'], 'moric': ['micro', 'moric', 'romic'], 'moriche': ['homeric', 'moriche'], 'morin': ['minor', 'morin'], 'moringa': ['ingomar', 'moringa', 'roaming'], 'moringua': ['mirounga', 'moringua', 'origanum'], 'morn': ['morn', 'norm'], 'morne': ['enorm', 'moner', 'morne'], 'morned': ['modern', 'morned'], 'mornless': ['mornless', 'normless'], 'moro': ['moor', 'moro', 'room'], 'morocota': ['coatroom', 'morocota'], 'moron': ['moorn', 'moron'], 'moronic': ['moronic', 'omicron'], 'moronity': ['monitory', 'moronity'], 'morphea': ['amphore', 'morphea'], 'morphonomic': ['monomorphic', 'morphonomic'], 'morphotic': ['microphot', 'morphotic'], 'morphotropic': ['morphotropic', 'protomorphic'], 'morrisean': ['morrisean', 'rosmarine'], 'morsal': ['morals', 'morsal'], 'morse': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'mortacious': ['mortacious', 'urosomatic'], 'mortar': ['marrot', 'mortar'], 'mortician': ['martinico', 'mortician'], 'mortise': ['erotism', 'mortise', 'trisome'], 'morton': ['morton', 'tomorn'], 'mortuarian': ['mortuarian', 'muratorian'], 'mortuary': ['mortuary', 'outmarry'], 'mortuous': ['mortuous', 'tumorous'], 'morus': ['morus', 'mosur'], 'mosaic': ['aosmic', 'mosaic'], 'mosandrite': ['mosandrite', 'tarsonemid'], 'mosasauri': ['amaurosis', 'mosasauri'], 'moschate': ['chatsome', 'moschate'], 'mose': ['meso', 'mose', 'some'], 'mosker': ['mosker', 'smoker'], 'mosser': ['messor', 'mosser', 'somers'], 'moste': ['moste', 'smote'], 'mosting': ['gnomist', 'mosting'], 'mosul': ['mosul', 'mouls', 'solum'], 'mosur': ['morus', 'mosur'], 'mot': ['mot', 'tom'], 'mote': ['mote', 'tome'], 'motel': ['metol', 'motel'], 'motet': ['motet', 'motte', 'totem'], 'mothed': ['method', 'mothed'], 'mother': ['mother', 'thermo'], 'motherland': ['enthraldom', 'motherland'], 'motherward': ['motherward', 'threadworm'], 'motograph': ['motograph', 'photogram'], 'motographic': ['motographic', 'tomographic'], 'motophone': ['monophote', 'motophone'], 'motorcab': ['mobocrat', 'motorcab'], 'motte': ['motet', 'motte', 'totem'], 'moud': ['doum', 'moud', 'odum'], 'moudy': ['moudy', 'yomud'], 'moul': ['moul', 'ulmo'], 'mouls': ['mosul', 'mouls', 'solum'], 'mound': ['donum', 'mound'], 'mount': ['montu', 'mount', 'notum'], 'mountained': ['emundation', 'mountained'], 'mountaineer': ['enumeration', 'mountaineer'], 'mounted': ['demount', 'mounted'], 'mounter': ['monture', 'mounter', 'remount'], 'mousery': ['mousery', 'seymour'], 'mousoni': ['mousoni', 'ominous'], 'mousse': ['mousse', 'smouse'], 'moutan': ['amount', 'moutan', 'outman'], 'mouther': ['mouther', 'theorum'], 'mover': ['mover', 'vomer'], 'moy': ['moy', 'yom'], 'moyen': ['money', 'moyen'], 'moyenless': ['moneyless', 'moyenless'], 'moyite': ['moiety', 'moyite'], 'mru': ['mru', 'rum'], 'mu': ['mu', 'um'], 'muang': ['muang', 'munga'], 'much': ['chum', 'much'], 'mucic': ['cumic', 'mucic'], 'mucilage': ['glucemia', 'mucilage'], 'mucin': ['cumin', 'mucin'], 'mucinoid': ['conidium', 'mucinoid', 'oncidium'], 'mucofibrous': ['fibromucous', 'mucofibrous'], 'mucoid': ['codium', 'mucoid'], 'muconic': ['muconic', 'uncomic'], 'mucor': ['mucor', 'mucro'], 'mucoserous': ['mucoserous', 'seromucous'], 'mucro': ['mucor', 'mucro'], 'mucrones': ['consumer', 'mucrones'], 'mud': ['dum', 'mud'], 'mudar': ['mudar', 'mudra'], 'mudden': ['edmund', 'mudden'], 'mudir': ['mudir', 'murid'], 'mudra': ['mudar', 'mudra'], 'mudstone': ['mudstone', 'unmodest'], 'mug': ['gum', 'mug'], 'muga': ['gaum', 'muga'], 'muggles': ['muggles', 'smuggle'], 'mugweed': ['gumweed', 'mugweed'], 'muid': ['duim', 'muid'], 'muilla': ['allium', 'alulim', 'muilla'], 'muir': ['muir', 'rimu'], 'muishond': ['muishond', 'unmodish'], 'muist': ['muist', 'tuism'], 'mukri': ['kurmi', 'mukri'], 'muleta': ['amulet', 'muleta'], 'mulga': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'mulier': ['mulier', 'muriel'], 'mulita': ['mulita', 'ultima'], 'mulk': ['kulm', 'mulk'], 'multani': ['multani', 'talinum'], 'multinervose': ['multinervose', 'volunteerism'], 'multipole': ['impollute', 'multipole'], 'mumbler': ['bummler', 'mumbler'], 'munda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'mundane': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'munga': ['muang', 'munga'], 'mungo': ['mungo', 'muong'], 'munia': ['maniu', 'munia', 'unami'], 'munity': ['munity', 'mutiny'], 'muong': ['mungo', 'muong'], 'mura': ['arum', 'maru', 'mura'], 'murage': ['mauger', 'murage'], 'mural': ['mural', 'rumal'], 'muralist': ['altruism', 'muralist', 'traulism', 'ultraism'], 'muran': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'murat': ['martu', 'murat', 'turma'], 'muratorian': ['mortuarian', 'muratorian'], 'murderer': ['demurrer', 'murderer'], 'murdering': ['demurring', 'murdering'], 'murderingly': ['demurringly', 'murderingly'], 'murex': ['murex', 'rumex'], 'murga': ['garum', 'murga'], 'muricate': ['ceratium', 'muricate'], 'muricine': ['irenicum', 'muricine'], 'murid': ['mudir', 'murid'], 'muriel': ['mulier', 'muriel'], 'murine': ['murine', 'nerium'], 'murly': ['murly', 'rumly'], 'murmurer': ['murmurer', 'remurmur'], 'murrain': ['murrain', 'murrina'], 'murrina': ['murrain', 'murrina'], 'murut': ['murut', 'utrum'], 'murza': ['mazur', 'murza'], 'mus': ['mus', 'sum'], 'musa': ['masu', 'musa', 'saum'], 'musal': ['lamus', 'malus', 'musal', 'slaum'], 'musalmani': ['manualism', 'musalmani'], 'musang': ['magnus', 'musang'], 'musar': ['musar', 'ramus', 'rusma', 'surma'], 'musca': ['camus', 'musca', 'scaum', 'sumac'], 'muscade': ['camused', 'muscade'], 'muscarine': ['muscarine', 'sucramine'], 'musci': ['musci', 'music'], 'muscicole': ['leucocism', 'muscicole'], 'muscinae': ['muscinae', 'semuncia'], 'muscle': ['clumse', 'muscle'], 'muscly': ['clumsy', 'muscly'], 'muscone': ['consume', 'muscone'], 'muscot': ['custom', 'muscot'], 'mused': ['mused', 'sedum'], 'museography': ['hypergamous', 'museography'], 'muser': ['muser', 'remus', 'serum'], 'musha': ['hamus', 'musha'], 'music': ['musci', 'music'], 'musicate': ['autecism', 'musicate'], 'musico': ['musico', 'suomic'], 'musie': ['iseum', 'musie'], 'musing': ['musing', 'signum'], 'muslined': ['muslined', 'unmisled', 'unsmiled'], 'musophagine': ['amphigenous', 'musophagine'], 'mussaenda': ['mussaenda', 'unamassed'], 'must': ['must', 'smut', 'stum'], 'mustang': ['mustang', 'stagnum'], 'mustard': ['durmast', 'mustard'], 'muster': ['muster', 'sertum', 'stumer'], 'musterer': ['musterer', 'remuster'], 'mustily': ['mustily', 'mytilus'], 'muta': ['muta', 'taum'], 'mutable': ['atumble', 'mutable'], 'mutant': ['mutant', 'tantum', 'tutman'], 'mutase': ['meatus', 'mutase'], 'mute': ['mute', 'tume'], 'muteness': ['muteness', 'tenesmus'], 'mutescence': ['mutescence', 'tumescence'], 'mutilate': ['mutilate', 'ultimate'], 'mutilation': ['mutilation', 'ultimation'], 'mutiny': ['munity', 'mutiny'], 'mutism': ['mutism', 'summit'], 'mutual': ['mutual', 'umlaut'], 'mutulary': ['mutulary', 'tumulary'], 'muysca': ['cyamus', 'muysca'], 'mwa': ['maw', 'mwa'], 'my': ['my', 'ym'], 'mya': ['amy', 'may', 'mya', 'yam'], 'myal': ['amyl', 'lyam', 'myal'], 'myaria': ['amiray', 'myaria'], 'myatonic': ['cymation', 'myatonic', 'onymatic'], 'mycelia': ['amyelic', 'mycelia'], 'mycelian': ['clymenia', 'mycelian'], 'mycoid': ['cymoid', 'mycoid'], 'mycophagist': ['mycophagist', 'phagocytism'], 'mycose': ['cymose', 'mycose'], 'mycosterol': ['mycosterol', 'sclerotomy'], 'mycotrophic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'mycterism': ['mycterism', 'symmetric'], 'myctodera': ['myctodera', 'radectomy'], 'mydaleine': ['amylidene', 'mydaleine'], 'myeloencephalitis': ['encephalomyelitis', 'myeloencephalitis'], 'myelomeningitis': ['meningomyelitis', 'myelomeningitis'], 'myelomeningocele': ['meningomyelocele', 'myelomeningocele'], 'myelon': ['lemony', 'myelon'], 'myelonal': ['amylenol', 'myelonal'], 'myeloneuritis': ['myeloneuritis', 'neuromyelitis'], 'myeloplast': ['meloplasty', 'myeloplast'], 'mygale': ['gamely', 'gleamy', 'mygale'], 'myitis': ['myitis', 'simity'], 'myliobatid': ['bimodality', 'myliobatid'], 'mymar': ['mymar', 'rammy'], 'myna': ['many', 'myna'], 'myoatrophy': ['amyotrophy', 'myoatrophy'], 'myocolpitis': ['myocolpitis', 'polysomitic'], 'myofibroma': ['fibromyoma', 'myofibroma'], 'myoglobin': ['boomingly', 'myoglobin'], 'myographic': ['microphagy', 'myographic'], 'myographist': ['myographist', 'pythagorism'], 'myolipoma': ['lipomyoma', 'myolipoma'], 'myomohysterectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'myope': ['myope', 'pomey'], 'myoplastic': ['myoplastic', 'polymastic'], 'myoplasty': ['myoplasty', 'polymasty'], 'myopolar': ['myopolar', 'playroom'], 'myops': ['mopsy', 'myops'], 'myosin': ['isonym', 'myosin', 'simony'], 'myosote': ['myosote', 'toysome'], 'myotenotomy': ['myotenotomy', 'tenomyotomy'], 'myotic': ['comity', 'myotic'], 'myra': ['army', 'mary', 'myra', 'yarm'], 'myrcia': ['myrcia', 'myrica'], 'myrialiter': ['myrialiter', 'myrialitre'], 'myrialitre': ['myrialiter', 'myrialitre'], 'myriameter': ['myriameter', 'myriametre'], 'myriametre': ['myriameter', 'myriametre'], 'myrianida': ['dimyarian', 'myrianida'], 'myrica': ['myrcia', 'myrica'], 'myristate': ['myristate', 'tasimetry'], 'myristin': ['ministry', 'myristin'], 'myristone': ['myristone', 'smyrniote'], 'myronate': ['monetary', 'myronate', 'naometry'], 'myrsinad': ['misandry', 'myrsinad'], 'myrtales': ['masterly', 'myrtales'], 'myrtle': ['myrtle', 'termly'], 'mysell': ['mysell', 'smelly'], 'mysian': ['maysin', 'minyas', 'mysian'], 'mysis': ['missy', 'mysis'], 'mysterial': ['mysterial', 'salimetry'], 'mystes': ['mystes', 'system'], 'mythographer': ['mythographer', 'thermography'], 'mythogreen': ['mythogreen', 'thermogeny'], 'mythologer': ['mythologer', 'thermology'], 'mythopoeic': ['homeotypic', 'mythopoeic'], 'mythus': ['mythus', 'thymus'], 'mytilid': ['mytilid', 'timidly'], 'mytilus': ['mustily', 'mytilus'], 'myxochondroma': ['chondromyxoma', 'myxochondroma'], 'myxochondrosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'myxocystoma': ['cystomyxoma', 'myxocystoma'], 'myxofibroma': ['fibromyxoma', 'myxofibroma'], 'myxofibrosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'myxoinoma': ['inomyxoma', 'myxoinoma'], 'myxolipoma': ['lipomyxoma', 'myxolipoma'], 'myxotheca': ['chemotaxy', 'myxotheca'], 'na': ['an', 'na'], 'naa': ['ana', 'naa'], 'naam': ['anam', 'mana', 'naam', 'nama'], 'nab': ['ban', 'nab'], 'nabak': ['banak', 'nabak'], 'nabal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nabalism': ['bailsman', 'balanism', 'nabalism'], 'nabalite': ['albanite', 'balanite', 'nabalite'], 'nabalus': ['balanus', 'nabalus', 'subanal'], 'nabk': ['bank', 'knab', 'nabk'], 'nabla': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nable': ['leban', 'nable'], 'nabobishly': ['babylonish', 'nabobishly'], 'nabothian': ['bathonian', 'nabothian'], 'nabs': ['nabs', 'snab'], 'nabu': ['baun', 'buna', 'nabu', 'nuba'], 'nacarat': ['cantara', 'nacarat'], 'nace': ['acne', 'cane', 'nace'], 'nachitoch': ['chanchito', 'nachitoch'], 'nacre': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'nacred': ['cedarn', 'dancer', 'nacred'], 'nacreous': ['carneous', 'nacreous'], 'nacrite': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'nacrous': ['carnous', 'nacrous', 'narcous'], 'nadder': ['dander', 'darned', 'nadder'], 'nadeem': ['amende', 'demean', 'meaned', 'nadeem'], 'nadir': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'nadorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'nae': ['ean', 'nae', 'nea'], 'nael': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'naether': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'nag': ['gan', 'nag'], 'nagara': ['angara', 'aranga', 'nagara'], 'nagari': ['graian', 'nagari'], 'nagatelite': ['gelatinate', 'nagatelite'], 'nagger': ['ganger', 'grange', 'nagger'], 'nagging': ['ganging', 'nagging'], 'naggle': ['laggen', 'naggle'], 'naggly': ['gangly', 'naggly'], 'nagmaal': ['malanga', 'nagmaal'], 'nagnag': ['gangan', 'nagnag'], 'nagnail': ['alangin', 'anginal', 'anglian', 'nagnail'], 'nagor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'nagster': ['angster', 'garnets', 'nagster', 'strange'], 'nagual': ['angula', 'nagual'], 'nahani': ['hainan', 'nahani'], 'nahor': ['nahor', 'norah', 'rohan'], 'nahum': ['human', 'nahum'], 'naiad': ['danai', 'diana', 'naiad'], 'naiant': ['naiant', 'tainan'], 'naias': ['asian', 'naias', 'sanai'], 'naid': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'naif': ['fain', 'naif'], 'naifly': ['fainly', 'naifly'], 'naig': ['gain', 'inga', 'naig', 'ngai'], 'naik': ['akin', 'kina', 'naik'], 'nail': ['alin', 'anil', 'lain', 'lina', 'nail'], 'nailer': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'naileress': ['earliness', 'naileress'], 'nailery': ['inlayer', 'nailery'], 'nailless': ['nailless', 'sensilla'], 'nailrod': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'nailshop': ['nailshop', 'siphonal'], 'naily': ['inlay', 'naily'], 'naim': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'nain': ['nain', 'nina'], 'naio': ['aion', 'naio'], 'nair': ['arni', 'iran', 'nair', 'rain', 'rani'], 'nairy': ['nairy', 'rainy'], 'nais': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'naish': ['naish', 'shina'], 'naither': ['anither', 'inearth', 'naither'], 'naive': ['avine', 'naive', 'vinea'], 'naivete': ['naivete', 'nieveta'], 'nak': ['kan', 'nak'], 'naked': ['kande', 'knead', 'naked'], 'nakedish': ['headskin', 'nakedish', 'sinkhead'], 'naker': ['anker', 'karen', 'naker'], 'nakir': ['inkra', 'krina', 'nakir', 'rinka'], 'nako': ['kona', 'nako'], 'nalita': ['antlia', 'latian', 'nalita'], 'nallah': ['hallan', 'nallah'], 'nam': ['man', 'nam'], 'nama': ['anam', 'mana', 'naam', 'nama'], 'namaz': ['namaz', 'zaman'], 'nambe': ['beman', 'nambe'], 'namda': ['adman', 'daman', 'namda'], 'name': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nameability': ['amenability', 'nameability'], 'nameable': ['amenable', 'nameable'], 'nameless': ['lameness', 'maleness', 'maneless', 'nameless'], 'nameling': ['mangelin', 'nameling'], 'namely': ['meanly', 'namely'], 'namer': ['enarm', 'namer', 'reman'], 'nammad': ['madman', 'nammad'], 'nan': ['ann', 'nan'], 'nana': ['anan', 'anna', 'nana'], 'nanaimo': ['nanaimo', 'omniana'], 'nancy': ['canny', 'nancy'], 'nandi': ['indan', 'nandi'], 'nane': ['anne', 'nane'], 'nanes': ['nanes', 'senna'], 'nanoid': ['adonin', 'nanoid', 'nonaid'], 'nanosomia': ['nanosomia', 'nosomania'], 'nanpie': ['nanpie', 'pennia', 'pinnae'], 'naological': ['colonalgia', 'naological'], 'naometry': ['monetary', 'myronate', 'naometry'], 'naomi': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'naoto': ['naoto', 'toona'], 'nap': ['nap', 'pan'], 'napaean': ['anapnea', 'napaean'], 'nape': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'napead': ['napead', 'panade'], 'napery': ['napery', 'pyrena'], 'naphthalize': ['naphthalize', 'phthalazine'], 'naphtol': ['haplont', 'naphtol'], 'napkin': ['napkin', 'pankin'], 'napped': ['append', 'napped'], 'napper': ['napper', 'papern'], 'napron': ['napron', 'nonpar'], 'napthionic': ['antiphonic', 'napthionic'], 'napu': ['napu', 'puan', 'puna'], 'nar': ['arn', 'nar', 'ran'], 'narcaciontes': ['narcaciontes', 'transoceanic'], 'narcose': ['carnose', 'coarsen', 'narcose'], 'narcotia': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'narcoticism': ['intracosmic', 'narcoticism'], 'narcotina': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'narcotine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'narcotism': ['narcotism', 'romancist'], 'narcotist': ['narcotist', 'stratonic'], 'narcotize': ['narcotize', 'zirconate'], 'narcous': ['carnous', 'nacrous', 'narcous'], 'nard': ['darn', 'nard', 'rand'], 'nardine': ['adrenin', 'nardine'], 'nardus': ['nardus', 'sundar', 'sundra'], 'nares': ['anser', 'nares', 'rasen', 'snare'], 'nargil': ['nargil', 'raglin'], 'naric': ['cairn', 'crain', 'naric'], 'narica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'nariform': ['nariform', 'raniform'], 'narine': ['narine', 'ranine'], 'nark': ['knar', 'kran', 'nark', 'rank'], 'narration': ['narration', 'tornarian'], 'narthecium': ['anthericum', 'narthecium'], 'nary': ['nary', 'yarn'], 'nasab': ['nasab', 'saban'], 'nasal': ['alans', 'lanas', 'nasal'], 'nasalism': ['nasalism', 'sailsman'], 'nasard': ['nasard', 'sandra'], 'nascapi': ['capsian', 'caspian', 'nascapi', 'panisca'], 'nash': ['hans', 'nash', 'shan'], 'nashgab': ['bangash', 'nashgab'], 'nasi': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'nasial': ['anisal', 'nasial', 'salian', 'salina'], 'nasitis': ['nasitis', 'sistani'], 'nasoantral': ['antronasal', 'nasoantral'], 'nasobuccal': ['bucconasal', 'nasobuccal'], 'nasofrontal': ['frontonasal', 'nasofrontal'], 'nasolabial': ['labionasal', 'nasolabial'], 'nasolachrymal': ['lachrymonasal', 'nasolachrymal'], 'nasonite': ['estonian', 'nasonite'], 'nasoorbital': ['nasoorbital', 'orbitonasal'], 'nasopalatal': ['nasopalatal', 'palatonasal'], 'nasoseptal': ['nasoseptal', 'septonasal'], 'nassa': ['nassa', 'sasan'], 'nassidae': ['assidean', 'nassidae'], 'nast': ['nast', 'sant', 'stan'], 'nastic': ['incast', 'nastic'], 'nastily': ['nastily', 'saintly', 'staynil'], 'nasturtion': ['antrustion', 'nasturtion'], 'nasty': ['nasty', 'styan', 'tansy'], 'nasua': ['nasua', 'sauna'], 'nasus': ['nasus', 'susan'], 'nasute': ['nasute', 'nauset', 'unseat'], 'nat': ['ant', 'nat', 'tan'], 'nataka': ['nataka', 'tanaka'], 'natal': ['antal', 'natal'], 'natalia': ['altaian', 'latania', 'natalia'], 'natalie': ['laniate', 'natalie', 'taenial'], 'nataloin': ['latonian', 'nataloin', 'national'], 'natals': ['aslant', 'lansat', 'natals', 'santal'], 'natator': ['arnotta', 'natator'], 'natatorium': ['maturation', 'natatorium'], 'natch': ['chant', 'natch'], 'nate': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'nates': ['antes', 'nates', 'stane', 'stean'], 'nathan': ['nathan', 'thanan'], 'nathe': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'nather': ['anther', 'nather', 'tharen', 'thenar'], 'natica': ['actian', 'natica', 'tanica'], 'naticiform': ['actiniform', 'naticiform'], 'naticine': ['actinine', 'naticine'], 'natick': ['catkin', 'natick'], 'naticoid': ['actinoid', 'diatonic', 'naticoid'], 'nation': ['anoint', 'nation'], 'national': ['latonian', 'nataloin', 'national'], 'native': ['native', 'navite'], 'natively': ['natively', 'venality'], 'nativist': ['nativist', 'visitant'], 'natr': ['natr', 'rant', 'tarn', 'tran'], 'natricinae': ['natricinae', 'nectarinia'], 'natricine': ['crinanite', 'natricine'], 'natrolite': ['natrolite', 'tentorial'], 'natter': ['attern', 'natter', 'ratten', 'tarten'], 'nattered': ['attender', 'nattered', 'reattend'], 'nattily': ['nattily', 'titanyl'], 'nattle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'naturalistic': ['naturalistic', 'unartistical'], 'naturing': ['gainturn', 'naturing'], 'naturism': ['naturism', 'sturmian', 'turanism'], 'naturist': ['antirust', 'naturist'], 'naturistic': ['naturistic', 'unartistic'], 'naturistically': ['naturistically', 'unartistically'], 'nauger': ['nauger', 'raunge', 'ungear'], 'naumk': ['kuman', 'naumk'], 'naunt': ['naunt', 'tunna'], 'nauntle': ['annulet', 'nauntle'], 'nauplius': ['nauplius', 'paulinus'], 'nauset': ['nasute', 'nauset', 'unseat'], 'naut': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'nauther': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'nautic': ['anicut', 'nautic', 'ticuna', 'tunica'], 'nautical': ['actinula', 'nautical'], 'nautiloid': ['lutianoid', 'nautiloid'], 'nautilus': ['lutianus', 'nautilus', 'ustulina'], 'naval': ['alvan', 'naval'], 'navalist': ['navalist', 'salivant'], 'navar': ['navar', 'varan', 'varna'], 'nave': ['evan', 'nave', 'vane'], 'navel': ['elvan', 'navel', 'venal'], 'naviculare': ['naviculare', 'uncavalier'], 'navigant': ['navigant', 'vaginant'], 'navigate': ['navigate', 'vaginate'], 'navite': ['native', 'navite'], 'naw': ['awn', 'naw', 'wan'], 'nawt': ['nawt', 'tawn', 'want'], 'nay': ['any', 'nay', 'yan'], 'nayar': ['aryan', 'nayar', 'rayan'], 'nazarite': ['nazarite', 'nazirate', 'triazane'], 'nazi': ['nazi', 'zain'], 'nazim': ['nazim', 'nizam'], 'nazirate': ['nazarite', 'nazirate', 'triazane'], 'nazirite': ['nazirite', 'triazine'], 'ne': ['en', 'ne'], 'nea': ['ean', 'nae', 'nea'], 'neal': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'neanic': ['canine', 'encina', 'neanic'], 'neap': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'neapolitan': ['antelopian', 'neapolitan', 'panelation'], 'nearby': ['barney', 'nearby'], 'nearctic': ['acentric', 'encratic', 'nearctic'], 'nearest': ['earnest', 'eastern', 'nearest'], 'nearish': ['arshine', 'nearish', 'rhesian', 'sherani'], 'nearly': ['anerly', 'nearly'], 'nearmost': ['monaster', 'monstera', 'nearmost', 'storeman'], 'nearthrosis': ['enarthrosis', 'nearthrosis'], 'neat': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'neaten': ['etnean', 'neaten'], 'neath': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'neatherd': ['adherent', 'headrent', 'neatherd', 'threaden'], 'neatherdess': ['heartedness', 'neatherdess'], 'neb': ['ben', 'neb'], 'neback': ['backen', 'neback'], 'nebaioth': ['boethian', 'nebaioth'], 'nebalia': ['abelian', 'nebalia'], 'nebelist': ['nebelist', 'stilbene', 'tensible'], 'nebula': ['nebula', 'unable', 'unbale'], 'nebulose': ['bluenose', 'nebulose'], 'necator': ['enactor', 'necator', 'orcanet'], 'necessarian': ['necessarian', 'renaissance'], 'neckar': ['canker', 'neckar'], 'necrogenic': ['congeneric', 'necrogenic'], 'necrogenous': ['congenerous', 'necrogenous'], 'necrology': ['crenology', 'necrology'], 'necropoles': ['necropoles', 'preconsole'], 'necropolis': ['clinospore', 'necropolis'], 'necrotic': ['crocetin', 'necrotic'], 'necrotomic': ['necrotomic', 'oncometric'], 'necrotomy': ['necrotomy', 'normocyte', 'oncometry'], 'nectar': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'nectareal': ['lactarene', 'nectareal'], 'nectared': ['crenated', 'decanter', 'nectared'], 'nectareous': ['countersea', 'nectareous'], 'nectarial': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'nectarian': ['cratinean', 'incarnate', 'nectarian'], 'nectaried': ['nectaried', 'tridecane'], 'nectarine': ['inertance', 'nectarine'], 'nectarinia': ['natricinae', 'nectarinia'], 'nectarious': ['nectarious', 'recusation'], 'nectarlike': ['nectarlike', 'trancelike'], 'nectarous': ['acentrous', 'courtesan', 'nectarous'], 'nectary': ['encraty', 'nectary'], 'nectophore': ['ctenophore', 'nectophore'], 'nectria': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'ned': ['den', 'end', 'ned'], 'nedder': ['nedder', 'redden'], 'neebor': ['boreen', 'enrobe', 'neebor', 'rebone'], 'need': ['dene', 'eden', 'need'], 'needer': ['endere', 'needer', 'reeden'], 'needfire': ['needfire', 'redefine'], 'needily': ['needily', 'yielden'], 'needle': ['lendee', 'needle'], 'needless': ['needless', 'seldseen'], 'needs': ['dense', 'needs'], 'needsome': ['modenese', 'needsome'], 'neeger': ['neeger', 'reenge', 'renege'], 'neeld': ['leden', 'neeld'], 'neep': ['neep', 'peen'], 'neepour': ['neepour', 'neurope'], 'neer': ['erne', 'neer', 'reen'], 'neet': ['neet', 'nete', 'teen'], 'neetup': ['neetup', 'petune'], 'nef': ['fen', 'nef'], 'nefast': ['fasten', 'nefast', 'stefan'], 'neftgil': ['felting', 'neftgil'], 'negate': ['geneat', 'negate', 'tegean'], 'negation': ['antigone', 'negation'], 'negative': ['agentive', 'negative'], 'negativism': ['negativism', 'timesaving'], 'negator': ['negator', 'tronage'], 'negatron': ['argenton', 'negatron'], 'neger': ['genre', 'green', 'neger', 'reneg'], 'neglecter': ['neglecter', 'reneglect'], 'negritian': ['negritian', 'retaining'], 'negrito': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'negritoid': ['negritoid', 'rodingite'], 'negro': ['ergon', 'genro', 'goner', 'negro'], 'negroid': ['groined', 'negroid'], 'negroidal': ['girandole', 'negroidal'], 'negroize': ['genizero', 'negroize'], 'negroloid': ['gondolier', 'negroloid'], 'negrotic': ['gerontic', 'negrotic'], 'negundo': ['dungeon', 'negundo'], 'negus': ['genus', 'negus'], 'neif': ['enif', 'fine', 'neif', 'nife'], 'neigh': ['hinge', 'neigh'], 'neil': ['lien', 'line', 'neil', 'nile'], 'neiper': ['neiper', 'perine', 'pirene', 'repine'], 'neist': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'neither': ['enherit', 'etherin', 'neither', 'therein'], 'nekkar': ['kraken', 'nekkar'], 'nekton': ['kenton', 'nekton'], 'nelken': ['kennel', 'nelken'], 'nelsonite': ['nelsonite', 'solentine'], 'nelumbian': ['nelumbian', 'unminable'], 'nema': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nemalite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'nematoda': ['mantodea', 'nematoda'], 'nematoid': ['dominate', 'nematoid'], 'nematophyton': ['nematophyton', 'tenontophyma'], 'nemertinea': ['minnetaree', 'nemertinea'], 'nemertini': ['intermine', 'nemertini', 'terminine'], 'nemertoid': ['interdome', 'mordenite', 'nemertoid'], 'nemoral': ['almoner', 'moneral', 'nemoral'], 'nenta': ['anent', 'annet', 'nenta'], 'neo': ['eon', 'neo', 'one'], 'neoarctic': ['accretion', 'anorectic', 'neoarctic'], 'neocomian': ['monoecian', 'neocomian'], 'neocosmic': ['economics', 'neocosmic'], 'neocyte': ['enocyte', 'neocyte'], 'neogaea': ['eogaean', 'neogaea'], 'neogenesis': ['neogenesis', 'noegenesis'], 'neogenetic': ['neogenetic', 'noegenetic'], 'neognathous': ['anthogenous', 'neognathous'], 'neolatry': ['neolatry', 'ornately', 'tyrolean'], 'neolithic': ['ichnolite', 'neolithic'], 'neomiracle': ['ceremonial', 'neomiracle'], 'neomorphic': ['microphone', 'neomorphic'], 'neon': ['neon', 'none'], 'neophilism': ['neophilism', 'philoneism'], 'neophytic': ['hypnoetic', 'neophytic'], 'neoplasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'neoplastic': ['neoplastic', 'pleonastic'], 'neorama': ['neorama', 'romaean'], 'neornithes': ['neornithes', 'rhinestone'], 'neossin': ['neossin', 'sension'], 'neoteric': ['erection', 'neoteric', 'nocerite', 'renotice'], 'neoterism': ['moistener', 'neoterism'], 'neotragus': ['argentous', 'neotragus'], 'neotropic': ['ectropion', 'neotropic'], 'neotropical': ['neotropical', 'percolation'], 'neoza': ['neoza', 'ozena'], 'nep': ['nep', 'pen'], 'nepa': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'nepal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'nepali': ['alpine', 'nepali', 'penial', 'pineal'], 'neper': ['neper', 'preen', 'repen'], 'nepheloscope': ['nepheloscope', 'phonelescope'], 'nephite': ['heptine', 'nephite'], 'nephogram': ['gomphrena', 'nephogram'], 'nephological': ['nephological', 'phenological'], 'nephologist': ['nephologist', 'phenologist'], 'nephology': ['nephology', 'phenology'], 'nephria': ['heparin', 'nephria'], 'nephric': ['nephric', 'phrenic', 'pincher'], 'nephrite': ['nephrite', 'prehnite', 'trephine'], 'nephritic': ['nephritic', 'phrenitic', 'prehnitic'], 'nephritis': ['inspreith', 'nephritis', 'phrenitis'], 'nephrocardiac': ['nephrocardiac', 'phrenocardiac'], 'nephrocolic': ['nephrocolic', 'phrenocolic'], 'nephrocystosis': ['cystonephrosis', 'nephrocystosis'], 'nephrogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'nephrohydrosis': ['hydronephrosis', 'nephrohydrosis'], 'nephrolithotomy': ['lithonephrotomy', 'nephrolithotomy'], 'nephrologist': ['nephrologist', 'phrenologist'], 'nephrology': ['nephrology', 'phrenology'], 'nephropathic': ['nephropathic', 'phrenopathic'], 'nephropathy': ['nephropathy', 'phrenopathy'], 'nephropsidae': ['nephropsidae', 'praesphenoid'], 'nephroptosia': ['nephroptosia', 'prosiphonate'], 'nephropyelitis': ['nephropyelitis', 'pyelonephritis'], 'nephropyosis': ['nephropyosis', 'pyonephrosis'], 'nephrosis': ['nephrosis', 'phronesis'], 'nephrostoma': ['nephrostoma', 'strophomena'], 'nephrotome': ['nephrotome', 'phonometer'], 'nephrotomy': ['nephrotomy', 'phonometry'], 'nepman': ['nepman', 'penman'], 'nepotal': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'nepote': ['nepote', 'pontee', 'poteen'], 'nepotic': ['entopic', 'nepotic', 'pentoic'], 'nereid': ['denier', 'nereid'], 'nereis': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'neri': ['neri', 'rein', 'rine'], 'nerita': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'neritic': ['citrine', 'crinite', 'inciter', 'neritic'], 'neritina': ['neritina', 'retinian'], 'neritoid': ['neritoid', 'retinoid'], 'nerium': ['murine', 'nerium'], 'neroic': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'neronic': ['corinne', 'cornein', 'neronic'], 'nerval': ['nerval', 'vernal'], 'nervate': ['nervate', 'veteran'], 'nervation': ['nervation', 'vernation'], 'nerve': ['nerve', 'never'], 'nervid': ['driven', 'nervid', 'verdin'], 'nervine': ['innerve', 'nervine', 'vernine'], 'nerviness': ['inverness', 'nerviness'], 'nervish': ['nervish', 'shriven'], 'nervulose': ['nervulose', 'unresolve', 'vulnerose'], 'nese': ['ense', 'esne', 'nese', 'seen', 'snee'], 'nesh': ['nesh', 'shen'], 'nesiot': ['nesiot', 'ostein'], 'neskhi': ['kishen', 'neskhi'], 'neslia': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'nest': ['nest', 'sent', 'sten'], 'nester': ['ernest', 'nester', 'resent', 'streen'], 'nestiatria': ['intarsiate', 'nestiatria'], 'nestlike': ['nestlike', 'skeletin'], 'nestor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'net': ['net', 'ten'], 'netcha': ['entach', 'netcha'], 'nete': ['neet', 'nete', 'teen'], 'neter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'netful': ['fluent', 'netful', 'unfelt', 'unleft'], 'neth': ['hent', 'neth', 'then'], 'nether': ['erthen', 'henter', 'nether', 'threne'], 'neti': ['iten', 'neti', 'tien', 'tine'], 'netman': ['manent', 'netman'], 'netsuke': ['kuneste', 'netsuke'], 'nettable': ['nettable', 'tentable'], 'nettapus': ['nettapus', 'stepaunt'], 'netted': ['detent', 'netted', 'tented'], 'netter': ['netter', 'retent', 'tenter'], 'nettion': ['nettion', 'tention', 'tontine'], 'nettle': ['letten', 'nettle'], 'nettler': ['nettler', 'ternlet'], 'netty': ['netty', 'tenty'], 'neurad': ['endura', 'neurad', 'undear', 'unread'], 'neural': ['lunare', 'neural', 'ulnare', 'unreal'], 'neuralgic': ['genicular', 'neuralgic'], 'neuralist': ['neuralist', 'ulsterian', 'unrealist'], 'neurectopia': ['eucatropine', 'neurectopia'], 'neuric': ['curine', 'erucin', 'neuric'], 'neurilema': ['lemurinae', 'neurilema'], 'neurin': ['enruin', 'neurin', 'unrein'], 'neurism': ['neurism', 'semiurn'], 'neurite': ['neurite', 'retinue', 'reunite', 'uterine'], 'neuroblast': ['neuroblast', 'unsortable'], 'neurodermatosis': ['dermatoneurosis', 'neurodermatosis'], 'neurofibroma': ['fibroneuroma', 'neurofibroma'], 'neurofil': ['fluorine', 'neurofil'], 'neuroganglion': ['ganglioneuron', 'neuroganglion'], 'neurogenic': ['encoignure', 'neurogenic'], 'neuroid': ['dourine', 'neuroid'], 'neurolysis': ['neurolysis', 'resinously'], 'neuromast': ['anoestrum', 'neuromast'], 'neuromyelitis': ['myeloneuritis', 'neuromyelitis'], 'neuronal': ['enaluron', 'neuronal'], 'neurope': ['neepour', 'neurope'], 'neuropsychological': ['neuropsychological', 'psychoneurological'], 'neuropsychosis': ['neuropsychosis', 'psychoneurosis'], 'neuropteris': ['interposure', 'neuropteris'], 'neurosis': ['neurosis', 'resinous'], 'neurotic': ['eruction', 'neurotic'], 'neurotripsy': ['neurotripsy', 'tripyrenous'], 'neustrian': ['neustrian', 'saturnine', 'sturninae'], 'neuter': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'neuterly': ['neuterly', 'rutylene'], 'neutral': ['laurent', 'neutral', 'unalert'], 'neutralism': ['neutralism', 'trimensual'], 'neutrally': ['neutrally', 'unalertly'], 'neutralness': ['neutralness', 'unalertness'], 'nevada': ['nevada', 'vedana', 'venada'], 'neve': ['even', 'neve', 'veen'], 'never': ['nerve', 'never'], 'nevo': ['nevo', 'oven'], 'nevoy': ['envoy', 'nevoy', 'yoven'], 'nevus': ['nevus', 'venus'], 'new': ['new', 'wen'], 'newar': ['awner', 'newar'], 'newari': ['newari', 'wainer'], 'news': ['news', 'sewn', 'snew'], 'newt': ['newt', 'went'], 'nexus': ['nexus', 'unsex'], 'ngai': ['gain', 'inga', 'naig', 'ngai'], 'ngaio': ['gonia', 'ngaio', 'nogai'], 'ngapi': ['aping', 'ngapi', 'pangi'], 'ngoko': ['kongo', 'ngoko'], 'ni': ['in', 'ni'], 'niagara': ['agrania', 'angaria', 'niagara'], 'nias': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'niata': ['anita', 'niata', 'tania'], 'nib': ['bin', 'nib'], 'nibs': ['nibs', 'snib'], 'nibsome': ['nibsome', 'nimbose'], 'nicarao': ['aaronic', 'nicarao', 'ocarina'], 'niccolous': ['niccolous', 'occlusion'], 'nice': ['cine', 'nice'], 'nicene': ['cinene', 'nicene'], 'nicenist': ['inscient', 'nicenist'], 'nicesome': ['nicesome', 'semicone'], 'nichael': ['chilean', 'echinal', 'nichael'], 'niche': ['chien', 'chine', 'niche'], 'nicher': ['enrich', 'nicher', 'richen'], 'nicholas': ['lichanos', 'nicholas'], 'nickel': ['nickel', 'nickle'], 'nickle': ['nickel', 'nickle'], 'nicol': ['colin', 'nicol'], 'nicolas': ['nicolas', 'scaloni'], 'nicolette': ['lecontite', 'nicolette'], 'nicotian': ['aconitin', 'inaction', 'nicotian'], 'nicotianin': ['nicotianin', 'nicotinian'], 'nicotined': ['incondite', 'nicotined'], 'nicotinian': ['nicotianin', 'nicotinian'], 'nicotism': ['monistic', 'nicotism', 'nomistic'], 'nicotize': ['nicotize', 'tonicize'], 'nictate': ['nictate', 'tetanic'], 'nictation': ['antitonic', 'nictation'], 'nid': ['din', 'ind', 'nid'], 'nidal': ['danli', 'ladin', 'linda', 'nidal'], 'nidana': ['andian', 'danian', 'nidana'], 'nidation': ['nidation', 'notidani'], 'niddle': ['dindle', 'niddle'], 'nide': ['dine', 'enid', 'inde', 'nide'], 'nidge': ['deign', 'dinge', 'nidge'], 'nidget': ['nidget', 'tinged'], 'niding': ['dining', 'indign', 'niding'], 'nidologist': ['indologist', 'nidologist'], 'nidology': ['indology', 'nidology'], 'nidularia': ['nidularia', 'uniradial'], 'nidulate': ['nidulate', 'untailed'], 'nidus': ['dinus', 'indus', 'nidus'], 'niello': ['lionel', 'niello'], 'niels': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'nieve': ['nieve', 'venie'], 'nieveta': ['naivete', 'nieveta'], 'nievling': ['levining', 'nievling'], 'nife': ['enif', 'fine', 'neif', 'nife'], 'nifle': ['elfin', 'nifle'], 'nig': ['gin', 'ing', 'nig'], 'nigel': ['ingle', 'ligne', 'linge', 'nigel'], 'nigella': ['gallein', 'galline', 'nigella'], 'nigerian': ['arginine', 'nigerian'], 'niggard': ['grading', 'niggard'], 'nigger': ['ginger', 'nigger'], 'niggery': ['gingery', 'niggery'], 'nigh': ['hing', 'nigh'], 'night': ['night', 'thing'], 'nightless': ['lightness', 'nightless', 'thingless'], 'nightlike': ['nightlike', 'thinglike'], 'nightly': ['nightly', 'thingly'], 'nightman': ['nightman', 'thingman'], 'nignye': ['ginney', 'nignye'], 'nigori': ['nigori', 'origin'], 'nigre': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'nigrous': ['nigrous', 'rousing', 'souring'], 'nihal': ['linha', 'nihal'], 'nikau': ['kunai', 'nikau'], 'nil': ['lin', 'nil'], 'nile': ['lien', 'line', 'neil', 'nile'], 'nilgai': ['ailing', 'angili', 'nilgai'], 'nilometer': ['linometer', 'nilometer'], 'niloscope': ['niloscope', 'scopoline'], 'nilotic': ['clition', 'nilotic'], 'nilous': ['insoul', 'linous', 'nilous', 'unsoil'], 'nim': ['min', 'nim'], 'nimbed': ['embind', 'nimbed'], 'nimbose': ['nibsome', 'nimbose'], 'nimkish': ['minkish', 'nimkish'], 'nimshi': ['minish', 'nimshi'], 'nina': ['nain', 'nina'], 'ninescore': ['ninescore', 'recension'], 'nineted': ['dentine', 'nineted'], 'ninevite': ['ninevite', 'nivenite'], 'ningpo': ['ningpo', 'pignon'], 'nintu': ['nintu', 'ninut', 'untin'], 'ninut': ['nintu', 'ninut', 'untin'], 'niota': ['niota', 'taino'], 'nip': ['nip', 'pin'], 'nipa': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'nippers': ['nippers', 'snipper'], 'nipple': ['lippen', 'nipple'], 'nipter': ['nipter', 'terpin'], 'nisaean': ['nisaean', 'sinaean'], 'nisqualli': ['nisqualli', 'squillian'], 'nisus': ['nisus', 'sinus'], 'nit': ['nit', 'tin'], 'nitch': ['chint', 'nitch'], 'nitella': ['nitella', 'tellina'], 'nitently': ['intently', 'nitently'], 'niter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'nitered': ['nitered', 'redient', 'teinder'], 'nither': ['hinter', 'nither', 'theirn'], 'nito': ['into', 'nito', 'oint', 'tino'], 'niton': ['niton', 'noint'], 'nitrate': ['intreat', 'iterant', 'nitrate', 'tertian'], 'nitratine': ['itinerant', 'nitratine'], 'nitric': ['citrin', 'nitric'], 'nitride': ['inditer', 'nitride'], 'nitrifaction': ['antifriction', 'nitrifaction'], 'nitriot': ['introit', 'nitriot'], 'nitrobenzol': ['benzonitrol', 'nitrobenzol'], 'nitrogelatin': ['intolerating', 'nitrogelatin'], 'nitrosate': ['nitrosate', 'stationer'], 'nitrous': ['nitrous', 'trusion'], 'nitter': ['nitter', 'tinter'], 'nitty': ['nitty', 'tinty'], 'niue': ['niue', 'unie'], 'nival': ['alvin', 'anvil', 'nival', 'vinal'], 'nivenite': ['ninevite', 'nivenite'], 'niveous': ['envious', 'niveous', 'veinous'], 'nivosity': ['nivosity', 'vinosity'], 'nizam': ['nazim', 'nizam'], 'no': ['no', 'on'], 'noa': ['noa', 'ona'], 'noachite': ['inchoate', 'noachite'], 'noah': ['hano', 'noah'], 'noahic': ['chinoa', 'noahic'], 'noam': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nob': ['bon', 'nob'], 'nobleman': ['blennoma', 'nobleman'], 'noblesse': ['boneless', 'noblesse'], 'nobs': ['bosn', 'nobs', 'snob'], 'nocardia': ['nocardia', 'orcadian'], 'nocent': ['nocent', 'nocten'], 'nocerite': ['erection', 'neoteric', 'nocerite', 'renotice'], 'nock': ['conk', 'nock'], 'nocten': ['nocent', 'nocten'], 'noctiluca': ['ciclatoun', 'noctiluca'], 'noctuid': ['conduit', 'duction', 'noctuid'], 'noctuidae': ['coadunite', 'education', 'noctuidae'], 'nocturia': ['curation', 'nocturia'], 'nod': ['don', 'nod'], 'nodal': ['donal', 'nodal'], 'nodated': ['donated', 'nodated'], 'node': ['done', 'node'], 'nodi': ['dion', 'nodi', 'odin'], 'nodiak': ['daikon', 'nodiak'], 'nodical': ['dolcian', 'nodical'], 'nodicorn': ['corindon', 'nodicorn'], 'nodule': ['louden', 'nodule'], 'nodus': ['nodus', 'ounds', 'sound'], 'noegenesis': ['neogenesis', 'noegenesis'], 'noegenetic': ['neogenetic', 'noegenetic'], 'noel': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'noetic': ['eciton', 'noetic', 'notice', 'octine'], 'noetics': ['contise', 'noetics', 'section'], 'nog': ['gon', 'nog'], 'nogai': ['gonia', 'ngaio', 'nogai'], 'nogal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'noil': ['lino', 'lion', 'loin', 'noil'], 'noilage': ['goniale', 'noilage'], 'noiler': ['elinor', 'lienor', 'lorien', 'noiler'], 'noint': ['niton', 'noint'], 'noir': ['inro', 'iron', 'noir', 'nori'], 'noise': ['eosin', 'noise'], 'noiseless': ['noiseless', 'selenosis'], 'noisette': ['noisette', 'teosinte'], 'nolo': ['loon', 'nolo'], 'noma': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nomad': ['damon', 'monad', 'nomad'], 'nomadian': ['monadina', 'nomadian'], 'nomadic': ['monadic', 'nomadic'], 'nomadical': ['monadical', 'nomadical'], 'nomadically': ['monadically', 'nomadically'], 'nomadism': ['monadism', 'nomadism'], 'nomarch': ['monarch', 'nomarch', 'onmarch'], 'nomarchy': ['monarchy', 'nomarchy'], 'nome': ['mone', 'nome', 'omen'], 'nomeus': ['nomeus', 'unsome'], 'nomial': ['monial', 'nomial', 'oilman'], 'nomina': ['amnion', 'minoan', 'nomina'], 'nominate': ['antinome', 'nominate'], 'nominated': ['dentinoma', 'nominated'], 'nominature': ['nominature', 'numeration'], 'nomism': ['monism', 'nomism', 'simmon'], 'nomismata': ['anatomism', 'nomismata'], 'nomistic': ['monistic', 'nicotism', 'nomistic'], 'nomocracy': ['monocracy', 'nomocracy'], 'nomogenist': ['monogenist', 'nomogenist'], 'nomogenous': ['monogenous', 'nomogenous'], 'nomogeny': ['monogeny', 'nomogeny'], 'nomogram': ['monogram', 'nomogram'], 'nomograph': ['monograph', 'nomograph', 'phonogram'], 'nomographer': ['geranomorph', 'monographer', 'nomographer'], 'nomographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'nomographical': ['gramophonical', 'monographical', 'nomographical'], 'nomographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'nomography': ['monography', 'nomography'], 'nomological': ['monological', 'nomological'], 'nomologist': ['monologist', 'nomologist', 'ontologism'], 'nomology': ['monology', 'nomology'], 'nomophyllous': ['monophyllous', 'nomophyllous'], 'nomotheism': ['monotheism', 'nomotheism'], 'nomothetic': ['monothetic', 'nomothetic'], 'nona': ['anon', 'nona', 'onan'], 'nonaccession': ['connoissance', 'nonaccession'], 'nonact': ['cannot', 'canton', 'conant', 'nonact'], 'nonaction': ['connation', 'nonaction'], 'nonagent': ['nonagent', 'tannogen'], 'nonaid': ['adonin', 'nanoid', 'nonaid'], 'nonaltruistic': ['instructional', 'nonaltruistic'], 'nonanimal': ['nonanimal', 'nonmanila'], 'nonbilabiate': ['inobtainable', 'nonbilabiate'], 'noncaste': ['noncaste', 'tsonecan'], 'noncereal': ['aleconner', 'noncereal'], 'noncertified': ['noncertified', 'nonrectified'], 'nonclaim': ['cinnamol', 'nonclaim'], 'noncreation': ['noncreation', 'nonreaction'], 'noncreative': ['noncreative', 'nonreactive'], 'noncurantist': ['noncurantist', 'unconstraint'], 'nonda': ['donna', 'nonda'], 'nondesecration': ['nondesecration', 'recondensation'], 'none': ['neon', 'none'], 'nonempirical': ['nonempirical', 'prenominical'], 'nonerudite': ['nonerudite', 'unoriented'], 'nonesuch': ['nonesuch', 'unchosen'], 'nonet': ['nonet', 'tenon'], 'nonfertile': ['florentine', 'nonfertile'], 'nongeometrical': ['inconglomerate', 'nongeometrical'], 'nonglare': ['algernon', 'nonglare'], 'nongod': ['dongon', 'nongod'], 'nonhepatic': ['nonhepatic', 'pantheonic'], 'nonic': ['conin', 'nonic', 'oncin'], 'nonideal': ['anneloid', 'nonideal'], 'nonidealist': ['alstonidine', 'nonidealist'], 'nonirate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'nonius': ['nonius', 'unison'], 'nonlegato': ['nonlegato', 'ontogenal'], 'nonlegume': ['melungeon', 'nonlegume'], 'nonliable': ['bellonian', 'nonliable'], 'nonlicet': ['contline', 'nonlicet'], 'nonly': ['nonly', 'nonyl', 'nylon'], 'nonmanila': ['nonanimal', 'nonmanila'], 'nonmarital': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmartial': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmatter': ['nonmatter', 'remontant'], 'nonmetric': ['comintern', 'nonmetric'], 'nonmetrical': ['centinormal', 'conterminal', 'nonmetrical'], 'nonmolar': ['nonmolar', 'nonmoral'], 'nonmoral': ['nonmolar', 'nonmoral'], 'nonnat': ['nonnat', 'nontan'], 'nonoriental': ['nonoriental', 'nonrelation'], 'nonpaid': ['dipnoan', 'nonpaid', 'pandion'], 'nonpar': ['napron', 'nonpar'], 'nonparental': ['nonparental', 'nonpaternal'], 'nonpaternal': ['nonparental', 'nonpaternal'], 'nonpearlitic': ['nonpearlitic', 'pratincoline'], 'nonpenal': ['nonpenal', 'nonplane'], 'nonplane': ['nonpenal', 'nonplane'], 'nonracial': ['carniolan', 'nonracial'], 'nonrated': ['nonrated', 'nontrade'], 'nonreaction': ['noncreation', 'nonreaction'], 'nonreactive': ['noncreative', 'nonreactive'], 'nonrebel': ['ennobler', 'nonrebel'], 'nonrecital': ['interconal', 'nonrecital'], 'nonrectified': ['noncertified', 'nonrectified'], 'nonrelation': ['nonoriental', 'nonrelation'], 'nonreserve': ['nonreserve', 'nonreverse'], 'nonreverse': ['nonreserve', 'nonreverse'], 'nonrigid': ['girondin', 'nonrigid'], 'nonsanction': ['inconsonant', 'nonsanction'], 'nonscientist': ['inconsistent', 'nonscientist'], 'nonsecret': ['consenter', 'nonsecret', 'reconsent'], 'nontan': ['nonnat', 'nontan'], 'nontrade': ['nonrated', 'nontrade'], 'nonunited': ['nonunited', 'unintoned'], 'nonuse': ['nonuse', 'unnose'], 'nonvaginal': ['nonvaginal', 'novanglian'], 'nonvisitation': ['innovationist', 'nonvisitation'], 'nonya': ['annoy', 'nonya'], 'nonyl': ['nonly', 'nonyl', 'nylon'], 'nooking': ['kongoni', 'nooking'], 'noontide': ['noontide', 'notioned'], 'noontime': ['entomion', 'noontime'], 'noop': ['noop', 'poon'], 'noose': ['noose', 'osone'], 'nooser': ['nooser', 'seroon', 'sooner'], 'nopal': ['lapon', 'nopal'], 'nope': ['nope', 'open', 'peon', 'pone'], 'nor': ['nor', 'ron'], 'nora': ['nora', 'orna', 'roan'], 'norah': ['nahor', 'norah', 'rohan'], 'norate': ['atoner', 'norate', 'ornate'], 'noration': ['noration', 'ornation', 'orotinan'], 'nordic': ['dornic', 'nordic'], 'nordicity': ['nordicity', 'tyrocidin'], 'noreast': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'nori': ['inro', 'iron', 'noir', 'nori'], 'noria': ['arion', 'noria'], 'noric': ['corin', 'noric', 'orcin'], 'norie': ['irone', 'norie'], 'norite': ['norite', 'orient'], 'norm': ['morn', 'norm'], 'norma': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'normality': ['normality', 'trionymal'], 'normated': ['moderant', 'normated'], 'normless': ['mornless', 'normless'], 'normocyte': ['necrotomy', 'normocyte', 'oncometry'], 'norse': ['norse', 'noser', 'seron', 'snore'], 'norsk': ['norsk', 'snork'], 'north': ['north', 'thorn'], 'norther': ['horrent', 'norther'], 'northing': ['inthrong', 'northing'], 'nosairi': ['nosairi', 'osirian'], 'nose': ['enos', 'nose'], 'nosean': ['nosean', 'oannes'], 'noseless': ['noseless', 'soleness'], 'noselite': ['noselite', 'solenite'], 'nosema': ['monase', 'nosema'], 'noser': ['norse', 'noser', 'seron', 'snore'], 'nosesmart': ['nosesmart', 'storesman'], 'nosism': ['nosism', 'simson'], 'nosomania': ['nanosomia', 'nosomania'], 'nostalgia': ['analogist', 'nostalgia'], 'nostalgic': ['gnostical', 'nostalgic'], 'nostic': ['nostic', 'sintoc', 'tocsin'], 'nostoc': ['nostoc', 'oncost'], 'nosu': ['nosu', 'nous', 'onus'], 'not': ['not', 'ton'], 'notability': ['bitonality', 'notability'], 'notaeal': ['anatole', 'notaeal'], 'notaeum': ['notaeum', 'outname'], 'notal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'notalgia': ['galtonia', 'notalgia'], 'notalia': ['ailanto', 'alation', 'laotian', 'notalia'], 'notan': ['anton', 'notan', 'tonna'], 'notarial': ['notarial', 'rational', 'rotalian'], 'notarially': ['notarially', 'rationally'], 'notariate': ['notariate', 'rationate'], 'notation': ['notation', 'tonation'], 'notator': ['arnotto', 'notator'], 'notcher': ['chorten', 'notcher'], 'note': ['note', 'tone'], 'noted': ['donet', 'noted', 'toned'], 'notehead': ['headnote', 'notehead'], 'noteless': ['noteless', 'toneless'], 'notelessly': ['notelessly', 'tonelessly'], 'notelessness': ['notelessness', 'tonelessness'], 'noter': ['noter', 'tenor', 'toner', 'trone'], 'nother': ['hornet', 'nother', 'theron', 'throne'], 'nothous': ['hontous', 'nothous'], 'notice': ['eciton', 'noetic', 'notice', 'octine'], 'noticer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'notidani': ['nidation', 'notidani'], 'notify': ['notify', 'tonify'], 'notioned': ['noontide', 'notioned'], 'notochordal': ['chordotonal', 'notochordal'], 'notopterus': ['notopterus', 'portentous'], 'notorhizal': ['horizontal', 'notorhizal'], 'nototrema': ['antrotome', 'nototrema'], 'notour': ['notour', 'unroot'], 'notropis': ['notropis', 'positron', 'sorption'], 'notum': ['montu', 'mount', 'notum'], 'notus': ['notus', 'snout', 'stoun', 'tonus'], 'nought': ['hognut', 'nought'], 'noup': ['noup', 'puno', 'upon'], 'nourisher': ['nourisher', 'renourish'], 'nous': ['nosu', 'nous', 'onus'], 'novalia': ['novalia', 'valonia'], 'novanglian': ['nonvaginal', 'novanglian'], 'novem': ['novem', 'venom'], 'novitiate': ['evitation', 'novitiate'], 'now': ['now', 'own', 'won'], 'nowanights': ['nowanights', 'washington'], 'nowed': ['endow', 'nowed'], 'nowhere': ['nowhere', 'whereon'], 'nowise': ['nowise', 'snowie'], 'nowness': ['nowness', 'ownness'], 'nowt': ['nowt', 'town', 'wont'], 'noxa': ['axon', 'noxa', 'oxan'], 'noy': ['noy', 'yon'], 'nozi': ['nozi', 'zion'], 'nu': ['nu', 'un'], 'nub': ['bun', 'nub'], 'nuba': ['baun', 'buna', 'nabu', 'nuba'], 'nubian': ['nubian', 'unbain'], 'nubilate': ['antiblue', 'nubilate'], 'nubile': ['nubile', 'unible'], 'nucal': ['lucan', 'nucal'], 'nucellar': ['lucernal', 'nucellar', 'uncellar'], 'nuchal': ['chulan', 'launch', 'nuchal'], 'nuciferous': ['nuciferous', 'unciferous'], 'nuciform': ['nuciform', 'unciform'], 'nuclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'nucleator': ['nucleator', 'recountal'], 'nucleoid': ['nucleoid', 'uncoiled'], 'nuclide': ['include', 'nuclide'], 'nuculid': ['nuculid', 'unlucid'], 'nuculidae': ['duculinae', 'nuculidae'], 'nudate': ['nudate', 'undate'], 'nuddle': ['ludden', 'nuddle'], 'nude': ['dune', 'nude', 'unde'], 'nudeness': ['nudeness', 'unsensed'], 'nudger': ['dunger', 'gerund', 'greund', 'nudger'], 'nudist': ['dustin', 'nudist'], 'nudity': ['nudity', 'untidy'], 'nuisancer': ['insurance', 'nuisancer'], 'numa': ['maun', 'numa'], 'numberer': ['numberer', 'renumber'], 'numda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'numeration': ['nominature', 'numeration'], 'numerical': ['ceruminal', 'melanuric', 'numerical'], 'numerist': ['numerist', 'terminus'], 'numida': ['numida', 'unmaid'], 'numidae': ['numidae', 'unaimed'], 'nummi': ['mnium', 'nummi'], 'nunciate': ['nunciate', 'uncinate'], 'nuncio': ['nuncio', 'uncoin'], 'nuncioship': ['nuncioship', 'pincushion'], 'nunki': ['nunki', 'unkin'], 'nunlet': ['nunlet', 'tunnel', 'unlent'], 'nunlike': ['nunlike', 'unliken'], 'nunnated': ['nunnated', 'untanned'], 'nunni': ['nunni', 'uninn'], 'nuptial': ['nuptial', 'unplait'], 'nurse': ['nurse', 'resun'], 'nusfiah': ['faunish', 'nusfiah'], 'nut': ['nut', 'tun'], 'nutarian': ['nutarian', 'turanian'], 'nutate': ['attune', 'nutate', 'tauten'], 'nutgall': ['gallnut', 'nutgall'], 'nuthatch': ['nuthatch', 'unthatch'], 'nutlike': ['nutlike', 'tunlike'], 'nutmeg': ['gnetum', 'nutmeg'], 'nutramin': ['nutramin', 'ruminant'], 'nutrice': ['nutrice', 'teucrin'], 'nycteridae': ['encyrtidae', 'nycteridae'], 'nycterine': ['nycterine', 'renitency'], 'nycteris': ['nycteris', 'stycerin'], 'nycturia': ['nycturia', 'tunicary'], 'nye': ['eyn', 'nye', 'yen'], 'nylast': ['nylast', 'stanly'], 'nylon': ['nonly', 'nonyl', 'nylon'], 'nymphalidae': ['lymphadenia', 'nymphalidae'], 'nyroca': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'nystagmic': ['gymnastic', 'nystagmic'], 'oak': ['ako', 'koa', 'oak', 'oka'], 'oaky': ['kayo', 'oaky'], 'oam': ['mao', 'oam'], 'oannes': ['nosean', 'oannes'], 'oar': ['aro', 'oar', 'ora'], 'oared': ['adore', 'oared', 'oread'], 'oaric': ['cairo', 'oaric'], 'oaritis': ['isotria', 'oaritis'], 'oarium': ['mariou', 'oarium'], 'oarless': ['lassoer', 'oarless', 'rosales'], 'oarman': ['oarman', 'ramona'], 'oasal': ['alosa', 'loasa', 'oasal'], 'oasis': ['oasis', 'sosia'], 'oast': ['oast', 'stoa', 'taos'], 'oat': ['oat', 'tao', 'toa'], 'oatbin': ['batino', 'oatbin', 'obtain'], 'oaten': ['atone', 'oaten'], 'oatlike': ['keitloa', 'oatlike'], 'obclude': ['becloud', 'obclude'], 'obeah': ['bahoe', 'bohea', 'obeah'], 'obeisant': ['obeisant', 'sabotine'], 'obelial': ['bolelia', 'lobelia', 'obelial'], 'obeliscal': ['escobilla', 'obeliscal'], 'obelus': ['besoul', 'blouse', 'obelus'], 'oberon': ['borneo', 'oberon'], 'obi': ['ibo', 'obi'], 'obispo': ['boopis', 'obispo'], 'obit': ['bito', 'obit'], 'objectative': ['objectative', 'objectivate'], 'objectivate': ['objectative', 'objectivate'], 'oblate': ['lobate', 'oblate'], 'oblately': ['lobately', 'oblately'], 'oblation': ['boltonia', 'lobation', 'oblation'], 'obligant': ['bloating', 'obligant'], 'obliviality': ['obliviality', 'violability'], 'obol': ['bolo', 'bool', 'lobo', 'obol'], 'obscurant': ['obscurant', 'subcantor'], 'obscurantic': ['obscurantic', 'subnarcotic'], 'obscurantist': ['obscurantist', 'substraction'], 'obscure': ['bescour', 'buceros', 'obscure'], 'obscurer': ['crebrous', 'obscurer'], 'obsecrate': ['bracteose', 'obsecrate'], 'observe': ['observe', 'obverse', 'verbose'], 'obsessor': ['berossos', 'obsessor'], 'obstinate': ['bastionet', 'obstinate'], 'obtain': ['batino', 'oatbin', 'obtain'], 'obtainal': ['ablation', 'obtainal'], 'obtainer': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'obtrude': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'obtruncation': ['conturbation', 'obtruncation'], 'obturate': ['obturate', 'tabouret'], 'obverse': ['observe', 'obverse', 'verbose'], 'obversely': ['obversely', 'verbosely'], 'ocarina': ['aaronic', 'nicarao', 'ocarina'], 'occasioner': ['occasioner', 'reoccasion'], 'occipitofrontal': ['frontooccipital', 'occipitofrontal'], 'occipitotemporal': ['occipitotemporal', 'temporooccipital'], 'occlusion': ['niccolous', 'occlusion'], 'occurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'ocean': ['acone', 'canoe', 'ocean'], 'oceanet': ['acetone', 'oceanet'], 'oceanic': ['cocaine', 'oceanic'], 'ocellar': ['collare', 'corella', 'ocellar'], 'ocellate': ['collatee', 'ocellate'], 'ocellated': ['decollate', 'ocellated'], 'ocelli': ['collie', 'ocelli'], 'och': ['cho', 'och'], 'ocher': ['chore', 'ocher'], 'ocherous': ['ocherous', 'ochreous'], 'ochidore': ['choreoid', 'ochidore'], 'ochlesis': ['helcosis', 'ochlesis'], 'ochlesitic': ['cochleitis', 'ochlesitic'], 'ochletic': ['helcotic', 'lochetic', 'ochletic'], 'ochlocrat': ['colcothar', 'ochlocrat'], 'ochrea': ['chorea', 'ochrea', 'rochea'], 'ochreous': ['ocherous', 'ochreous'], 'ochroid': ['choroid', 'ochroid'], 'ochroma': ['amchoor', 'ochroma'], 'ocht': ['coth', 'ocht'], 'ocque': ['coque', 'ocque'], 'ocreated': ['decorate', 'ocreated'], 'octadic': ['cactoid', 'octadic'], 'octaeteric': ['ecorticate', 'octaeteric'], 'octakishexahedron': ['hexakisoctahedron', 'octakishexahedron'], 'octan': ['acton', 'canto', 'octan'], 'octandrian': ['dracontian', 'octandrian'], 'octarius': ['cotarius', 'octarius', 'suctoria'], 'octastrophic': ['octastrophic', 'postthoracic'], 'octave': ['avocet', 'octave', 'vocate'], 'octavian': ['octavian', 'octavina', 'vacation'], 'octavina': ['octavian', 'octavina', 'vacation'], 'octenary': ['enactory', 'octenary'], 'octet': ['cotte', 'octet'], 'octillion': ['cotillion', 'octillion'], 'octine': ['eciton', 'noetic', 'notice', 'octine'], 'octometer': ['octometer', 'rectotome', 'tocometer'], 'octonal': ['coolant', 'octonal'], 'octonare': ['coronate', 'octonare', 'otocrane'], 'octonarius': ['acutorsion', 'octonarius'], 'octoroon': ['coonroot', 'octoroon'], 'octuple': ['couplet', 'octuple'], 'ocularist': ['ocularist', 'suctorial'], 'oculate': ['caulote', 'colutea', 'oculate'], 'oculinid': ['lucinoid', 'oculinid'], 'ocypete': ['ecotype', 'ocypete'], 'od': ['do', 'od'], 'oda': ['ado', 'dao', 'oda'], 'odal': ['alod', 'dola', 'load', 'odal'], 'odalman': ['mandola', 'odalman'], 'odax': ['doxa', 'odax'], 'odd': ['dod', 'odd'], 'oddman': ['dodman', 'oddman'], 'ode': ['doe', 'edo', 'ode'], 'odel': ['dole', 'elod', 'lode', 'odel'], 'odin': ['dion', 'nodi', 'odin'], 'odinism': ['diosmin', 'odinism'], 'odinite': ['edition', 'odinite', 'otidine', 'tineoid'], 'odiometer': ['meteoroid', 'odiometer'], 'odious': ['iodous', 'odious'], 'odor': ['door', 'odor', 'oord', 'rood'], 'odorant': ['donator', 'odorant', 'tornado'], 'odored': ['doored', 'odored'], 'odorless': ['doorless', 'odorless'], 'ods': ['dos', 'ods', 'sod'], 'odum': ['doum', 'moud', 'odum'], 'odyl': ['loyd', 'odyl'], 'odylist': ['odylist', 'styloid'], 'oecanthus': ['ceanothus', 'oecanthus'], 'oecist': ['cotise', 'oecist'], 'oedipal': ['elapoid', 'oedipal'], 'oenin': ['inone', 'oenin'], 'oenocarpus': ['oenocarpus', 'uranoscope'], 'oer': ['oer', 'ore', 'roe'], 'oes': ['oes', 'ose', 'soe'], 'oestrian': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'oestrid': ['oestrid', 'steroid', 'storied'], 'oestridae': ['oestridae', 'ostreidae', 'sorediate'], 'oestrin': ['oestrin', 'tersion'], 'oestriol': ['oestriol', 'rosolite'], 'oestroid': ['oestroid', 'ordosite', 'ostreoid'], 'oestrual': ['oestrual', 'rosulate'], 'oestrum': ['oestrum', 'rosetum'], 'oestrus': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'of': ['fo', 'of'], 'ofer': ['fore', 'froe', 'ofer'], 'offcast': ['castoff', 'offcast'], 'offcut': ['cutoff', 'offcut'], 'offender': ['offender', 'reoffend'], 'offerer': ['offerer', 'reoffer'], 'offlet': ['letoff', 'offlet'], 'offset': ['offset', 'setoff'], 'offuscate': ['offuscate', 'suffocate'], 'offuscation': ['offuscation', 'suffocation'], 'offward': ['drawoff', 'offward'], 'ofo': ['foo', 'ofo'], 'oft': ['fot', 'oft'], 'oftens': ['oftens', 'soften'], 'ofter': ['fetor', 'forte', 'ofter'], 'oftly': ['lofty', 'oftly'], 'og': ['go', 'og'], 'ogam': ['goma', 'ogam'], 'ogeed': ['geode', 'ogeed'], 'ogle': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'ogler': ['glore', 'ogler'], 'ogpu': ['goup', 'ogpu', 'upgo'], 'ogre': ['goer', 'gore', 'ogre'], 'ogreism': ['ergoism', 'ogreism'], 'ogtiern': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'oh': ['ho', 'oh'], 'ohm': ['mho', 'ohm'], 'ohmage': ['homage', 'ohmage'], 'ohmmeter': ['mhometer', 'ohmmeter'], 'oilcan': ['alnico', 'cliona', 'oilcan'], 'oilcup': ['oilcup', 'upcoil'], 'oildom': ['moloid', 'oildom'], 'oiler': ['oiler', 'oriel', 'reoil'], 'oillet': ['elliot', 'oillet'], 'oilman': ['monial', 'nomial', 'oilman'], 'oilstone': ['leonotis', 'oilstone'], 'oime': ['meio', 'oime'], 'oinomania': ['oinomania', 'oniomania'], 'oint': ['into', 'nito', 'oint', 'tino'], 'oireachtas': ['oireachtas', 'theocrasia'], 'ok': ['ko', 'ok'], 'oka': ['ako', 'koa', 'oak', 'oka'], 'oket': ['keto', 'oket', 'toke'], 'oki': ['koi', 'oki'], 'okie': ['ekoi', 'okie'], 'okra': ['karo', 'kora', 'okra', 'roka'], 'olaf': ['foal', 'loaf', 'olaf'], 'olam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'olamic': ['colima', 'olamic'], 'olcha': ['chola', 'loach', 'olcha'], 'olchi': ['choil', 'choli', 'olchi'], 'old': ['dol', 'lod', 'old'], 'older': ['lored', 'older'], 'oldhamite': ['ethmoidal', 'oldhamite'], 'ole': ['leo', 'ole'], 'olea': ['aloe', 'olea'], 'olecranal': ['lanceolar', 'olecranal'], 'olecranoid': ['lecanoroid', 'olecranoid'], 'olecranon': ['encoronal', 'olecranon'], 'olefin': ['enfoil', 'olefin'], 'oleg': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'olein': ['enoil', 'ileon', 'olein'], 'olena': ['alone', 'anole', 'olena'], 'olenid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'olent': ['lento', 'olent'], 'olenus': ['ensoul', 'olenus', 'unsole'], 'oleosity': ['oleosity', 'otiosely'], 'olga': ['gaol', 'goal', 'gola', 'olga'], 'oliban': ['albino', 'albion', 'alboin', 'oliban'], 'olibanum': ['olibanum', 'umbonial'], 'olid': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'oligoclase': ['oligoclase', 'sociolegal'], 'oligomyoid': ['idiomology', 'oligomyoid'], 'oligonephria': ['oligonephria', 'oligophrenia'], 'oligonephric': ['oligonephric', 'oligophrenic'], 'oligophrenia': ['oligonephria', 'oligophrenia'], 'oligophrenic': ['oligonephric', 'oligophrenic'], 'oliprance': ['oliprance', 'porcelain'], 'oliva': ['oliva', 'viola'], 'olivaceous': ['olivaceous', 'violaceous'], 'olive': ['olive', 'ovile', 'voile'], 'olived': ['livedo', 'olived'], 'oliver': ['oliver', 'violer', 'virole'], 'olivescent': ['olivescent', 'violescent'], 'olivet': ['olivet', 'violet'], 'olivetan': ['olivetan', 'velation'], 'olivette': ['olivette', 'violette'], 'olivine': ['olivine', 'violine'], 'olla': ['lalo', 'lola', 'olla'], 'olof': ['fool', 'loof', 'olof'], 'olonets': ['enstool', 'olonets'], 'olor': ['loro', 'olor', 'orlo', 'rool'], 'olpe': ['lope', 'olpe', 'pole'], 'olson': ['olson', 'solon'], 'olympian': ['olympian', 'polymnia'], 'om': ['mo', 'om'], 'omaha': ['haoma', 'omaha'], 'oman': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'omani': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'omar': ['amor', 'maro', 'mora', 'omar', 'roam'], 'omasitis': ['amitosis', 'omasitis'], 'omber': ['brome', 'omber'], 'omelet': ['omelet', 'telome'], 'omen': ['mone', 'nome', 'omen'], 'omened': ['endome', 'omened'], 'omental': ['omental', 'telamon'], 'omentotomy': ['entomotomy', 'omentotomy'], 'omer': ['mero', 'more', 'omer', 'rome'], 'omicron': ['moronic', 'omicron'], 'omina': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'ominous': ['mousoni', 'ominous'], 'omit': ['itmo', 'moit', 'omit', 'timo'], 'omitis': ['itoism', 'omitis'], 'omniana': ['nanaimo', 'omniana'], 'omniarch': ['choirman', 'harmonic', 'omniarch'], 'omnigerent': ['ignorement', 'omnigerent'], 'omnilegent': ['eloignment', 'omnilegent'], 'omnimeter': ['minometer', 'omnimeter'], 'omnimodous': ['monosodium', 'omnimodous', 'onosmodium'], 'omnist': ['inmost', 'monist', 'omnist'], 'omnitenent': ['intonement', 'omnitenent'], 'omphalogenous': ['megalophonous', 'omphalogenous'], 'on': ['no', 'on'], 'ona': ['noa', 'ona'], 'onager': ['onager', 'orange'], 'onagra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'onan': ['anon', 'nona', 'onan'], 'onanism': ['mansion', 'onanism'], 'onanistic': ['anconitis', 'antiscion', 'onanistic'], 'onca': ['coan', 'onca'], 'once': ['cone', 'once'], 'oncetta': ['oncetta', 'tectona'], 'onchidiidae': ['chionididae', 'onchidiidae'], 'oncia': ['acoin', 'oncia'], 'oncidium': ['conidium', 'mucinoid', 'oncidium'], 'oncin': ['conin', 'nonic', 'oncin'], 'oncometric': ['necrotomic', 'oncometric'], 'oncometry': ['necrotomy', 'normocyte', 'oncometry'], 'oncoming': ['gnomonic', 'oncoming'], 'oncosimeter': ['oncosimeter', 'semicoronet'], 'oncost': ['nostoc', 'oncost'], 'ondagram': ['dragoman', 'garamond', 'ondagram'], 'ondameter': ['emendator', 'ondameter'], 'ondatra': ['adorant', 'ondatra'], 'ondine': ['donnie', 'indone', 'ondine'], 'ondy': ['ondy', 'yond'], 'one': ['eon', 'neo', 'one'], 'oneida': ['daoine', 'oneida'], 'oneiric': ['ironice', 'oneiric'], 'oneism': ['eonism', 'mesion', 'oneism', 'simeon'], 'oneness': ['oneness', 'senones'], 'oner': ['oner', 'rone'], 'onery': ['eryon', 'onery'], 'oniomania': ['oinomania', 'oniomania'], 'oniomaniac': ['iconomania', 'oniomaniac'], 'oniscidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'onisciform': ['onisciform', 'somnorific'], 'oniscoidea': ['iodocasein', 'oniscoidea'], 'onkos': ['onkos', 'snook'], 'onlepy': ['onlepy', 'openly'], 'onliest': ['leonist', 'onliest'], 'only': ['lyon', 'only'], 'onmarch': ['monarch', 'nomarch', 'onmarch'], 'onosmodium': ['monosodium', 'omnimodous', 'onosmodium'], 'ons': ['ons', 'son'], 'onset': ['onset', 'seton', 'steno', 'stone'], 'onshore': ['onshore', 'sorehon'], 'onside': ['deinos', 'donsie', 'inodes', 'onside'], 'onsight': ['hosting', 'onsight'], 'ontal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'ontaric': ['anticor', 'carotin', 'cortina', 'ontaric'], 'onto': ['onto', 'oont', 'toon'], 'ontogenal': ['nonlegato', 'ontogenal'], 'ontological': ['ontological', 'tonological'], 'ontologism': ['monologist', 'nomologist', 'ontologism'], 'ontology': ['ontology', 'tonology'], 'onus': ['nosu', 'nous', 'onus'], 'onymal': ['amylon', 'onymal'], 'onymatic': ['cymation', 'myatonic', 'onymatic'], 'onza': ['azon', 'onza', 'ozan'], 'oocyte': ['coyote', 'oocyte'], 'oodles': ['dolose', 'oodles', 'soodle'], 'ooid': ['iodo', 'ooid'], 'oolak': ['lokao', 'oolak'], 'oolite': ['lootie', 'oolite'], 'oometer': ['moreote', 'oometer'], 'oons': ['oons', 'soon'], 'oont': ['onto', 'oont', 'toon'], 'oopak': ['oopak', 'pooka'], 'oord': ['door', 'odor', 'oord', 'rood'], 'opacate': ['opacate', 'peacoat'], 'opacite': ['ectopia', 'opacite'], 'opah': ['opah', 'paho', 'poha'], 'opal': ['alop', 'opal'], 'opalina': ['opalina', 'pianola'], 'opalinine': ['opalinine', 'pleionian'], 'opalize': ['epizoal', 'lopezia', 'opalize'], 'opata': ['opata', 'patao', 'tapoa'], 'opdalite': ['opdalite', 'petaloid'], 'ope': ['ope', 'poe'], 'opelet': ['eelpot', 'opelet'], 'open': ['nope', 'open', 'peon', 'pone'], 'opencast': ['capstone', 'opencast'], 'opener': ['opener', 'reopen', 'repone'], 'openly': ['onlepy', 'openly'], 'openside': ['disponee', 'openside'], 'operable': ['operable', 'ropeable'], 'operae': ['aerope', 'operae'], 'operant': ['operant', 'pronate', 'protean'], 'operatic': ['aporetic', 'capriote', 'operatic'], 'operatical': ['aporetical', 'operatical'], 'operating': ['operating', 'pignorate'], 'operatrix': ['expirator', 'operatrix'], 'opercular': ['opercular', 'preocular'], 'ophidion': ['ophidion', 'ophionid'], 'ophionid': ['ophidion', 'ophionid'], 'ophism': ['mopish', 'ophism'], 'ophite': ['ethiop', 'ophite', 'peitho'], 'opinant': ['opinant', 'pintano'], 'opinator': ['opinator', 'tropaion'], 'opiner': ['opiner', 'orpine', 'ponier'], 'opiniaster': ['opiniaster', 'opiniastre'], 'opiniastre': ['opiniaster', 'opiniastre'], 'opiniatrety': ['opiniatrety', 'petitionary'], 'opisometer': ['opisometer', 'opsiometer'], 'opisthenar': ['opisthenar', 'spheration'], 'opisthorchis': ['chirosophist', 'opisthorchis'], 'oppian': ['oppian', 'papion', 'popian'], 'opposer': ['opposer', 'propose'], 'oppugn': ['oppugn', 'popgun'], 'opsiometer': ['opisometer', 'opsiometer'], 'opsonic': ['opsonic', 'pocosin'], 'opsy': ['opsy', 'posy'], 'opt': ['opt', 'pot', 'top'], 'optable': ['optable', 'potable'], 'optableness': ['optableness', 'potableness'], 'optate': ['aptote', 'optate', 'potate', 'teapot'], 'optation': ['optation', 'potation'], 'optative': ['optative', 'potative'], 'optic': ['optic', 'picot', 'topic'], 'optical': ['capitol', 'coalpit', 'optical', 'topical'], 'optically': ['optically', 'topically'], 'optics': ['copist', 'coptis', 'optics', 'postic'], 'optimal': ['optimal', 'palmito'], 'option': ['option', 'potion'], 'optional': ['antipolo', 'antipool', 'optional'], 'optography': ['optography', 'topography'], 'optological': ['optological', 'topological'], 'optologist': ['optologist', 'topologist'], 'optology': ['optology', 'topology'], 'optometer': ['optometer', 'potometer'], 'optophone': ['optophone', 'topophone'], 'optotype': ['optotype', 'topotype'], 'opulaster': ['opulaster', 'sportulae', 'sporulate'], 'opulus': ['lupous', 'opulus'], 'opuntia': ['opuntia', 'utopian'], 'opus': ['opus', 'soup'], 'opuscular': ['crapulous', 'opuscular'], 'or': ['or', 'ro'], 'ora': ['aro', 'oar', 'ora'], 'orach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'oracle': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'orad': ['dora', 'orad', 'road'], 'oral': ['lora', 'oral'], 'oralist': ['aristol', 'oralist', 'ortalis', 'striola'], 'orality': ['orality', 'tailory'], 'orang': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'orange': ['onager', 'orange'], 'orangeist': ['goniaster', 'orangeist'], 'oranger': ['groaner', 'oranger', 'organer'], 'orangism': ['orangism', 'organism', 'sinogram'], 'orangist': ['orangist', 'organist', 'roasting', 'signator'], 'orangize': ['agonizer', 'orangize', 'organize'], 'orant': ['orant', 'rotan', 'toran', 'trona'], 'oraon': ['aroon', 'oraon'], 'oratress': ['assertor', 'assorter', 'oratress', 'reassort'], 'orb': ['bor', 'orb', 'rob'], 'orbed': ['boder', 'orbed'], 'orbic': ['boric', 'cribo', 'orbic'], 'orbicle': ['bricole', 'corbeil', 'orbicle'], 'orbicular': ['courbaril', 'orbicular'], 'orbitale': ['betailor', 'laborite', 'orbitale'], 'orbitelar': ['liberator', 'orbitelar'], 'orbitelarian': ['irrationable', 'orbitelarian'], 'orbitofrontal': ['frontoorbital', 'orbitofrontal'], 'orbitonasal': ['nasoorbital', 'orbitonasal'], 'orblet': ['bolter', 'orblet', 'reblot', 'rebolt'], 'orbulina': ['orbulina', 'unilobar'], 'orc': ['cor', 'cro', 'orc', 'roc'], 'orca': ['acor', 'caro', 'cora', 'orca'], 'orcadian': ['nocardia', 'orcadian'], 'orcanet': ['enactor', 'necator', 'orcanet'], 'orcein': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'orchat': ['cathro', 'orchat'], 'orchel': ['chlore', 'choler', 'orchel'], 'orchester': ['orchester', 'orchestre'], 'orchestre': ['orchester', 'orchestre'], 'orchic': ['choric', 'orchic'], 'orchid': ['orchid', 'rhodic'], 'orchidist': ['chorditis', 'orchidist'], 'orchiocele': ['choriocele', 'orchiocele'], 'orchitis': ['historic', 'orchitis'], 'orcin': ['corin', 'noric', 'orcin'], 'orcinol': ['colorin', 'orcinol'], 'ordain': ['dorian', 'inroad', 'ordain'], 'ordainer': ['inroader', 'ordainer', 'reordain'], 'ordainment': ['antimodern', 'ordainment'], 'ordanchite': ['achondrite', 'ditrochean', 'ordanchite'], 'ordeal': ['loader', 'ordeal', 'reload'], 'orderer': ['orderer', 'reorder'], 'ordinable': ['bolderian', 'ordinable'], 'ordinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'ordinance': ['cerdonian', 'ordinance'], 'ordinate': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'ordinative': ['derivation', 'ordinative'], 'ordinator': ['ordinator', 'radiotron'], 'ordines': ['indorse', 'ordines', 'siredon', 'sordine'], 'ordosite': ['oestroid', 'ordosite', 'ostreoid'], 'ordu': ['dour', 'duro', 'ordu', 'roud'], 'ore': ['oer', 'ore', 'roe'], 'oread': ['adore', 'oared', 'oread'], 'oreas': ['arose', 'oreas'], 'orectic': ['cerotic', 'orectic'], 'oreman': ['enamor', 'monera', 'oreman', 'romane'], 'orenda': ['denaro', 'orenda'], 'orendite': ['enteroid', 'orendite'], 'orestean': ['orestean', 'resonate', 'stearone'], 'orf': ['for', 'fro', 'orf'], 'organ': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'organal': ['angolar', 'organal'], 'organer': ['groaner', 'oranger', 'organer'], 'organicism': ['organicism', 'organismic'], 'organicist': ['organicist', 'organistic'], 'organing': ['groaning', 'organing'], 'organism': ['orangism', 'organism', 'sinogram'], 'organismic': ['organicism', 'organismic'], 'organist': ['orangist', 'organist', 'roasting', 'signator'], 'organistic': ['organicist', 'organistic'], 'organity': ['gyration', 'organity', 'ortygian'], 'organize': ['agonizer', 'orangize', 'organize'], 'organized': ['dragonize', 'organized'], 'organoid': ['gordonia', 'organoid', 'rigadoon'], 'organonymic': ['craniognomy', 'organonymic'], 'organotin': ['gortonian', 'organotin'], 'organule': ['lagunero', 'organule', 'uroglena'], 'orgiasm': ['isogram', 'orgiasm'], 'orgiast': ['agistor', 'agrotis', 'orgiast'], 'orgic': ['corgi', 'goric', 'orgic'], 'orgue': ['orgue', 'rogue', 'rouge'], 'orgy': ['gory', 'gyro', 'orgy'], 'oriel': ['oiler', 'oriel', 'reoil'], 'orient': ['norite', 'orient'], 'oriental': ['oriental', 'relation', 'tirolean'], 'orientalism': ['misrelation', 'orientalism', 'relationism'], 'orientalist': ['orientalist', 'relationist'], 'orientate': ['anoterite', 'orientate'], 'origanum': ['mirounga', 'moringua', 'origanum'], 'origin': ['nigori', 'origin'], 'orle': ['lore', 'orle', 'role'], 'orlean': ['lenora', 'loaner', 'orlean', 'reloan'], 'orleanist': ['lairstone', 'orleanist', 'serotinal'], 'orleanistic': ['intersocial', 'orleanistic', 'sclerotinia'], 'orlet': ['lerot', 'orlet', 'relot'], 'orlo': ['loro', 'olor', 'orlo', 'rool'], 'orna': ['nora', 'orna', 'roan'], 'ornamenter': ['ornamenter', 'reornament'], 'ornate': ['atoner', 'norate', 'ornate'], 'ornately': ['neolatry', 'ornately', 'tyrolean'], 'ornation': ['noration', 'ornation', 'orotinan'], 'ornis': ['ornis', 'rosin'], 'orniscopic': ['orniscopic', 'scorpionic'], 'ornithomantic': ['ornithomantic', 'orthantimonic'], 'ornithoptera': ['ornithoptera', 'prototherian'], 'orogenetic': ['erotogenic', 'geocronite', 'orogenetic'], 'orographical': ['colporrhagia', 'orographical'], 'orography': ['gyrophora', 'orography'], 'orotinan': ['noration', 'ornation', 'orotinan'], 'orotund': ['orotund', 'rotundo'], 'orphanism': ['manorship', 'orphanism'], 'orpheon': ['orpheon', 'phorone'], 'orpheus': ['ephorus', 'orpheus', 'upshore'], 'orphical': ['orphical', 'rhopalic'], 'orphism': ['orphism', 'rompish'], 'orphize': ['orphize', 'phiroze'], 'orpine': ['opiner', 'orpine', 'ponier'], 'orsel': ['loser', 'orsel', 'rosel', 'soler'], 'orselle': ['orselle', 'roselle'], 'ort': ['ort', 'rot', 'tor'], 'ortalid': ['dilator', 'ortalid'], 'ortalis': ['aristol', 'oralist', 'ortalis', 'striola'], 'ortet': ['ortet', 'otter', 'toter'], 'orthal': ['harlot', 'orthal', 'thoral'], 'orthantimonic': ['ornithomantic', 'orthantimonic'], 'orthian': ['orthian', 'thorina'], 'orthic': ['chorti', 'orthic', 'thoric', 'trochi'], 'orthite': ['hortite', 'orthite', 'thorite'], 'ortho': ['ortho', 'thoro'], 'orthodromy': ['hydromotor', 'orthodromy'], 'orthogamy': ['orthogamy', 'othygroma'], 'orthogonial': ['orthogonial', 'orthologian'], 'orthologian': ['orthogonial', 'orthologian'], 'orthose': ['orthose', 'reshoot', 'shooter', 'soother'], 'ortiga': ['agrito', 'ortiga'], 'ortstein': ['ortstein', 'tenorist'], 'ortygian': ['gyration', 'organity', 'ortygian'], 'ortygine': ['genitory', 'ortygine'], 'ory': ['ory', 'roy', 'yor'], 'oryx': ['oryx', 'roxy'], 'os': ['os', 'so'], 'osamin': ['monias', 'osamin', 'osmina'], 'osamine': ['monesia', 'osamine', 'osmanie'], 'osc': ['cos', 'osc', 'soc'], 'oscan': ['ascon', 'canso', 'oscan'], 'oscar': ['arcos', 'crosa', 'oscar', 'sacro'], 'oscella': ['callose', 'oscella'], 'oscheal': ['oscheal', 'scholae'], 'oscillance': ['clinoclase', 'oscillance'], 'oscillaria': ['iliosacral', 'oscillaria'], 'oscillation': ['colonialist', 'oscillation'], 'oscin': ['oscin', 'scion', 'sonic'], 'oscine': ['cosine', 'oscine'], 'oscines': ['cession', 'oscines'], 'oscinian': ['oscinian', 'socinian'], 'oscinidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'oscitant': ['actinost', 'oscitant'], 'oscular': ['carolus', 'oscular'], 'osculate': ['lacteous', 'osculate'], 'osculatory': ['cotylosaur', 'osculatory'], 'oscule': ['coleus', 'oscule'], 'ose': ['oes', 'ose', 'soe'], 'osela': ['alose', 'osela', 'solea'], 'oshac': ['chaos', 'oshac'], 'oside': ['diose', 'idose', 'oside'], 'osier': ['osier', 'serio'], 'osirian': ['nosairi', 'osirian'], 'osiride': ['isidore', 'osiride'], 'oskar': ['krosa', 'oskar'], 'osmanie': ['monesia', 'osamine', 'osmanie'], 'osmanli': ['malison', 'manolis', 'osmanli', 'somnial'], 'osmatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'osmatism': ['osmatism', 'somatism'], 'osmerus': ['osmerus', 'smouser'], 'osmin': ['minos', 'osmin', 'simon'], 'osmina': ['monias', 'osamin', 'osmina'], 'osmiridium': ['iridosmium', 'osmiridium'], 'osmogene': ['gonesome', 'osmogene'], 'osmometer': ['merostome', 'osmometer'], 'osmometric': ['microstome', 'osmometric'], 'osmophore': ['osmophore', 'sophomore'], 'osmotactic': ['osmotactic', 'scotomatic'], 'osmunda': ['damnous', 'osmunda'], 'osone': ['noose', 'osone'], 'osprey': ['eryops', 'osprey'], 'ossal': ['lasso', 'ossal'], 'ossein': ['essoin', 'ossein'], 'osselet': ['osselet', 'sestole', 'toeless'], 'ossetian': ['assiento', 'ossetian'], 'ossetine': ['essonite', 'ossetine'], 'ossicle': ['loessic', 'ossicle'], 'ossiculate': ['acleistous', 'ossiculate'], 'ossicule': ['coulisse', 'leucosis', 'ossicule'], 'ossuary': ['ossuary', 'suasory'], 'ostara': ['aroast', 'ostara'], 'osteal': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'ostearthritis': ['arthrosteitis', 'ostearthritis'], 'ostectomy': ['cystotome', 'cytostome', 'ostectomy'], 'ostein': ['nesiot', 'ostein'], 'ostemia': ['miaotse', 'ostemia'], 'ostent': ['ostent', 'teston'], 'ostentation': ['ostentation', 'tionontates'], 'ostentous': ['ostentous', 'sostenuto'], 'osteometric': ['osteometric', 'stereotomic'], 'osteometrical': ['osteometrical', 'stereotomical'], 'osteometry': ['osteometry', 'stereotomy'], 'ostic': ['ostic', 'sciot', 'stoic'], 'ostmen': ['montes', 'ostmen'], 'ostracea': ['ceratosa', 'ostracea'], 'ostracean': ['ostracean', 'socratean'], 'ostracine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'ostracism': ['ostracism', 'socratism'], 'ostracize': ['ostracize', 'socratize'], 'ostracon': ['ostracon', 'socotran'], 'ostraite': ['astroite', 'ostraite', 'storiate'], 'ostreidae': ['oestridae', 'ostreidae', 'sorediate'], 'ostreiform': ['forritsome', 'ostreiform'], 'ostreoid': ['oestroid', 'ordosite', 'ostreoid'], 'ostrich': ['chorist', 'ostrich'], 'oswald': ['dowlas', 'oswald'], 'otalgy': ['goatly', 'otalgy'], 'otaria': ['atorai', 'otaria'], 'otarian': ['aration', 'otarian'], 'otarine': ['otarine', 'torenia'], 'other': ['other', 'thore', 'throe', 'toher'], 'otherism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'otherist': ['otherist', 'theorist'], 'othygroma': ['orthogamy', 'othygroma'], 'otiant': ['otiant', 'titano'], 'otidae': ['idotea', 'iodate', 'otidae'], 'otidine': ['edition', 'odinite', 'otidine', 'tineoid'], 'otiosely': ['oleosity', 'otiosely'], 'otitis': ['itoist', 'otitis'], 'oto': ['oto', 'too'], 'otocephalic': ['hepatocolic', 'otocephalic'], 'otocrane': ['coronate', 'octonare', 'otocrane'], 'otogenic': ['geotonic', 'otogenic'], 'otomian': ['amotion', 'otomian'], 'otomyces': ['cytosome', 'otomyces'], 'ottar': ['ottar', 'tarot', 'torta', 'troat'], 'otter': ['ortet', 'otter', 'toter'], 'otto': ['otto', 'toot', 'toto'], 'otus': ['otus', 'oust', 'suto'], 'otyak': ['otyak', 'tokay'], 'ouch': ['chou', 'ouch'], 'ouf': ['fou', 'ouf'], 'ough': ['hugo', 'ough'], 'ought': ['ought', 'tough'], 'oughtness': ['oughtness', 'toughness'], 'ounds': ['nodus', 'ounds', 'sound'], 'our': ['our', 'uro'], 'ours': ['ours', 'sour'], 'oust': ['otus', 'oust', 'suto'], 'ouster': ['ouster', 'souter', 'touser', 'trouse'], 'out': ['out', 'tou'], 'outarde': ['outarde', 'outdare', 'outread'], 'outban': ['outban', 'unboat'], 'outbar': ['outbar', 'rubato', 'tabour'], 'outbeg': ['bouget', 'outbeg'], 'outblow': ['blowout', 'outblow', 'outbowl'], 'outblunder': ['outblunder', 'untroubled'], 'outbowl': ['blowout', 'outblow', 'outbowl'], 'outbreak': ['breakout', 'outbreak'], 'outbred': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'outburn': ['burnout', 'outburn'], 'outburst': ['outburst', 'subtutor'], 'outbustle': ['outbustle', 'outsubtle'], 'outcarol': ['outcarol', 'taurocol'], 'outcarry': ['curatory', 'outcarry'], 'outcase': ['acetous', 'outcase'], 'outcharm': ['outcharm', 'outmarch'], 'outcrier': ['courtier', 'outcrier'], 'outcut': ['cutout', 'outcut'], 'outdance': ['outdance', 'uncoated'], 'outdare': ['outarde', 'outdare', 'outread'], 'outdraw': ['drawout', 'outdraw', 'outward'], 'outer': ['outer', 'outre', 'route'], 'outerness': ['outerness', 'outreness'], 'outferret': ['foreutter', 'outferret'], 'outfit': ['fitout', 'outfit'], 'outflare': ['fluorate', 'outflare'], 'outfling': ['flouting', 'outfling'], 'outfly': ['outfly', 'toyful'], 'outgoer': ['outgoer', 'rougeot'], 'outgrin': ['outgrin', 'outring', 'routing', 'touring'], 'outhire': ['outhire', 'routhie'], 'outhold': ['holdout', 'outhold'], 'outkick': ['kickout', 'outkick'], 'outlance': ['cleanout', 'outlance'], 'outlay': ['layout', 'lutayo', 'outlay'], 'outleap': ['outleap', 'outpeal'], 'outler': ['elutor', 'louter', 'outler'], 'outlet': ['outlet', 'tutelo'], 'outline': ['elution', 'outline'], 'outlinear': ['outlinear', 'uranolite'], 'outlined': ['outlined', 'untoiled'], 'outlook': ['lookout', 'outlook'], 'outly': ['louty', 'outly'], 'outman': ['amount', 'moutan', 'outman'], 'outmarch': ['outcharm', 'outmarch'], 'outmarry': ['mortuary', 'outmarry'], 'outmaster': ['outmaster', 'outstream'], 'outname': ['notaeum', 'outname'], 'outpaint': ['outpaint', 'putation'], 'outpass': ['outpass', 'passout'], 'outpay': ['outpay', 'tapuyo'], 'outpeal': ['outleap', 'outpeal'], 'outpitch': ['outpitch', 'pitchout'], 'outplace': ['copulate', 'outplace'], 'outprice': ['eutropic', 'outprice'], 'outpromise': ['outpromise', 'peritomous'], 'outrance': ['cornuate', 'courante', 'cuneator', 'outrance'], 'outrate': ['outrate', 'outtear', 'torteau'], 'outre': ['outer', 'outre', 'route'], 'outread': ['outarde', 'outdare', 'outread'], 'outremer': ['outremer', 'urometer'], 'outreness': ['outerness', 'outreness'], 'outring': ['outgrin', 'outring', 'routing', 'touring'], 'outrun': ['outrun', 'runout'], 'outsaint': ['outsaint', 'titanous'], 'outscream': ['castoreum', 'outscream'], 'outsell': ['outsell', 'sellout'], 'outset': ['outset', 'setout'], 'outshake': ['outshake', 'shakeout'], 'outshape': ['outshape', 'taphouse'], 'outshine': ['outshine', 'tinhouse'], 'outshut': ['outshut', 'shutout'], 'outside': ['outside', 'tedious'], 'outsideness': ['outsideness', 'tediousness'], 'outsigh': ['goutish', 'outsigh'], 'outsin': ['outsin', 'ustion'], 'outslide': ['outslide', 'solitude'], 'outsnore': ['outsnore', 'urosteon'], 'outsoler': ['outsoler', 'torulose'], 'outspend': ['outspend', 'unposted'], 'outspit': ['outspit', 'utopist'], 'outspring': ['outspring', 'sprouting'], 'outspurn': ['outspurn', 'portunus'], 'outstair': ['outstair', 'ratitous'], 'outstand': ['outstand', 'standout'], 'outstate': ['outstate', 'outtaste'], 'outstream': ['outmaster', 'outstream'], 'outstreet': ['outstreet', 'tetterous'], 'outsubtle': ['outbustle', 'outsubtle'], 'outtaste': ['outstate', 'outtaste'], 'outtear': ['outrate', 'outtear', 'torteau'], 'outthrough': ['outthrough', 'throughout'], 'outthrow': ['outthrow', 'outworth', 'throwout'], 'outtrail': ['outtrail', 'tutorial'], 'outturn': ['outturn', 'turnout'], 'outturned': ['outturned', 'untutored'], 'outwalk': ['outwalk', 'walkout'], 'outward': ['drawout', 'outdraw', 'outward'], 'outwash': ['outwash', 'washout'], 'outwatch': ['outwatch', 'watchout'], 'outwith': ['outwith', 'without'], 'outwork': ['outwork', 'workout'], 'outworth': ['outthrow', 'outworth', 'throwout'], 'ova': ['avo', 'ova'], 'ovaloid': ['ovaloid', 'ovoidal'], 'ovarial': ['ovarial', 'variola'], 'ovariotubal': ['ovariotubal', 'tuboovarial'], 'ovational': ['avolation', 'ovational'], 'oven': ['nevo', 'oven'], 'ovenly': ['lenvoy', 'ovenly'], 'ovenpeel': ['envelope', 'ovenpeel'], 'over': ['over', 'rove'], 'overaction': ['overaction', 'revocation'], 'overactive': ['overactive', 'revocative'], 'overall': ['allover', 'overall'], 'overblame': ['overblame', 'removable'], 'overblow': ['overblow', 'overbowl'], 'overboil': ['boilover', 'overboil'], 'overbowl': ['overblow', 'overbowl'], 'overbreak': ['breakover', 'overbreak'], 'overburden': ['overburden', 'overburned'], 'overburn': ['burnover', 'overburn'], 'overburned': ['overburden', 'overburned'], 'overcall': ['overcall', 'vocaller'], 'overcare': ['overcare', 'overrace'], 'overcirculate': ['overcirculate', 'uterocervical'], 'overcoat': ['evocator', 'overcoat'], 'overcross': ['crossover', 'overcross'], 'overcup': ['overcup', 'upcover'], 'overcurious': ['erucivorous', 'overcurious'], 'overcurtain': ['countervair', 'overcurtain', 'recurvation'], 'overcut': ['cutover', 'overcut'], 'overdamn': ['overdamn', 'ravendom'], 'overdare': ['overdare', 'overdear', 'overread'], 'overdeal': ['overdeal', 'overlade', 'overlead'], 'overdear': ['overdare', 'overdear', 'overread'], 'overdraw': ['overdraw', 'overward'], 'overdrawer': ['overdrawer', 'overreward'], 'overdrip': ['overdrip', 'provider'], 'overdure': ['devourer', 'overdure', 'overrude'], 'overdust': ['overdust', 'overstud'], 'overedit': ['overedit', 'overtide'], 'overfar': ['favorer', 'overfar', 'refavor'], 'overfile': ['forelive', 'overfile'], 'overfilm': ['overfilm', 'veliform'], 'overflower': ['overflower', 'reoverflow'], 'overforce': ['forecover', 'overforce'], 'overgaiter': ['overgaiter', 'revigorate'], 'overglint': ['overglint', 'revolting'], 'overgo': ['groove', 'overgo'], 'overgrain': ['granivore', 'overgrain'], 'overhate': ['overhate', 'overheat'], 'overheat': ['overhate', 'overheat'], 'overheld': ['overheld', 'verdelho'], 'overidle': ['evildoer', 'overidle'], 'overink': ['invoker', 'overink'], 'overinsist': ['overinsist', 'versionist'], 'overkeen': ['overkeen', 'overknee'], 'overknee': ['overkeen', 'overknee'], 'overlade': ['overdeal', 'overlade', 'overlead'], 'overlast': ['overlast', 'oversalt'], 'overlate': ['elevator', 'overlate'], 'overlay': ['layover', 'overlay'], 'overlead': ['overdeal', 'overlade', 'overlead'], 'overlean': ['overlean', 'valerone'], 'overleg': ['overleg', 'reglove'], 'overlie': ['overlie', 'relievo'], 'overling': ['lovering', 'overling'], 'overlisten': ['overlisten', 'oversilent'], 'overlive': ['overlive', 'overveil'], 'overly': ['overly', 'volery'], 'overmantel': ['overmantel', 'overmantle'], 'overmantle': ['overmantel', 'overmantle'], 'overmaster': ['overmaster', 'overstream'], 'overmean': ['overmean', 'overname'], 'overmerit': ['overmerit', 'overtimer'], 'overname': ['overmean', 'overname'], 'overneat': ['overneat', 'renovate'], 'overnew': ['overnew', 'rewoven'], 'overnigh': ['hovering', 'overnigh'], 'overpaint': ['overpaint', 'pronative'], 'overpass': ['overpass', 'passover'], 'overpet': ['overpet', 'preveto', 'prevote'], 'overpick': ['overpick', 'pickover'], 'overplain': ['overplain', 'parvoline'], 'overply': ['overply', 'plovery'], 'overpointed': ['overpointed', 'predevotion'], 'overpot': ['overpot', 'overtop'], 'overrace': ['overcare', 'overrace'], 'overrate': ['overrate', 'overtare'], 'overread': ['overdare', 'overdear', 'overread'], 'overreward': ['overdrawer', 'overreward'], 'overrude': ['devourer', 'overdure', 'overrude'], 'overrun': ['overrun', 'runover'], 'oversad': ['oversad', 'savored'], 'oversale': ['oversale', 'overseal'], 'oversalt': ['overlast', 'oversalt'], 'oversauciness': ['oversauciness', 'veraciousness'], 'overseal': ['oversale', 'overseal'], 'overseen': ['overseen', 'veronese'], 'overset': ['overset', 'setover'], 'oversilent': ['overlisten', 'oversilent'], 'overslip': ['overslip', 'slipover'], 'overspread': ['overspread', 'spreadover'], 'overstain': ['overstain', 'servation', 'versation'], 'overstir': ['overstir', 'servitor'], 'overstrain': ['overstrain', 'traversion'], 'overstream': ['overmaster', 'overstream'], 'overstrew': ['overstrew', 'overwrest'], 'overstud': ['overdust', 'overstud'], 'overt': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'overtare': ['overrate', 'overtare'], 'overthrow': ['overthrow', 'overwroth'], 'overthwart': ['overthwart', 'thwartover'], 'overtide': ['overedit', 'overtide'], 'overtime': ['overtime', 'remotive'], 'overtimer': ['overmerit', 'overtimer'], 'overtip': ['overtip', 'pivoter'], 'overtop': ['overpot', 'overtop'], 'overtrade': ['overtrade', 'overtread'], 'overtread': ['overtrade', 'overtread'], 'overtrue': ['overtrue', 'overture', 'trouvere'], 'overture': ['overtrue', 'overture', 'trouvere'], 'overturn': ['overturn', 'turnover'], 'overtwine': ['interwove', 'overtwine'], 'overveil': ['overlive', 'overveil'], 'overwalk': ['overwalk', 'walkover'], 'overward': ['overdraw', 'overward'], 'overwrest': ['overstrew', 'overwrest'], 'overwroth': ['overthrow', 'overwroth'], 'ovest': ['ovest', 'stove'], 'ovidae': ['evodia', 'ovidae'], 'ovidian': ['ovidian', 'vidonia'], 'ovile': ['olive', 'ovile', 'voile'], 'ovillus': ['ovillus', 'villous'], 'oviparous': ['apivorous', 'oviparous'], 'ovist': ['ovist', 'visto'], 'ovistic': ['covisit', 'ovistic'], 'ovoidal': ['ovaloid', 'ovoidal'], 'ovular': ['louvar', 'ovular'], 'ow': ['ow', 'wo'], 'owd': ['dow', 'owd', 'wod'], 'owe': ['owe', 'woe'], 'owen': ['enow', 'owen', 'wone'], 'owenism': ['owenism', 'winsome'], 'ower': ['ower', 'wore'], 'owerby': ['bowery', 'bowyer', 'owerby'], 'owl': ['low', 'lwo', 'owl'], 'owler': ['lower', 'owler', 'rowel'], 'owlery': ['lowery', 'owlery', 'rowley', 'yowler'], 'owlet': ['owlet', 'towel'], 'owlish': ['lowish', 'owlish'], 'owlishly': ['lowishly', 'owlishly', 'sillyhow'], 'owlishness': ['lowishness', 'owlishness'], 'owly': ['lowy', 'owly', 'yowl'], 'own': ['now', 'own', 'won'], 'owner': ['owner', 'reown', 'rowen'], 'ownership': ['ownership', 'shipowner'], 'ownness': ['nowness', 'ownness'], 'owser': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'oxalan': ['axonal', 'oxalan'], 'oxalite': ['aloxite', 'oxalite'], 'oxan': ['axon', 'noxa', 'oxan'], 'oxanic': ['anoxic', 'oxanic'], 'oxazine': ['azoxine', 'oxazine'], 'oxen': ['exon', 'oxen'], 'oxidic': ['ixodic', 'oxidic'], 'oximate': ['oximate', 'toxemia'], 'oxy': ['oxy', 'yox'], 'oxyntic': ['ictonyx', 'oxyntic'], 'oxyphenol': ['oxyphenol', 'xylophone'], 'oxyterpene': ['enteropexy', 'oxyterpene'], 'oyer': ['oyer', 'roey', 'yore'], 'oyster': ['oyster', 'rosety'], 'oysterish': ['oysterish', 'thyreosis'], 'oysterman': ['monastery', 'oysterman'], 'ozan': ['azon', 'onza', 'ozan'], 'ozena': ['neoza', 'ozena'], 'ozonate': ['entozoa', 'ozonate'], 'ozonic': ['ozonic', 'zoonic'], 'ozotype': ['ozotype', 'zootype'], 'paal': ['paal', 'pala'], 'paar': ['apar', 'paar', 'para'], 'pablo': ['pablo', 'polab'], 'pac': ['cap', 'pac'], 'pacable': ['capable', 'pacable'], 'pacation': ['copatain', 'pacation'], 'pacaya': ['cayapa', 'pacaya'], 'pace': ['cape', 'cepa', 'pace'], 'paced': ['caped', 'decap', 'paced'], 'pacer': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'pachnolite': ['pachnolite', 'phonetical'], 'pachometer': ['pachometer', 'phacometer'], 'pacht': ['chapt', 'pacht', 'patch'], 'pachylosis': ['pachylosis', 'phacolysis'], 'pacificist': ['pacificist', 'pacifistic'], 'pacifistic': ['pacificist', 'pacifistic'], 'packer': ['packer', 'repack'], 'paco': ['copa', 'paco'], 'pacolet': ['pacolet', 'polecat'], 'paction': ['caption', 'paction'], 'pactional': ['pactional', 'pactolian', 'placation'], 'pactionally': ['pactionally', 'polyactinal'], 'pactolian': ['pactional', 'pactolian', 'placation'], 'pad': ['dap', 'pad'], 'padda': ['dadap', 'padda'], 'padder': ['padder', 'parded'], 'padfoot': ['footpad', 'padfoot'], 'padle': ['padle', 'paled', 'pedal', 'plead'], 'padre': ['drape', 'padre'], 'padtree': ['padtree', 'predate', 'tapered'], 'paean': ['apnea', 'paean'], 'paeanism': ['paeanism', 'spanemia'], 'paegel': ['paegel', 'paegle', 'pelage'], 'paegle': ['paegel', 'paegle', 'pelage'], 'paga': ['gapa', 'paga'], 'page': ['gape', 'page', 'peag', 'pega'], 'pagedom': ['megapod', 'pagedom'], 'pager': ['gaper', 'grape', 'pager', 'parge'], 'pageship': ['pageship', 'shippage'], 'paginary': ['agrypnia', 'paginary'], 'paguridae': ['paguridae', 'paguridea'], 'paguridea': ['paguridae', 'paguridea'], 'pagurine': ['pagurine', 'perugian'], 'pah': ['hap', 'pah'], 'pahari': ['pahari', 'pariah', 'raphia'], 'pahi': ['hapi', 'pahi'], 'paho': ['opah', 'paho', 'poha'], 'paigle': ['paigle', 'pilage'], 'paik': ['paik', 'pika'], 'pail': ['lipa', 'pail', 'pali', 'pial'], 'paillasse': ['paillasse', 'palliasse'], 'pain': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'painless': ['painless', 'spinales'], 'paint': ['inapt', 'paint', 'pinta'], 'painted': ['depaint', 'inadept', 'painted', 'patined'], 'painter': ['painter', 'pertain', 'pterian', 'repaint'], 'painterly': ['interplay', 'painterly'], 'paintiness': ['antisepsin', 'paintiness'], 'paip': ['paip', 'pipa'], 'pair': ['pair', 'pari', 'pria', 'ripa'], 'paired': ['diaper', 'paired'], 'pairer': ['pairer', 'rapier', 'repair'], 'pairment': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'pais': ['apis', 'pais', 'pasi', 'saip'], 'pajonism': ['japonism', 'pajonism'], 'pal': ['alp', 'lap', 'pal'], 'pala': ['paal', 'pala'], 'palaeechinoid': ['deinocephalia', 'palaeechinoid'], 'palaemonid': ['anomaliped', 'palaemonid'], 'palaemonoid': ['adenolipoma', 'palaemonoid'], 'palaeornis': ['palaeornis', 'personalia'], 'palaestrics': ['palaestrics', 'paracelsist'], 'palaic': ['apical', 'palaic'], 'palaite': ['palaite', 'petalia', 'pileata'], 'palame': ['palame', 'palmae', 'pamela'], 'palamite': ['ampliate', 'palamite'], 'palas': ['palas', 'salpa'], 'palate': ['aletap', 'palate', 'platea'], 'palatial': ['palatial', 'palliata'], 'palatic': ['capital', 'palatic'], 'palation': ['palation', 'talapoin'], 'palatonasal': ['nasopalatal', 'palatonasal'], 'palau': ['palau', 'paula'], 'palay': ['palay', 'playa'], 'pale': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'paled': ['padle', 'paled', 'pedal', 'plead'], 'paleness': ['paleness', 'paneless'], 'paleolithy': ['paleolithy', 'polyhalite', 'polythelia'], 'paler': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'palermitan': ['palermitan', 'parliament'], 'palermo': ['leproma', 'palermo', 'pleroma', 'polearm'], 'pales': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'palestral': ['alpestral', 'palestral'], 'palestrian': ['alpestrian', 'palestrian', 'psalterian'], 'palet': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'palette': ['palette', 'peltate'], 'pali': ['lipa', 'pail', 'pali', 'pial'], 'palification': ['palification', 'pontificalia'], 'palinode': ['lapideon', 'palinode', 'pedalion'], 'palinodist': ['palinodist', 'plastinoid'], 'palisade': ['palisade', 'salpidae'], 'palish': ['palish', 'silpha'], 'pallasite': ['aliseptal', 'pallasite'], 'pallette': ['pallette', 'platelet'], 'palliasse': ['paillasse', 'palliasse'], 'palliata': ['palatial', 'palliata'], 'pallone': ['pallone', 'pleonal'], 'palluites': ['palluites', 'pulsatile'], 'palm': ['lamp', 'palm'], 'palmad': ['lampad', 'palmad'], 'palmae': ['palame', 'palmae', 'pamela'], 'palmary': ['palmary', 'palmyra'], 'palmatilobed': ['palmatilobed', 'palmilobated'], 'palmatisect': ['metaplastic', 'palmatisect'], 'palmer': ['lamper', 'palmer', 'relamp'], 'palmery': ['lamprey', 'palmery'], 'palmette': ['palmette', 'template'], 'palmful': ['lampful', 'palmful'], 'palmification': ['amplification', 'palmification'], 'palmilobated': ['palmatilobed', 'palmilobated'], 'palmipes': ['epiplasm', 'palmipes'], 'palmist': ['lampist', 'palmist'], 'palmister': ['palmister', 'prelatism'], 'palmistry': ['lampistry', 'palmistry'], 'palmite': ['implate', 'palmite'], 'palmito': ['optimal', 'palmito'], 'palmitone': ['emptional', 'palmitone'], 'palmo': ['mopla', 'palmo'], 'palmula': ['ampulla', 'palmula'], 'palmy': ['amply', 'palmy'], 'palmyra': ['palmary', 'palmyra'], 'palolo': ['apollo', 'palolo'], 'palp': ['lapp', 'palp', 'plap'], 'palpal': ['appall', 'palpal'], 'palpatory': ['palpatory', 'papolatry'], 'palped': ['dapple', 'lapped', 'palped'], 'palpi': ['palpi', 'pipal'], 'palster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'palsy': ['palsy', 'splay'], 'palt': ['palt', 'plat'], 'palta': ['aptal', 'palta', 'talpa'], 'palter': ['palter', 'plater'], 'palterer': ['palterer', 'platerer'], 'paltry': ['paltry', 'partly', 'raptly'], 'paludian': ['paludian', 'paludina'], 'paludic': ['paludic', 'pudical'], 'paludina': ['paludian', 'paludina'], 'palus': ['palus', 'pasul'], 'palustral': ['palustral', 'plaustral'], 'palustrine': ['lupinaster', 'palustrine'], 'paly': ['paly', 'play', 'pyal', 'pyla'], 'pam': ['map', 'pam'], 'pamela': ['palame', 'palmae', 'pamela'], 'pamir': ['impar', 'pamir', 'prima'], 'pamiri': ['impair', 'pamiri'], 'pamper': ['mapper', 'pamper', 'pampre'], 'pampre': ['mapper', 'pamper', 'pampre'], 'pan': ['nap', 'pan'], 'panace': ['canape', 'panace'], 'panaceist': ['antispace', 'panaceist'], 'panade': ['napead', 'panade'], 'panak': ['kanap', 'panak'], 'panamist': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'panary': ['panary', 'panyar'], 'panatela': ['panatela', 'plataean'], 'panatrophy': ['apanthropy', 'panatrophy'], 'pancreatoduodenectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'pandean': ['pandean', 'pannade'], 'pandemia': ['pandemia', 'pedimana'], 'pander': ['pander', 'repand'], 'panderly': ['panderly', 'repandly'], 'pandermite': ['pandermite', 'pentamerid'], 'panderous': ['panderous', 'repandous'], 'pandion': ['dipnoan', 'nonpaid', 'pandion'], 'pandour': ['pandour', 'poduran'], 'pane': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'paned': ['paned', 'penda'], 'panel': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'panela': ['apneal', 'panela'], 'panelation': ['antelopian', 'neapolitan', 'panelation'], 'paneler': ['paneler', 'repanel', 'replane'], 'paneless': ['paleness', 'paneless'], 'panelist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pangamic': ['campaign', 'pangamic'], 'pangane': ['pangane', 'pannage'], 'pangen': ['pangen', 'penang'], 'pangene': ['pangene', 'pennage'], 'pangi': ['aping', 'ngapi', 'pangi'], 'pani': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'panicle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'paniculitis': ['paniculitis', 'paulinistic'], 'panisca': ['capsian', 'caspian', 'nascapi', 'panisca'], 'panisic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pank': ['knap', 'pank'], 'pankin': ['napkin', 'pankin'], 'panman': ['panman', 'pannam'], 'panmug': ['panmug', 'pugman'], 'pannade': ['pandean', 'pannade'], 'pannage': ['pangane', 'pannage'], 'pannam': ['panman', 'pannam'], 'panne': ['panne', 'penna'], 'pannicle': ['pannicle', 'pinnacle'], 'pannus': ['pannus', 'sannup', 'unsnap', 'unspan'], 'panoche': ['copehan', 'panoche', 'phocean'], 'panoistic': ['panoistic', 'piscation'], 'panornithic': ['panornithic', 'rhaponticin'], 'panostitis': ['antiptosis', 'panostitis'], 'panplegia': ['appealing', 'lagniappe', 'panplegia'], 'pansciolist': ['costispinal', 'pansciolist'], 'panse': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'panside': ['ipseand', 'panside', 'pansied'], 'pansied': ['ipseand', 'panside', 'pansied'], 'pansy': ['pansy', 'snapy'], 'pantaleon': ['pantaleon', 'pantalone'], 'pantalone': ['pantaleon', 'pantalone'], 'pantarchy': ['pantarchy', 'pyracanth'], 'pantelis': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pantellerite': ['interpellate', 'pantellerite'], 'panter': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pantheic': ['haptenic', 'pantheic', 'pithecan'], 'pantheonic': ['nonhepatic', 'pantheonic'], 'pantie': ['pantie', 'patine'], 'panties': ['panties', 'sapient', 'spinate'], 'pantile': ['pantile', 'pentail', 'platine', 'talpine'], 'pantle': ['pantle', 'planet', 'platen'], 'pantler': ['pantler', 'planter', 'replant'], 'pantofle': ['felapton', 'pantofle'], 'pantry': ['pantry', 'trypan'], 'panyar': ['panary', 'panyar'], 'papabot': ['papabot', 'papboat'], 'papal': ['lappa', 'papal'], 'papalistic': ['papalistic', 'papistical'], 'papboat': ['papabot', 'papboat'], 'paper': ['paper', 'rappe'], 'papered': ['papered', 'pradeep'], 'paperer': ['paperer', 'perpera', 'prepare', 'repaper'], 'papern': ['napper', 'papern'], 'papery': ['papery', 'prepay', 'yapper'], 'papillote': ['papillote', 'popliteal'], 'papion': ['oppian', 'papion', 'popian'], 'papisher': ['papisher', 'sapphire'], 'papistical': ['papalistic', 'papistical'], 'papless': ['papless', 'sapples'], 'papolatry': ['palpatory', 'papolatry'], 'papule': ['papule', 'upleap'], 'par': ['par', 'rap'], 'para': ['apar', 'paar', 'para'], 'parablepsia': ['appraisable', 'parablepsia'], 'paracelsist': ['palaestrics', 'paracelsist'], 'parachor': ['chaparro', 'parachor'], 'paracolitis': ['paracolitis', 'piscatorial'], 'paradisaic': ['paradisaic', 'paradisiac'], 'paradisaically': ['paradisaically', 'paradisiacally'], 'paradise': ['paradise', 'sparidae'], 'paradisiac': ['paradisaic', 'paradisiac'], 'paradisiacally': ['paradisaically', 'paradisiacally'], 'parado': ['parado', 'pardao'], 'paraenetic': ['capernaite', 'paraenetic'], 'paragrapher': ['paragrapher', 'reparagraph'], 'parah': ['aphra', 'harpa', 'parah'], 'parale': ['earlap', 'parale'], 'param': ['param', 'parma', 'praam'], 'paramine': ['amperian', 'paramine', 'pearmain'], 'paranephric': ['paranephric', 'paraphrenic'], 'paranephritis': ['paranephritis', 'paraphrenitis'], 'paranosic': ['caparison', 'paranosic'], 'paraphrenic': ['paranephric', 'paraphrenic'], 'paraphrenitis': ['paranephritis', 'paraphrenitis'], 'parasita': ['aspirata', 'parasita'], 'parasite': ['aspirate', 'parasite'], 'parasol': ['asaprol', 'parasol'], 'parasuchian': ['parasuchian', 'unpharasaic'], 'parasyntheton': ['parasyntheton', 'thysanopteran'], 'parate': ['aptera', 'parate', 'patera'], 'parathion': ['parathion', 'phanariot'], 'parazoan': ['parazoan', 'zaparoan'], 'parboil': ['bipolar', 'parboil'], 'parcel': ['carpel', 'parcel', 'placer'], 'parcellary': ['carpellary', 'parcellary'], 'parcellate': ['carpellate', 'parcellate', 'prelacteal'], 'parchesi': ['parchesi', 'seraphic'], 'pard': ['pard', 'prad'], 'pardao': ['parado', 'pardao'], 'parded': ['padder', 'parded'], 'pardesi': ['despair', 'pardesi'], 'pardo': ['adrop', 'pardo'], 'pardoner': ['pardoner', 'preadorn'], 'pare': ['aper', 'pare', 'pear', 'rape', 'reap'], 'parel': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'paren': ['arpen', 'paren'], 'parent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'parental': ['parental', 'paternal', 'prenatal'], 'parentalia': ['parentalia', 'planetaria'], 'parentalism': ['parentalism', 'paternalism'], 'parentality': ['parentality', 'paternality'], 'parentally': ['parentally', 'paternally', 'prenatally'], 'parentelic': ['epicentral', 'parentelic'], 'parenticide': ['parenticide', 'preindicate'], 'parer': ['parer', 'raper'], 'paresis': ['paresis', 'serapis'], 'paretic': ['paretic', 'patrice', 'picrate'], 'parge': ['gaper', 'grape', 'pager', 'parge'], 'pari': ['pair', 'pari', 'pria', 'ripa'], 'pariah': ['pahari', 'pariah', 'raphia'], 'paridae': ['deipara', 'paridae'], 'paries': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'parietal': ['apterial', 'parietal'], 'parietes': ['asperite', 'parietes'], 'parietofrontal': ['frontoparietal', 'parietofrontal'], 'parietosquamosal': ['parietosquamosal', 'squamosoparietal'], 'parietotemporal': ['parietotemporal', 'temporoparietal'], 'parietovisceral': ['parietovisceral', 'visceroparietal'], 'parine': ['parine', 'rapine'], 'paring': ['paring', 'raping'], 'paris': ['paris', 'parsi', 'sarip'], 'parish': ['parish', 'raphis', 'rhapis'], 'parished': ['diphaser', 'parished', 'raphides', 'sephardi'], 'parison': ['parison', 'soprani'], 'parity': ['parity', 'piraty'], 'parkee': ['parkee', 'peaker'], 'parker': ['parker', 'repark'], 'parlatory': ['parlatory', 'portrayal'], 'parle': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'parley': ['parley', 'pearly', 'player', 'replay'], 'parliament': ['palermitan', 'parliament'], 'parly': ['parly', 'pylar', 'pyral'], 'parma': ['param', 'parma', 'praam'], 'parmesan': ['parmesan', 'spearman'], 'parnel': ['parnel', 'planer', 'replan'], 'paroch': ['carhop', 'paroch'], 'parochialism': ['aphorismical', 'parochialism'], 'parochine': ['canephroi', 'parochine'], 'parodic': ['parodic', 'picador'], 'paroecism': ['paroecism', 'premosaic'], 'parol': ['parol', 'polar', 'poral', 'proal'], 'parosela': ['parosela', 'psoralea'], 'parosteal': ['parosteal', 'pastorale'], 'parostotic': ['parostotic', 'postaortic'], 'parotia': ['apiator', 'atropia', 'parotia'], 'parotic': ['apricot', 'atropic', 'parotic', 'patrico'], 'parotid': ['dioptra', 'parotid'], 'parotitic': ['parotitic', 'patriotic'], 'parotitis': ['parotitis', 'topiarist'], 'parous': ['parous', 'upsoar'], 'parovarium': ['parovarium', 'vaporarium'], 'parrot': ['parrot', 'raptor'], 'parroty': ['parroty', 'portray', 'tropary'], 'parsable': ['parsable', 'prebasal', 'sparable'], 'parse': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'parsec': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'parsee': ['parsee', 'persae', 'persea', 'serape'], 'parser': ['parser', 'rasper', 'sparer'], 'parsi': ['paris', 'parsi', 'sarip'], 'parsley': ['parsley', 'pyrales', 'sparely', 'splayer'], 'parsoned': ['parsoned', 'spadrone'], 'parsonese': ['parsonese', 'preseason'], 'parsonic': ['parsonic', 'scoparin'], 'part': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'partan': ['partan', 'tarpan'], 'parted': ['depart', 'parted', 'petard'], 'partedness': ['depressant', 'partedness'], 'parter': ['parter', 'prater'], 'parthian': ['parthian', 'taphrina'], 'partial': ['partial', 'patrial'], 'partialistic': ['iatraliptics', 'partialistic'], 'particle': ['particle', 'plicater', 'prelatic'], 'particulate': ['catapultier', 'particulate'], 'partigen': ['partigen', 'tapering'], 'partile': ['partile', 'plaiter', 'replait'], 'partimen': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'partinium': ['impuritan', 'partinium'], 'partisan': ['aspirant', 'partisan', 'spartina'], 'partite': ['partite', 'tearpit'], 'partitioned': ['departition', 'partitioned', 'trepidation'], 'partitioner': ['partitioner', 'repartition'], 'partlet': ['partlet', 'platter', 'prattle'], 'partly': ['paltry', 'partly', 'raptly'], 'parto': ['aport', 'parto', 'porta'], 'parture': ['parture', 'rapture'], 'party': ['party', 'trypa'], 'parulis': ['parulis', 'spirula', 'uprisal'], 'parure': ['parure', 'uprear'], 'parvoline': ['overplain', 'parvoline'], 'pasan': ['pasan', 'sapan'], 'pasch': ['chaps', 'pasch'], 'pascha': ['pascha', 'scapha'], 'paschite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pascual': ['capsula', 'pascual', 'scapula'], 'pash': ['hasp', 'pash', 'psha', 'shap'], 'pasha': ['asaph', 'pasha'], 'pashm': ['pashm', 'phasm'], 'pashto': ['pashto', 'pathos', 'potash'], 'pasi': ['apis', 'pais', 'pasi', 'saip'], 'passer': ['passer', 'repass', 'sparse'], 'passional': ['passional', 'sponsalia'], 'passo': ['passo', 'psoas'], 'passout': ['outpass', 'passout'], 'passover': ['overpass', 'passover'], 'past': ['past', 'spat', 'stap', 'taps'], 'paste': ['paste', 'septa', 'spate'], 'pastel': ['pastel', 'septal', 'staple'], 'paster': ['paster', 'repast', 'trapes'], 'pasterer': ['pasterer', 'strepera'], 'pasteur': ['pasteur', 'pasture', 'upstare'], 'pastiche': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pasticheur': ['curateship', 'pasticheur'], 'pastil': ['alpist', 'pastil', 'spital'], 'pastile': ['aliptes', 'pastile', 'talipes'], 'pastime': ['impaste', 'pastime'], 'pastimer': ['maspiter', 'pastimer', 'primates'], 'pastophorium': ['amphitropous', 'pastophorium'], 'pastophorus': ['apostrophus', 'pastophorus'], 'pastor': ['asport', 'pastor', 'sproat'], 'pastoral': ['pastoral', 'proatlas'], 'pastorale': ['parosteal', 'pastorale'], 'pastose': ['pastose', 'petasos'], 'pastural': ['pastural', 'spatular'], 'pasture': ['pasteur', 'pasture', 'upstare'], 'pasty': ['pasty', 'patsy'], 'pasul': ['palus', 'pasul'], 'pat': ['apt', 'pat', 'tap'], 'pata': ['atap', 'pata', 'tapa'], 'patao': ['opata', 'patao', 'tapoa'], 'patarin': ['patarin', 'tarapin'], 'patarine': ['patarine', 'tarpeian'], 'patas': ['patas', 'tapas'], 'patch': ['chapt', 'pacht', 'patch'], 'patcher': ['chapter', 'patcher', 'repatch'], 'patchery': ['patchery', 'petchary'], 'pate': ['pate', 'peat', 'tape', 'teap'], 'patel': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'paten': ['enapt', 'paten', 'penta', 'tapen'], 'patener': ['patener', 'pearten', 'petrean', 'terpane'], 'patent': ['patent', 'patten', 'tapnet'], 'pater': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'patera': ['aptera', 'parate', 'patera'], 'paternal': ['parental', 'paternal', 'prenatal'], 'paternalism': ['parentalism', 'paternalism'], 'paternalist': ['intraseptal', 'paternalist', 'prenatalist'], 'paternality': ['parentality', 'paternality'], 'paternally': ['parentally', 'paternally', 'prenatally'], 'paternoster': ['paternoster', 'prosternate', 'transportee'], 'patesi': ['patesi', 'pietas'], 'pathed': ['heptad', 'pathed'], 'pathic': ['haptic', 'pathic'], 'pathlet': ['pathlet', 'telpath'], 'pathogen': ['heptagon', 'pathogen'], 'pathologicoanatomic': ['anatomicopathologic', 'pathologicoanatomic'], 'pathologicoanatomical': ['anatomicopathological', 'pathologicoanatomical'], 'pathologicoclinical': ['clinicopathological', 'pathologicoclinical'], 'pathonomy': ['monopathy', 'pathonomy'], 'pathophoric': ['haptophoric', 'pathophoric'], 'pathophorous': ['haptophorous', 'pathophorous'], 'pathos': ['pashto', 'pathos', 'potash'], 'pathy': ['pathy', 'typha'], 'patiently': ['patiently', 'platynite'], 'patina': ['aptian', 'patina', 'taipan'], 'patine': ['pantie', 'patine'], 'patined': ['depaint', 'inadept', 'painted', 'patined'], 'patio': ['patio', 'taipo', 'topia'], 'patly': ['aptly', 'patly', 'platy', 'typal'], 'patness': ['aptness', 'patness'], 'pato': ['atop', 'pato'], 'patola': ['patola', 'tapalo'], 'patrial': ['partial', 'patrial'], 'patriarch': ['patriarch', 'phratriac'], 'patrice': ['paretic', 'patrice', 'picrate'], 'patricide': ['dipicrate', 'patricide', 'pediatric'], 'patrico': ['apricot', 'atropic', 'parotic', 'patrico'], 'patrilocal': ['allopatric', 'patrilocal'], 'patriotic': ['parotitic', 'patriotic'], 'patroclinous': ['patroclinous', 'pratincolous'], 'patrol': ['patrol', 'portal', 'tropal'], 'patron': ['patron', 'tarpon'], 'patroness': ['patroness', 'transpose'], 'patronite': ['antitrope', 'patronite', 'tritanope'], 'patronymic': ['importancy', 'patronymic', 'pyromantic'], 'patsy': ['pasty', 'patsy'], 'patte': ['patte', 'tapet'], 'pattee': ['pattee', 'tapete'], 'patten': ['patent', 'patten', 'tapnet'], 'pattener': ['pattener', 'repatent'], 'patterer': ['patterer', 'pretreat'], 'pattern': ['pattern', 'reptant'], 'patterner': ['patterner', 'repattern'], 'patu': ['patu', 'paut', 'tapu'], 'patulent': ['patulent', 'petulant'], 'pau': ['pau', 'pua'], 'paul': ['paul', 'upla'], 'paula': ['palau', 'paula'], 'paulian': ['apulian', 'paulian', 'paulina'], 'paulie': ['alpieu', 'paulie'], 'paulin': ['paulin', 'pulian'], 'paulina': ['apulian', 'paulian', 'paulina'], 'paulinistic': ['paniculitis', 'paulinistic'], 'paulinus': ['nauplius', 'paulinus'], 'paulist': ['paulist', 'stipula'], 'paup': ['paup', 'pupa'], 'paut': ['patu', 'paut', 'tapu'], 'paver': ['paver', 'verpa'], 'pavid': ['pavid', 'vapid'], 'pavidity': ['pavidity', 'vapidity'], 'pavier': ['pavier', 'vipera'], 'pavisor': ['pavisor', 'proavis'], 'paw': ['paw', 'wap'], 'pawner': ['enwrap', 'pawner', 'repawn'], 'pay': ['pay', 'pya', 'yap'], 'payer': ['apery', 'payer', 'repay'], 'payroll': ['payroll', 'polarly'], 'pea': ['ape', 'pea'], 'peach': ['chape', 'cheap', 'peach'], 'peachen': ['cheapen', 'peachen'], 'peachery': ['cheapery', 'peachery'], 'peachlet': ['chapelet', 'peachlet'], 'peacoat': ['opacate', 'peacoat'], 'peag': ['gape', 'page', 'peag', 'pega'], 'peaker': ['parkee', 'peaker'], 'peal': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pealike': ['apelike', 'pealike'], 'pean': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'pear': ['aper', 'pare', 'pear', 'rape', 'reap'], 'pearl': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'pearled': ['pearled', 'pedaler', 'pleader', 'replead'], 'pearlet': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pearlin': ['pearlin', 'plainer', 'praline'], 'pearlish': ['earlship', 'pearlish'], 'pearlsides': ['displeaser', 'pearlsides'], 'pearly': ['parley', 'pearly', 'player', 'replay'], 'pearmain': ['amperian', 'paramine', 'pearmain'], 'peart': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'pearten': ['patener', 'pearten', 'petrean', 'terpane'], 'peartly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'peartness': ['apertness', 'peartness', 'taperness'], 'peasantry': ['peasantry', 'synaptera'], 'peat': ['pate', 'peat', 'tape', 'teap'], 'peatman': ['peatman', 'tapeman'], 'peatship': ['happiest', 'peatship'], 'peccation': ['acception', 'peccation'], 'peckerwood': ['peckerwood', 'woodpecker'], 'pecos': ['copse', 'pecos', 'scope'], 'pectin': ['incept', 'pectin'], 'pectinate': ['pectinate', 'pencatite'], 'pectination': ['antinepotic', 'pectination'], 'pectinatopinnate': ['pectinatopinnate', 'pinnatopectinate'], 'pectinoid': ['depiction', 'pectinoid'], 'pectora': ['coperta', 'pectora', 'porcate'], 'pecunious': ['pecunious', 'puniceous'], 'peda': ['depa', 'peda'], 'pedal': ['padle', 'paled', 'pedal', 'plead'], 'pedaler': ['pearled', 'pedaler', 'pleader', 'replead'], 'pedalier': ['pedalier', 'perlidae'], 'pedalion': ['lapideon', 'palinode', 'pedalion'], 'pedalism': ['misplead', 'pedalism'], 'pedalist': ['dispetal', 'pedalist'], 'pedaliter': ['pedaliter', 'predetail'], 'pedant': ['pedant', 'pentad'], 'pedantess': ['adeptness', 'pedantess'], 'pedantic': ['pedantic', 'pentacid'], 'pedary': ['pedary', 'preday'], 'pederastic': ['discrepate', 'pederastic'], 'pedes': ['pedes', 'speed'], 'pedesis': ['despise', 'pedesis'], 'pedestrial': ['pedestrial', 'pilastered'], 'pediatric': ['dipicrate', 'patricide', 'pediatric'], 'pedicel': ['pedicel', 'pedicle'], 'pedicle': ['pedicel', 'pedicle'], 'pedicular': ['crepidula', 'pedicular'], 'pediculi': ['lupicide', 'pediculi', 'pulicide'], 'pedimana': ['pandemia', 'pedimana'], 'pedocal': ['lacepod', 'pedocal', 'placode'], 'pedometrician': ['pedometrician', 'premedication'], 'pedrail': ['pedrail', 'predial'], 'pedro': ['doper', 'pedro', 'pored'], 'peed': ['deep', 'peed'], 'peek': ['keep', 'peek'], 'peel': ['leep', 'peel', 'pele'], 'peelman': ['empanel', 'emplane', 'peelman'], 'peen': ['neep', 'peen'], 'peerly': ['peerly', 'yelper'], 'pega': ['gape', 'page', 'peag', 'pega'], 'peho': ['hope', 'peho'], 'peiser': ['espier', 'peiser'], 'peitho': ['ethiop', 'ophite', 'peitho'], 'peixere': ['expiree', 'peixere'], 'pekan': ['knape', 'pekan'], 'pelage': ['paegel', 'paegle', 'pelage'], 'pelasgoi': ['pelasgoi', 'spoilage'], 'pele': ['leep', 'peel', 'pele'], 'pelean': ['alpeen', 'lenape', 'pelean'], 'pelecani': ['capeline', 'pelecani'], 'pelecanus': ['encapsule', 'pelecanus'], 'pelias': ['espial', 'lipase', 'pelias'], 'pelican': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pelick': ['pelick', 'pickle'], 'pelides': ['pelides', 'seedlip'], 'pelidnota': ['pelidnota', 'planetoid'], 'pelike': ['kelpie', 'pelike'], 'pelisse': ['pelisse', 'pieless'], 'pelite': ['leepit', 'pelite', 'pielet'], 'pellation': ['pellation', 'pollinate'], 'pellotine': ['pellotine', 'pollenite'], 'pelmet': ['pelmet', 'temple'], 'pelon': ['pelon', 'pleon'], 'pelops': ['pelops', 'peplos'], 'pelorian': ['pelorian', 'peronial', 'proalien'], 'peloric': ['peloric', 'precoil'], 'pelorus': ['leprous', 'pelorus', 'sporule'], 'pelota': ['alepot', 'pelota'], 'pelta': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'peltandra': ['leptandra', 'peltandra'], 'peltast': ['peltast', 'spattle'], 'peltate': ['palette', 'peltate'], 'peltation': ['peltation', 'potential'], 'pelter': ['pelter', 'petrel'], 'peltiform': ['leptiform', 'peltiform'], 'pelting': ['pelting', 'petling'], 'peltry': ['peltry', 'pertly'], 'pelu': ['lupe', 'pelu', 'peul', 'pule'], 'pelusios': ['epulosis', 'pelusios'], 'pelycography': ['pelycography', 'pyrgocephaly'], 'pemican': ['campine', 'pemican'], 'pen': ['nep', 'pen'], 'penal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'penalist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'penalty': ['aplenty', 'penalty'], 'penang': ['pangen', 'penang'], 'penates': ['penates', 'septane'], 'pencatite': ['pectinate', 'pencatite'], 'penciled': ['depencil', 'penciled', 'pendicle'], 'pencilry': ['pencilry', 'princely'], 'penda': ['paned', 'penda'], 'pendicle': ['depencil', 'penciled', 'pendicle'], 'pendulant': ['pendulant', 'unplanted'], 'pendular': ['pendular', 'underlap', 'uplander'], 'pendulate': ['pendulate', 'unpleated'], 'pendulation': ['pendulation', 'pennatuloid'], 'pendulum': ['pendulum', 'unlumped', 'unplumed'], 'penetrable': ['penetrable', 'repentable'], 'penetrance': ['penetrance', 'repentance'], 'penetrant': ['penetrant', 'repentant'], 'penial': ['alpine', 'nepali', 'penial', 'pineal'], 'penis': ['penis', 'snipe', 'spine'], 'penitencer': ['penitencer', 'pertinence'], 'penman': ['nepman', 'penman'], 'penna': ['panne', 'penna'], 'pennage': ['pangene', 'pennage'], 'pennate': ['pennate', 'pentane'], 'pennatulid': ['pennatulid', 'pinnulated'], 'pennatuloid': ['pendulation', 'pennatuloid'], 'pennia': ['nanpie', 'pennia', 'pinnae'], 'pennisetum': ['pennisetum', 'septennium'], 'pensioner': ['pensioner', 'repension'], 'pensive': ['pensive', 'vespine'], 'penster': ['penster', 'present', 'serpent', 'strepen'], 'penta': ['enapt', 'paten', 'penta', 'tapen'], 'pentace': ['pentace', 'tepanec'], 'pentacid': ['pedantic', 'pentacid'], 'pentad': ['pedant', 'pentad'], 'pentadecoic': ['adenectopic', 'pentadecoic'], 'pentail': ['pantile', 'pentail', 'platine', 'talpine'], 'pentamerid': ['pandermite', 'pentamerid'], 'pentameroid': ['pentameroid', 'predominate'], 'pentane': ['pennate', 'pentane'], 'pentaploid': ['deoppilant', 'pentaploid'], 'pentathionic': ['antiphonetic', 'pentathionic'], 'pentatomic': ['camptonite', 'pentatomic'], 'pentitol': ['pentitol', 'pointlet'], 'pentoic': ['entopic', 'nepotic', 'pentoic'], 'pentol': ['lepton', 'pentol'], 'pentose': ['pentose', 'posteen'], 'pentyl': ['pentyl', 'plenty'], 'penult': ['penult', 'punlet', 'puntel'], 'peon': ['nope', 'open', 'peon', 'pone'], 'peony': ['peony', 'poney'], 'peopler': ['peopler', 'popeler'], 'peorian': ['apeiron', 'peorian'], 'peplos': ['pelops', 'peplos'], 'peplum': ['peplum', 'pumple'], 'peplus': ['peplus', 'supple'], 'pepo': ['pepo', 'pope'], 'per': ['per', 'rep'], 'peracid': ['epacrid', 'peracid', 'preacid'], 'peract': ['carpet', 'peract', 'preact'], 'peracute': ['peracute', 'preacute'], 'peradventure': ['peradventure', 'preadventure'], 'perakim': ['perakim', 'permiak', 'rampike'], 'peramble': ['peramble', 'preamble'], 'perambulate': ['perambulate', 'preambulate'], 'perambulation': ['perambulation', 'preambulation'], 'perambulatory': ['perambulatory', 'preambulatory'], 'perates': ['perates', 'repaste', 'sperate'], 'perbend': ['perbend', 'prebend'], 'perborate': ['perborate', 'prorebate', 'reprobate'], 'perca': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'percale': ['percale', 'replace'], 'percaline': ['percaline', 'periclean'], 'percent': ['percent', 'precent'], 'percept': ['percept', 'precept'], 'perception': ['perception', 'preception'], 'perceptionism': ['misperception', 'perceptionism'], 'perceptive': ['perceptive', 'preceptive'], 'perceptively': ['perceptively', 'preceptively'], 'perceptual': ['perceptual', 'preceptual'], 'perceptually': ['perceptually', 'preceptually'], 'percha': ['aperch', 'eparch', 'percha', 'preach'], 'perchloric': ['perchloric', 'prechloric'], 'percid': ['percid', 'priced'], 'perclose': ['perclose', 'preclose'], 'percoidea': ['adipocere', 'percoidea'], 'percolate': ['percolate', 'prelocate'], 'percolation': ['neotropical', 'percolation'], 'percompound': ['percompound', 'precompound'], 'percontation': ['percontation', 'pernoctation'], 'perculsion': ['perculsion', 'preclusion'], 'perculsive': ['perculsive', 'preclusive'], 'percurrent': ['percurrent', 'precurrent'], 'percursory': ['percursory', 'precursory'], 'percussion': ['croupiness', 'percussion', 'supersonic'], 'percussioner': ['percussioner', 'repercussion'], 'percussor': ['percussor', 'procuress'], 'percy': ['crepy', 'cypre', 'percy'], 'perdicine': ['perdicine', 'recipiend'], 'perdition': ['direption', 'perdition', 'tropidine'], 'perdu': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'peregrina': ['peregrina', 'pregainer'], 'pereion': ['pereion', 'pioneer'], 'perendure': ['perendure', 'underpeer'], 'peres': ['peres', 'perse', 'speer', 'spree'], 'perfect': ['perfect', 'prefect'], 'perfected': ['perfected', 'predefect'], 'perfection': ['frontpiece', 'perfection'], 'perfectly': ['perfectly', 'prefectly'], 'perfervid': ['perfervid', 'prefervid'], 'perfoliation': ['perfoliation', 'prefoliation'], 'perforative': ['perforative', 'prefavorite'], 'perform': ['perform', 'preform'], 'performant': ['performant', 'preformant'], 'performative': ['performative', 'preformative'], 'performer': ['performer', 'prereform', 'reperform'], 'pergamic': ['crimpage', 'pergamic'], 'perhaps': ['perhaps', 'prehaps'], 'perhazard': ['perhazard', 'prehazard'], 'peri': ['peri', 'pier', 'ripe'], 'periacinal': ['epicranial', 'periacinal'], 'perianal': ['airplane', 'perianal'], 'perianth': ['perianth', 'triphane'], 'periapt': ['periapt', 'rappite'], 'periaster': ['periaster', 'sparterie'], 'pericardiacophrenic': ['pericardiacophrenic', 'phrenicopericardiac'], 'pericardiopleural': ['pericardiopleural', 'pleuropericardial'], 'perichete': ['perichete', 'perithece'], 'periclase': ['episclera', 'periclase'], 'periclean': ['percaline', 'periclean'], 'pericles': ['eclipser', 'pericles', 'resplice'], 'pericopal': ['pericopal', 'periploca'], 'periculant': ['periculant', 'unprelatic'], 'peridental': ['interplead', 'peridental'], 'peridiastolic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'peridot': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'perigone': ['perigone', 'pigeoner'], 'peril': ['peril', 'piler', 'plier'], 'perilous': ['perilous', 'uropsile'], 'perimeter': ['perimeter', 'peritreme'], 'perine': ['neiper', 'perine', 'pirene', 'repine'], 'perineovaginal': ['perineovaginal', 'vaginoperineal'], 'periodate': ['periodate', 'proetidae', 'proteidae'], 'periodicalist': ['peridiastolic', 'periodicalist', 'proidealistic'], 'periodontal': ['deploration', 'periodontal'], 'periost': ['periost', 'porites', 'reposit', 'riposte'], 'periosteal': ['periosteal', 'praseolite'], 'periotic': ['epirotic', 'periotic'], 'peripatetic': ['peripatetic', 'precipitate'], 'peripatidae': ['peripatidae', 'peripatidea'], 'peripatidea': ['peripatidae', 'peripatidea'], 'periplaneta': ['periplaneta', 'prepalatine'], 'periploca': ['pericopal', 'periploca'], 'periplus': ['periplus', 'supplier'], 'periportal': ['periportal', 'peritropal'], 'periproct': ['cotripper', 'periproct'], 'peripterous': ['peripterous', 'prepositure'], 'perique': ['perique', 'repique'], 'perirectal': ['perirectal', 'prerecital'], 'periscian': ['periscian', 'precisian'], 'periscopal': ['periscopal', 'sapropelic'], 'perish': ['perish', 'reship'], 'perished': ['hesperid', 'perished'], 'perishment': ['perishment', 'reshipment'], 'perisomal': ['perisomal', 'semipolar'], 'perisome': ['perisome', 'promisee', 'reimpose'], 'perispome': ['perispome', 'preimpose'], 'peristole': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'peristoma': ['epistroma', 'peristoma'], 'peristomal': ['peristomal', 'prestomial'], 'peristylos': ['peristylos', 'pterylosis'], 'perit': ['perit', 'retip', 'tripe'], 'perite': ['perite', 'petrie', 'pieter'], 'peritenon': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'perithece': ['perichete', 'perithece'], 'peritomize': ['epitomizer', 'peritomize'], 'peritomous': ['outpromise', 'peritomous'], 'peritreme': ['perimeter', 'peritreme'], 'peritrichous': ['courtiership', 'peritrichous'], 'peritroch': ['chiropter', 'peritroch'], 'peritropal': ['periportal', 'peritropal'], 'peritropous': ['peritropous', 'proprietous'], 'perkin': ['perkin', 'pinker'], 'perknite': ['perknite', 'peterkin'], 'perla': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'perle': ['leper', 'perle', 'repel'], 'perlection': ['perlection', 'prelection'], 'perlidae': ['pedalier', 'perlidae'], 'perlingual': ['perlingual', 'prelingual'], 'perlite': ['perlite', 'reptile'], 'perlitic': ['perlitic', 'triplice'], 'permeameter': ['amperemeter', 'permeameter'], 'permeance': ['permeance', 'premenace'], 'permeant': ['permeant', 'peterman'], 'permeation': ['permeation', 'preominate'], 'permiak': ['perakim', 'permiak', 'rampike'], 'permissibility': ['impressibility', 'permissibility'], 'permissible': ['impressible', 'permissible'], 'permissibleness': ['impressibleness', 'permissibleness'], 'permissibly': ['impressibly', 'permissibly'], 'permission': ['impression', 'permission'], 'permissive': ['impressive', 'permissive'], 'permissively': ['impressively', 'permissively'], 'permissiveness': ['impressiveness', 'permissiveness'], 'permitter': ['permitter', 'pretermit'], 'permixture': ['permixture', 'premixture'], 'permonosulphuric': ['monopersulphuric', 'permonosulphuric'], 'permutation': ['importunate', 'permutation'], 'pernasal': ['pernasal', 'prenasal'], 'pernis': ['pernis', 'respin', 'sniper'], 'pernoctation': ['percontation', 'pernoctation'], 'pernor': ['pernor', 'perron'], 'pernyi': ['pernyi', 'pinery'], 'peronial': ['pelorian', 'peronial', 'proalien'], 'peropus': ['peropus', 'purpose'], 'peroral': ['peroral', 'preoral'], 'perorally': ['perorally', 'preorally'], 'perorate': ['perorate', 'retepora'], 'perosmate': ['perosmate', 'sematrope'], 'perosmic': ['comprise', 'perosmic'], 'perotic': ['perotic', 'proteic', 'tropeic'], 'perpera': ['paperer', 'perpera', 'prepare', 'repaper'], 'perpetualist': ['perpetualist', 'pluriseptate'], 'perplexer': ['perplexer', 'reperplex'], 'perron': ['pernor', 'perron'], 'perry': ['perry', 'pryer'], 'persae': ['parsee', 'persae', 'persea', 'serape'], 'persalt': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'perscribe': ['perscribe', 'prescribe'], 'perse': ['peres', 'perse', 'speer', 'spree'], 'persea': ['parsee', 'persae', 'persea', 'serape'], 'perseid': ['perseid', 'preside'], 'perseitol': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'perseity': ['perseity', 'speerity'], 'persian': ['persian', 'prasine', 'saprine'], 'persic': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'persico': ['ceriops', 'persico'], 'persism': ['impress', 'persism', 'premiss'], 'persist': ['persist', 'spriest'], 'persistent': ['persistent', 'presentist', 'prettiness'], 'personalia': ['palaeornis', 'personalia'], 'personalistic': ['personalistic', 'pictorialness'], 'personate': ['esperanto', 'personate'], 'personed': ['personed', 'responde'], 'pert': ['pert', 'petr', 'terp'], 'pertain': ['painter', 'pertain', 'pterian', 'repaint'], 'perten': ['perten', 'repent'], 'perthite': ['perthite', 'tephrite'], 'perthitic': ['perthitic', 'tephritic'], 'pertinacity': ['antipyretic', 'pertinacity'], 'pertinence': ['penitencer', 'pertinence'], 'pertly': ['peltry', 'pertly'], 'perturbational': ['perturbational', 'protuberantial'], 'pertussal': ['pertussal', 'supersalt'], 'perty': ['perty', 'typer'], 'peru': ['peru', 'prue', 'pure'], 'perugian': ['pagurine', 'perugian'], 'peruke': ['keuper', 'peruke'], 'perula': ['epural', 'perula', 'pleura'], 'perun': ['perun', 'prune'], 'perusable': ['perusable', 'superable'], 'perusal': ['perusal', 'serpula'], 'peruse': ['peruse', 'respue'], 'pervade': ['deprave', 'pervade'], 'pervader': ['depraver', 'pervader'], 'pervadingly': ['depravingly', 'pervadingly'], 'perverse': ['perverse', 'preserve'], 'perversion': ['perversion', 'preversion'], 'pervious': ['pervious', 'previous', 'viperous'], 'perviously': ['perviously', 'previously', 'viperously'], 'perviousness': ['perviousness', 'previousness', 'viperousness'], 'pesa': ['apse', 'pesa', 'spae'], 'pesach': ['cephas', 'pesach'], 'pesah': ['heaps', 'pesah', 'phase', 'shape'], 'peseta': ['asteep', 'peseta'], 'peso': ['epos', 'peso', 'pose', 'sope'], 'pess': ['pess', 'seps'], 'pessoner': ['pessoner', 'response'], 'pest': ['pest', 'sept', 'spet', 'step'], 'peste': ['peste', 'steep'], 'pester': ['pester', 'preset', 'restep', 'streep'], 'pesthole': ['heelpost', 'pesthole'], 'pesticidal': ['pesticidal', 'septicidal'], 'pestiferous': ['pestiferous', 'septiferous'], 'pestle': ['pestle', 'spleet'], 'petal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'petalia': ['palaite', 'petalia', 'pileata'], 'petaline': ['petaline', 'tapeline'], 'petalism': ['petalism', 'septimal'], 'petalless': ['petalless', 'plateless', 'pleatless'], 'petallike': ['petallike', 'platelike'], 'petaloid': ['opdalite', 'petaloid'], 'petalon': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'petard': ['depart', 'parted', 'petard'], 'petary': ['petary', 'pratey'], 'petasos': ['pastose', 'petasos'], 'petchary': ['patchery', 'petchary'], 'petechial': ['epithecal', 'petechial', 'phacelite'], 'petechiate': ['epithecate', 'petechiate'], 'peteman': ['peteman', 'tempean'], 'peter': ['erept', 'peter', 'petre'], 'peterkin': ['perknite', 'peterkin'], 'peterman': ['permeant', 'peterman'], 'petiolary': ['epilatory', 'petiolary'], 'petiole': ['petiole', 'pilotee'], 'petioled': ['lepidote', 'petioled'], 'petitionary': ['opiniatrety', 'petitionary'], 'petitioner': ['petitioner', 'repetition'], 'petiveria': ['aperitive', 'petiveria'], 'petling': ['pelting', 'petling'], 'peto': ['peto', 'poet', 'pote', 'tope'], 'petr': ['pert', 'petr', 'terp'], 'petre': ['erept', 'peter', 'petre'], 'petrea': ['petrea', 'repeat', 'retape'], 'petrean': ['patener', 'pearten', 'petrean', 'terpane'], 'petrel': ['pelter', 'petrel'], 'petricola': ['carpolite', 'petricola'], 'petrie': ['perite', 'petrie', 'pieter'], 'petrine': ['petrine', 'terpine'], 'petrochemical': ['cephalometric', 'petrochemical'], 'petrogale': ['petrogale', 'petrolage', 'prolegate'], 'petrographer': ['petrographer', 'pterographer'], 'petrographic': ['petrographic', 'pterographic'], 'petrographical': ['petrographical', 'pterographical'], 'petrographically': ['petrographically', 'pterylographical'], 'petrography': ['petrography', 'pterography', 'typographer'], 'petrol': ['petrol', 'replot'], 'petrolage': ['petrogale', 'petrolage', 'prolegate'], 'petrolean': ['petrolean', 'rantepole'], 'petrolic': ['petrolic', 'plerotic'], 'petrologically': ['petrologically', 'pterylological'], 'petrosa': ['esparto', 'petrosa', 'seaport'], 'petrosal': ['petrosal', 'polestar'], 'petrosquamosal': ['petrosquamosal', 'squamopetrosal'], 'petrous': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'petticoated': ['depetticoat', 'petticoated'], 'petulant': ['patulent', 'petulant'], 'petune': ['neetup', 'petune'], 'peul': ['lupe', 'pelu', 'peul', 'pule'], 'pewy': ['pewy', 'wype'], 'peyote': ['peyote', 'poteye'], 'peyotl': ['peyotl', 'poetly'], 'phacelia': ['acephali', 'phacelia'], 'phacelite': ['epithecal', 'petechial', 'phacelite'], 'phacoid': ['dapicho', 'phacoid'], 'phacolite': ['hopcalite', 'phacolite'], 'phacolysis': ['pachylosis', 'phacolysis'], 'phacometer': ['pachometer', 'phacometer'], 'phaethonic': ['phaethonic', 'theophanic'], 'phaeton': ['phaeton', 'phonate'], 'phagocytism': ['mycophagist', 'phagocytism'], 'phalaecian': ['acephalina', 'phalaecian'], 'phalangium': ['gnaphalium', 'phalangium'], 'phalera': ['phalera', 'raphael'], 'phanariot': ['parathion', 'phanariot'], 'phanerogam': ['anemograph', 'phanerogam'], 'phanerogamic': ['anemographic', 'phanerogamic'], 'phanerogamy': ['anemography', 'phanerogamy'], 'phanic': ['apinch', 'chapin', 'phanic'], 'phano': ['phano', 'pohna'], 'pharaonic': ['anaphoric', 'pharaonic'], 'pharaonical': ['anaphorical', 'pharaonical'], 'phare': ['hepar', 'phare', 'raphe'], 'pharian': ['pharian', 'piranha'], 'pharisaic': ['chirapsia', 'pharisaic'], 'pharisean': ['pharisean', 'seraphina'], 'pharisee': ['hesperia', 'pharisee'], 'phariseeism': ['hemiparesis', 'phariseeism'], 'pharmacolite': ['metaphorical', 'pharmacolite'], 'pharyngolaryngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'pharyngolaryngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'pharyngorhinitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'phase': ['heaps', 'pesah', 'phase', 'shape'], 'phaseless': ['phaseless', 'shapeless'], 'phaseolin': ['esiphonal', 'phaseolin'], 'phasis': ['aspish', 'phasis'], 'phasm': ['pashm', 'phasm'], 'phasmid': ['dampish', 'madship', 'phasmid'], 'phasmoid': ['phasmoid', 'shopmaid'], 'pheal': ['aleph', 'pheal'], 'pheasant': ['pheasant', 'stephana'], 'phecda': ['chaped', 'phecda'], 'phemie': ['imphee', 'phemie'], 'phenacite': ['phenacite', 'phenicate'], 'phenate': ['haptene', 'heptane', 'phenate'], 'phenetole': ['phenetole', 'telephone'], 'phenic': ['phenic', 'pinche'], 'phenicate': ['phenacite', 'phenicate'], 'phenolic': ['phenolic', 'pinochle'], 'phenological': ['nephological', 'phenological'], 'phenologist': ['nephologist', 'phenologist'], 'phenology': ['nephology', 'phenology'], 'phenosal': ['alphonse', 'phenosal'], 'pheon': ['pheon', 'phone'], 'phi': ['hip', 'phi'], 'phialide': ['hepialid', 'phialide'], 'philobotanist': ['botanophilist', 'philobotanist'], 'philocynic': ['cynophilic', 'philocynic'], 'philohela': ['halophile', 'philohela'], 'philoneism': ['neophilism', 'philoneism'], 'philopoet': ['philopoet', 'photopile'], 'philotheist': ['philotheist', 'theophilist'], 'philotherian': ['lithonephria', 'philotherian'], 'philozoic': ['philozoic', 'zoophilic'], 'philozoist': ['philozoist', 'zoophilist'], 'philter': ['philter', 'thripel'], 'phineas': ['inphase', 'phineas'], 'phiroze': ['orphize', 'phiroze'], 'phit': ['phit', 'pith'], 'phlebometritis': ['metrophlebitis', 'phlebometritis'], 'phleum': ['phleum', 'uphelm'], 'phloretic': ['phloretic', 'plethoric'], 'pho': ['hop', 'pho', 'poh'], 'phobism': ['mobship', 'phobism'], 'phoca': ['chopa', 'phoca', 'poach'], 'phocaean': ['phocaean', 'phocaena'], 'phocaena': ['phocaean', 'phocaena'], 'phocaenine': ['phocaenine', 'phoenicean'], 'phocean': ['copehan', 'panoche', 'phocean'], 'phocian': ['aphonic', 'phocian'], 'phocine': ['chopine', 'phocine'], 'phoenicean': ['phocaenine', 'phoenicean'], 'pholad': ['adolph', 'pholad'], 'pholas': ['alphos', 'pholas'], 'pholcidae': ['cephaloid', 'pholcidae'], 'pholcoid': ['chilopod', 'pholcoid'], 'phonate': ['phaeton', 'phonate'], 'phone': ['pheon', 'phone'], 'phonelescope': ['nepheloscope', 'phonelescope'], 'phonetical': ['pachnolite', 'phonetical'], 'phonetics': ['phonetics', 'sphenotic'], 'phoniatry': ['phoniatry', 'thiopyran'], 'phonic': ['chopin', 'phonic'], 'phonogram': ['monograph', 'nomograph', 'phonogram'], 'phonogramic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'phonogramically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'phonographic': ['graphophonic', 'phonographic'], 'phonolite': ['lithopone', 'phonolite'], 'phonometer': ['nephrotome', 'phonometer'], 'phonometry': ['nephrotomy', 'phonometry'], 'phonophote': ['phonophote', 'photophone'], 'phonotyper': ['hypopteron', 'phonotyper'], 'phoo': ['hoop', 'phoo', 'pooh'], 'phorone': ['orpheon', 'phorone'], 'phoronidea': ['phoronidea', 'radiophone'], 'phos': ['phos', 'posh', 'shop', 'soph'], 'phosphatide': ['diphosphate', 'phosphatide'], 'phosphoglycerate': ['glycerophosphate', 'phosphoglycerate'], 'phossy': ['hyssop', 'phossy', 'sposhy'], 'phot': ['phot', 'toph'], 'photechy': ['hypothec', 'photechy'], 'photochromography': ['chromophotography', 'photochromography'], 'photochromolithograph': ['chromophotolithograph', 'photochromolithograph'], 'photochronograph': ['chronophotograph', 'photochronograph'], 'photochronographic': ['chronophotographic', 'photochronographic'], 'photochronography': ['chronophotography', 'photochronography'], 'photogram': ['motograph', 'photogram'], 'photographer': ['photographer', 'rephotograph'], 'photoheliography': ['heliophotography', 'photoheliography'], 'photolithography': ['lithophotography', 'photolithography'], 'photomacrograph': ['macrophotograph', 'photomacrograph'], 'photometer': ['photometer', 'prototheme'], 'photomicrograph': ['microphotograph', 'photomicrograph'], 'photomicrographic': ['microphotographic', 'photomicrographic'], 'photomicrography': ['microphotography', 'photomicrography'], 'photomicroscope': ['microphotoscope', 'photomicroscope'], 'photophone': ['phonophote', 'photophone'], 'photopile': ['philopoet', 'photopile'], 'photostereograph': ['photostereograph', 'stereophotograph'], 'phototelegraph': ['phototelegraph', 'telephotograph'], 'phototelegraphic': ['phototelegraphic', 'telephotographic'], 'phototelegraphy': ['phototelegraphy', 'telephotography'], 'phototypography': ['phototypography', 'phytotopography'], 'phrase': ['phrase', 'seraph', 'shaper', 'sherpa'], 'phraser': ['phraser', 'sharper'], 'phrasing': ['harpings', 'phrasing'], 'phrasy': ['phrasy', 'sharpy'], 'phratriac': ['patriarch', 'phratriac'], 'phreatic': ['chapiter', 'phreatic'], 'phrenesia': ['hesperian', 'phrenesia', 'seraphine'], 'phrenic': ['nephric', 'phrenic', 'pincher'], 'phrenicopericardiac': ['pericardiacophrenic', 'phrenicopericardiac'], 'phrenics': ['phrenics', 'pinscher'], 'phrenitic': ['nephritic', 'phrenitic', 'prehnitic'], 'phrenitis': ['inspreith', 'nephritis', 'phrenitis'], 'phrenocardiac': ['nephrocardiac', 'phrenocardiac'], 'phrenocolic': ['nephrocolic', 'phrenocolic'], 'phrenocostal': ['phrenocostal', 'plastochrone'], 'phrenogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'phrenohepatic': ['hepatonephric', 'phrenohepatic'], 'phrenologist': ['nephrologist', 'phrenologist'], 'phrenology': ['nephrology', 'phrenology'], 'phrenopathic': ['nephropathic', 'phrenopathic'], 'phrenopathy': ['nephropathy', 'phrenopathy'], 'phrenosplenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'phronesis': ['nephrosis', 'phronesis'], 'phronimidae': ['diamorphine', 'phronimidae'], 'phthalazine': ['naphthalize', 'phthalazine'], 'phu': ['hup', 'phu'], 'phycitol': ['cytophil', 'phycitol'], 'phycocyanin': ['cyanophycin', 'phycocyanin'], 'phyla': ['haply', 'phyla'], 'phyletic': ['heptylic', 'phyletic'], 'phylloceras': ['hyposcleral', 'phylloceras'], 'phylloclad': ['cladophyll', 'phylloclad'], 'phyllodial': ['phyllodial', 'phylloidal'], 'phylloerythrin': ['erythrophyllin', 'phylloerythrin'], 'phylloidal': ['phyllodial', 'phylloidal'], 'phyllopodous': ['phyllopodous', 'podophyllous'], 'phyma': ['phyma', 'yamph'], 'phymatodes': ['desmopathy', 'phymatodes'], 'phymosia': ['hyposmia', 'phymosia'], 'physa': ['physa', 'shapy'], 'physalite': ['physalite', 'styphelia'], 'physic': ['physic', 'scyphi'], 'physicochemical': ['chemicophysical', 'physicochemical'], 'physicomedical': ['medicophysical', 'physicomedical'], 'physiocrat': ['physiocrat', 'psychotria'], 'physiologicoanatomic': ['anatomicophysiologic', 'physiologicoanatomic'], 'physiopsychological': ['physiopsychological', 'psychophysiological'], 'physiopsychology': ['physiopsychology', 'psychophysiology'], 'phytic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'phytogenesis': ['phytogenesis', 'pythogenesis'], 'phytogenetic': ['phytogenetic', 'pythogenetic'], 'phytogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'phytogenous': ['phytogenous', 'pythogenous'], 'phytoid': ['phytoid', 'typhoid'], 'phytologist': ['hypoglottis', 'phytologist'], 'phytometer': ['phytometer', 'thermotype'], 'phytometric': ['phytometric', 'thermotypic'], 'phytometry': ['phytometry', 'thermotypy'], 'phytomonas': ['phytomonas', 'somnopathy'], 'phyton': ['phyton', 'python'], 'phytonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'phytosis': ['phytosis', 'typhosis'], 'phytotopography': ['phototypography', 'phytotopography'], 'phytozoa': ['phytozoa', 'zoopathy', 'zoophyta'], 'piacle': ['epical', 'piacle', 'plaice'], 'piacular': ['apicular', 'piacular'], 'pial': ['lipa', 'pail', 'pali', 'pial'], 'pialyn': ['alypin', 'pialyn'], 'pian': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pianiste': ['pianiste', 'pisanite'], 'piannet': ['piannet', 'pinnate'], 'pianola': ['opalina', 'pianola'], 'piaroa': ['aporia', 'piaroa'], 'piast': ['piast', 'stipa', 'tapis'], 'piaster': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'piastre': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'picador': ['parodic', 'picador'], 'picae': ['picae', 'picea'], 'pical': ['pical', 'plica'], 'picard': ['caprid', 'carpid', 'picard'], 'picarel': ['caliper', 'picarel', 'replica'], 'picary': ['cypria', 'picary', 'piracy'], 'pice': ['epic', 'pice'], 'picea': ['picae', 'picea'], 'picene': ['picene', 'piecen'], 'picker': ['picker', 'repick'], 'pickle': ['pelick', 'pickle'], 'pickler': ['pickler', 'prickle'], 'pickover': ['overpick', 'pickover'], 'picktooth': ['picktooth', 'toothpick'], 'pico': ['cipo', 'pico'], 'picot': ['optic', 'picot', 'topic'], 'picotah': ['aphotic', 'picotah'], 'picra': ['capri', 'picra', 'rapic'], 'picrate': ['paretic', 'patrice', 'picrate'], 'pictography': ['graphotypic', 'pictography', 'typographic'], 'pictorialness': ['personalistic', 'pictorialness'], 'picture': ['cuprite', 'picture'], 'picudilla': ['picudilla', 'pulicidal'], 'pidan': ['pidan', 'pinda'], 'piebald': ['bipedal', 'piebald'], 'piebaldness': ['dispensable', 'piebaldness'], 'piecen': ['picene', 'piecen'], 'piecer': ['piecer', 'pierce', 'recipe'], 'piecework': ['piecework', 'workpiece'], 'piecrust': ['crepitus', 'piecrust'], 'piedness': ['dispense', 'piedness'], 'piegan': ['genipa', 'piegan'], 'pieless': ['pelisse', 'pieless'], 'pielet': ['leepit', 'pelite', 'pielet'], 'piemag': ['magpie', 'piemag'], 'pieman': ['impane', 'pieman'], 'pien': ['pien', 'pine'], 'piend': ['piend', 'pined'], 'pier': ['peri', 'pier', 'ripe'], 'pierce': ['piecer', 'pierce', 'recipe'], 'piercent': ['piercent', 'prentice'], 'piercer': ['piercer', 'reprice'], 'pierlike': ['pierlike', 'ripelike'], 'piet': ['piet', 'tipe'], 'pietas': ['patesi', 'pietas'], 'pieter': ['perite', 'petrie', 'pieter'], 'pig': ['gip', 'pig'], 'pigeoner': ['perigone', 'pigeoner'], 'pigeontail': ['pigeontail', 'plagionite'], 'pigly': ['gilpy', 'pigly'], 'pignon': ['ningpo', 'pignon'], 'pignorate': ['operating', 'pignorate'], 'pigskin': ['pigskin', 'spiking'], 'pigsney': ['gypsine', 'pigsney'], 'pik': ['kip', 'pik'], 'pika': ['paik', 'pika'], 'pike': ['kepi', 'kipe', 'pike'], 'pikel': ['pikel', 'pikle'], 'piker': ['krepi', 'piker'], 'pikle': ['pikel', 'pikle'], 'pilage': ['paigle', 'pilage'], 'pilar': ['april', 'pilar', 'ripal'], 'pilaster': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'pilastered': ['pedestrial', 'pilastered'], 'pilastric': ['pilastric', 'triplasic'], 'pilate': ['aplite', 'pilate'], 'pileata': ['palaite', 'petalia', 'pileata'], 'pileate': ['epilate', 'epitela', 'pileate'], 'pileated': ['depilate', 'leptidae', 'pileated'], 'piled': ['piled', 'plied'], 'piler': ['peril', 'piler', 'plier'], 'piles': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'pileus': ['epulis', 'pileus'], 'pili': ['ipil', 'pili'], 'pilin': ['lipin', 'pilin'], 'pillarist': ['pillarist', 'pistillar'], 'pillet': ['liplet', 'pillet'], 'pilm': ['limp', 'pilm', 'plim'], 'pilmy': ['imply', 'limpy', 'pilmy'], 'pilosis': ['liposis', 'pilosis'], 'pilotee': ['petiole', 'pilotee'], 'pilpai': ['lippia', 'pilpai'], 'pilus': ['lupis', 'pilus'], 'pim': ['imp', 'pim'], 'pimelate': ['ampelite', 'pimelate'], 'pimento': ['emption', 'pimento'], 'pimenton': ['imponent', 'pimenton'], 'pimola': ['lipoma', 'pimola', 'ploima'], 'pimpish': ['impship', 'pimpish'], 'pimplous': ['pimplous', 'pompilus', 'populism'], 'pin': ['nip', 'pin'], 'pina': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pinaces': ['pinaces', 'pincase'], 'pinachrome': ['epharmonic', 'pinachrome'], 'pinacle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pinacoid': ['diapnoic', 'pinacoid'], 'pinal': ['lipan', 'pinal', 'plain'], 'pinales': ['espinal', 'pinales', 'spaniel'], 'pinaster': ['pinaster', 'pristane'], 'pincase': ['pinaces', 'pincase'], 'pincer': ['pincer', 'prince'], 'pincerlike': ['pincerlike', 'princelike'], 'pincers': ['encrisp', 'pincers'], 'pinchbelly': ['bellypinch', 'pinchbelly'], 'pinche': ['phenic', 'pinche'], 'pincher': ['nephric', 'phrenic', 'pincher'], 'pincushion': ['nuncioship', 'pincushion'], 'pinda': ['pidan', 'pinda'], 'pindari': ['pindari', 'pridian'], 'pine': ['pien', 'pine'], 'pineal': ['alpine', 'nepali', 'penial', 'pineal'], 'pined': ['piend', 'pined'], 'piner': ['piner', 'prine', 'repin', 'ripen'], 'pinery': ['pernyi', 'pinery'], 'pingler': ['pingler', 'pringle'], 'pinhold': ['dolphin', 'pinhold'], 'pinhole': ['lophine', 'pinhole'], 'pinite': ['pinite', 'tiepin'], 'pinker': ['perkin', 'pinker'], 'pinking': ['kingpin', 'pinking'], 'pinkish': ['kinship', 'pinkish'], 'pinlock': ['lockpin', 'pinlock'], 'pinnacle': ['pannicle', 'pinnacle'], 'pinnae': ['nanpie', 'pennia', 'pinnae'], 'pinnate': ['piannet', 'pinnate'], 'pinnatopectinate': ['pectinatopinnate', 'pinnatopectinate'], 'pinnet': ['pinnet', 'tenpin'], 'pinnitarsal': ['intraspinal', 'pinnitarsal'], 'pinnotere': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'pinnothere': ['interphone', 'pinnothere'], 'pinnula': ['pinnula', 'unplain'], 'pinnulated': ['pennatulid', 'pinnulated'], 'pinochle': ['phenolic', 'pinochle'], 'pinole': ['pinole', 'pleion'], 'pinolia': ['apiolin', 'pinolia'], 'pinscher': ['phrenics', 'pinscher'], 'pinta': ['inapt', 'paint', 'pinta'], 'pintail': ['pintail', 'tailpin'], 'pintano': ['opinant', 'pintano'], 'pinte': ['inept', 'pinte'], 'pinto': ['pinto', 'point'], 'pintura': ['pintura', 'puritan', 'uptrain'], 'pinulus': ['lupinus', 'pinulus'], 'piny': ['piny', 'pyin'], 'pinyl': ['pinyl', 'pliny'], 'pioneer': ['pereion', 'pioneer'], 'pioted': ['pioted', 'podite'], 'pipa': ['paip', 'pipa'], 'pipal': ['palpi', 'pipal'], 'piperno': ['piperno', 'propine'], 'pique': ['equip', 'pique'], 'pir': ['pir', 'rip'], 'piracy': ['cypria', 'picary', 'piracy'], 'piranha': ['pharian', 'piranha'], 'piratess': ['piratess', 'serapist', 'tarsipes'], 'piratically': ['capillarity', 'piratically'], 'piraty': ['parity', 'piraty'], 'pirene': ['neiper', 'perine', 'pirene', 'repine'], 'pirssonite': ['pirssonite', 'trispinose'], 'pisaca': ['capias', 'pisaca'], 'pisan': ['pisan', 'sapin', 'spina'], 'pisanite': ['pianiste', 'pisanite'], 'piscation': ['panoistic', 'piscation'], 'piscatorial': ['paracolitis', 'piscatorial'], 'piscian': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisciferous': ['pisciferous', 'spiciferous'], 'pisciform': ['pisciform', 'spiciform'], 'piscina': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisco': ['copis', 'pisco'], 'pise': ['pise', 'sipe'], 'pish': ['pish', 'ship'], 'pisk': ['pisk', 'skip'], 'pisky': ['pisky', 'spiky'], 'pismire': ['pismire', 'primsie'], 'pisonia': ['pisonia', 'sinopia'], 'pist': ['pist', 'spit'], 'pistache': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pistacite': ['epistatic', 'pistacite'], 'pistareen': ['pistareen', 'sparteine'], 'pistillar': ['pillarist', 'pistillar'], 'pistillary': ['pistillary', 'spiritally'], 'pistle': ['pistle', 'stipel'], 'pistol': ['pistol', 'postil', 'spoilt'], 'pistoleer': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'pit': ['pit', 'tip'], 'pita': ['atip', 'pita'], 'pitapat': ['apitpat', 'pitapat'], 'pitarah': ['pitarah', 'taphria'], 'pitcher': ['pitcher', 'repitch'], 'pitchout': ['outpitch', 'pitchout'], 'pitchy': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pith': ['phit', 'pith'], 'pithecan': ['haptenic', 'pantheic', 'pithecan'], 'pithole': ['hoplite', 'pithole'], 'pithsome': ['mephisto', 'pithsome'], 'pitless': ['pitless', 'tipless'], 'pitman': ['pitman', 'tampin', 'tipman'], 'pittancer': ['crepitant', 'pittancer'], 'pittoid': ['pittoid', 'poditti'], 'pityroid': ['pityroid', 'pyritoid'], 'pivoter': ['overtip', 'pivoter'], 'placate': ['epactal', 'placate'], 'placation': ['pactional', 'pactolian', 'placation'], 'place': ['capel', 'place'], 'placebo': ['copable', 'placebo'], 'placentalia': ['analeptical', 'placentalia'], 'placentoma': ['complanate', 'placentoma'], 'placer': ['carpel', 'parcel', 'placer'], 'placode': ['lacepod', 'pedocal', 'placode'], 'placoid': ['placoid', 'podalic', 'podical'], 'placus': ['cuspal', 'placus'], 'plagionite': ['pigeontail', 'plagionite'], 'plague': ['plague', 'upgale'], 'plaguer': ['earplug', 'graupel', 'plaguer'], 'plaice': ['epical', 'piacle', 'plaice'], 'plaid': ['alpid', 'plaid'], 'plaidy': ['adipyl', 'plaidy'], 'plain': ['lipan', 'pinal', 'plain'], 'plainer': ['pearlin', 'plainer', 'praline'], 'plaint': ['plaint', 'pliant'], 'plaister': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'plaited': ['plaited', 'taliped'], 'plaiter': ['partile', 'plaiter', 'replait'], 'planate': ['planate', 'planeta', 'plantae', 'platane'], 'planation': ['planation', 'platonian'], 'plancheite': ['elephantic', 'plancheite'], 'plane': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'planer': ['parnel', 'planer', 'replan'], 'planera': ['planera', 'preanal'], 'planet': ['pantle', 'planet', 'platen'], 'planeta': ['planate', 'planeta', 'plantae', 'platane'], 'planetabler': ['planetabler', 'replantable'], 'planetaria': ['parentalia', 'planetaria'], 'planetoid': ['pelidnota', 'planetoid'], 'planity': ['inaptly', 'planity', 'ptyalin'], 'planker': ['planker', 'prankle'], 'planta': ['planta', 'platan'], 'plantae': ['planate', 'planeta', 'plantae', 'platane'], 'planter': ['pantler', 'planter', 'replant'], 'plap': ['lapp', 'palp', 'plap'], 'plasher': ['plasher', 'spheral'], 'plasm': ['plasm', 'psalm', 'slamp'], 'plasma': ['lampas', 'plasma'], 'plasmation': ['aminoplast', 'plasmation'], 'plasmic': ['plasmic', 'psalmic'], 'plasmode': ['malposed', 'plasmode'], 'plasmodial': ['plasmodial', 'psalmodial'], 'plasmodic': ['plasmodic', 'psalmodic'], 'plasson': ['plasson', 'sponsal'], 'plastein': ['panelist', 'pantelis', 'penalist', 'plastein'], 'plaster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'plasterer': ['plasterer', 'replaster'], 'plastery': ['plastery', 'psaltery'], 'plasticine': ['cisplatine', 'plasticine'], 'plastidome': ['plastidome', 'postmedial'], 'plastinoid': ['palinodist', 'plastinoid'], 'plastochrone': ['phrenocostal', 'plastochrone'], 'plat': ['palt', 'plat'], 'plataean': ['panatela', 'plataean'], 'platan': ['planta', 'platan'], 'platane': ['planate', 'planeta', 'plantae', 'platane'], 'plate': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'platea': ['aletap', 'palate', 'platea'], 'plateless': ['petalless', 'plateless', 'pleatless'], 'platelet': ['pallette', 'platelet'], 'platelike': ['petallike', 'platelike'], 'platen': ['pantle', 'planet', 'platen'], 'plater': ['palter', 'plater'], 'platerer': ['palterer', 'platerer'], 'platery': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'platine': ['pantile', 'pentail', 'platine', 'talpine'], 'platinochloric': ['chloroplatinic', 'platinochloric'], 'platinous': ['platinous', 'pulsation'], 'platode': ['platode', 'tadpole'], 'platoid': ['platoid', 'talpoid'], 'platonian': ['planation', 'platonian'], 'platter': ['partlet', 'platter', 'prattle'], 'platy': ['aptly', 'patly', 'platy', 'typal'], 'platynite': ['patiently', 'platynite'], 'platysternal': ['platysternal', 'transeptally'], 'plaud': ['dupla', 'plaud'], 'plaustral': ['palustral', 'plaustral'], 'play': ['paly', 'play', 'pyal', 'pyla'], 'playa': ['palay', 'playa'], 'player': ['parley', 'pearly', 'player', 'replay'], 'playgoer': ['playgoer', 'pylagore'], 'playroom': ['myopolar', 'playroom'], 'plea': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pleach': ['chapel', 'lepcha', 'pleach'], 'plead': ['padle', 'paled', 'pedal', 'plead'], 'pleader': ['pearled', 'pedaler', 'pleader', 'replead'], 'please': ['asleep', 'elapse', 'please'], 'pleaser': ['pleaser', 'preseal', 'relapse'], 'pleasure': ['pleasure', 'serpulae'], 'pleasurer': ['pleasurer', 'reperusal'], 'pleasurous': ['asperulous', 'pleasurous'], 'pleat': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'pleater': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pleatless': ['petalless', 'plateless', 'pleatless'], 'plectre': ['plectre', 'prelect'], 'pleion': ['pinole', 'pleion'], 'pleionian': ['opalinine', 'pleionian'], 'plenilunar': ['plenilunar', 'plurennial'], 'plenty': ['pentyl', 'plenty'], 'pleomorph': ['pleomorph', 'prophloem'], 'pleon': ['pelon', 'pleon'], 'pleonal': ['pallone', 'pleonal'], 'pleonasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'pleonast': ['lapstone', 'pleonast'], 'pleonastic': ['neoplastic', 'pleonastic'], 'pleroma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'plerosis': ['leprosis', 'plerosis'], 'plerotic': ['petrolic', 'plerotic'], 'plessor': ['plessor', 'preloss'], 'plethora': ['plethora', 'traphole'], 'plethoric': ['phloretic', 'plethoric'], 'pleura': ['epural', 'perula', 'pleura'], 'pleuric': ['luperci', 'pleuric'], 'pleuropericardial': ['pericardiopleural', 'pleuropericardial'], 'pleurotoma': ['pleurotoma', 'tropaeolum'], 'pleurovisceral': ['pleurovisceral', 'visceropleural'], 'pliancy': ['pliancy', 'pycnial'], 'pliant': ['plaint', 'pliant'], 'plica': ['pical', 'plica'], 'plicately': ['callitype', 'plicately'], 'plicater': ['particle', 'plicater', 'prelatic'], 'plicator': ['plicator', 'tropical'], 'plied': ['piled', 'plied'], 'plier': ['peril', 'piler', 'plier'], 'pliers': ['lisper', 'pliers', 'sirple', 'spiler'], 'plies': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'plighter': ['plighter', 'replight'], 'plim': ['limp', 'pilm', 'plim'], 'pliny': ['pinyl', 'pliny'], 'pliosaur': ['liparous', 'pliosaur'], 'pliosauridae': ['lepidosauria', 'pliosauridae'], 'ploceidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ploceus': ['culpose', 'ploceus', 'upclose'], 'plodder': ['plodder', 'proddle'], 'ploima': ['lipoma', 'pimola', 'ploima'], 'ploration': ['ploration', 'portional', 'prolation'], 'plot': ['plot', 'polt'], 'plotful': ['plotful', 'topfull'], 'plotted': ['plotted', 'pottled'], 'plotter': ['plotter', 'portlet'], 'plousiocracy': ['plousiocracy', 'procaciously'], 'plout': ['plout', 'pluto', 'poult'], 'plouter': ['plouter', 'poulter'], 'plovery': ['overply', 'plovery'], 'plower': ['plower', 'replow'], 'ploy': ['ploy', 'poly'], 'plucker': ['plucker', 'puckrel'], 'plug': ['gulp', 'plug'], 'plum': ['lump', 'plum'], 'pluma': ['ampul', 'pluma'], 'plumbagine': ['impugnable', 'plumbagine'], 'plumbic': ['plumbic', 'upclimb'], 'plumed': ['dumple', 'plumed'], 'plumeous': ['eumolpus', 'plumeous'], 'plumer': ['lumper', 'plumer', 'replum', 'rumple'], 'plumet': ['lumpet', 'plumet'], 'pluminess': ['lumpiness', 'pluminess'], 'plumy': ['lumpy', 'plumy'], 'plunderer': ['plunderer', 'replunder'], 'plunge': ['plunge', 'pungle'], 'plup': ['plup', 'pulp'], 'plurennial': ['plenilunar', 'plurennial'], 'pluriseptate': ['perpetualist', 'pluriseptate'], 'plutean': ['plutean', 'unpetal', 'unpleat'], 'pluteus': ['pluteus', 'pustule'], 'pluto': ['plout', 'pluto', 'poult'], 'pluvine': ['pluvine', 'vulpine'], 'plyer': ['plyer', 'reply'], 'pneumatophony': ['pneumatophony', 'pneumonopathy'], 'pneumohemothorax': ['hemopneumothorax', 'pneumohemothorax'], 'pneumohydropericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'pneumohydrothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'pneumonopathy': ['pneumatophony', 'pneumonopathy'], 'pneumopyothorax': ['pneumopyothorax', 'pyopneumothorax'], 'poach': ['chopa', 'phoca', 'poach'], 'poachy': ['poachy', 'pochay'], 'poales': ['aslope', 'poales'], 'pob': ['bop', 'pob'], 'pochay': ['poachy', 'pochay'], 'poche': ['epoch', 'poche'], 'pocketer': ['pocketer', 'repocket'], 'poco': ['coop', 'poco'], 'pocosin': ['opsonic', 'pocosin'], 'poculation': ['copulation', 'poculation'], 'pod': ['dop', 'pod'], 'podalic': ['placoid', 'podalic', 'podical'], 'podarthritis': ['podarthritis', 'traditorship'], 'podial': ['podial', 'poliad'], 'podical': ['placoid', 'podalic', 'podical'], 'podiceps': ['podiceps', 'scopiped'], 'podite': ['pioted', 'podite'], 'poditti': ['pittoid', 'poditti'], 'podler': ['podler', 'polder', 'replod'], 'podley': ['deploy', 'podley'], 'podobranchia': ['branchiopoda', 'podobranchia'], 'podocephalous': ['cephalopodous', 'podocephalous'], 'podophyllous': ['phyllopodous', 'podophyllous'], 'podoscaph': ['podoscaph', 'scaphopod'], 'podostomata': ['podostomata', 'stomatopoda'], 'podostomatous': ['podostomatous', 'stomatopodous'], 'podotheca': ['chaetopod', 'podotheca'], 'podura': ['podura', 'uproad'], 'poduran': ['pandour', 'poduran'], 'poe': ['ope', 'poe'], 'poem': ['mope', 'poem', 'pome'], 'poemet': ['metope', 'poemet'], 'poemlet': ['leptome', 'poemlet'], 'poesy': ['poesy', 'posey', 'sepoy'], 'poet': ['peto', 'poet', 'pote', 'tope'], 'poetastrical': ['poetastrical', 'spectatorial'], 'poetical': ['copalite', 'poetical'], 'poeticism': ['impeticos', 'poeticism'], 'poetics': ['poetics', 'septoic'], 'poetly': ['peyotl', 'poetly'], 'poetryless': ['poetryless', 'presystole'], 'pogo': ['goop', 'pogo'], 'poh': ['hop', 'pho', 'poh'], 'poha': ['opah', 'paho', 'poha'], 'pohna': ['phano', 'pohna'], 'poiana': ['anopia', 'aponia', 'poiana'], 'poietic': ['epiotic', 'poietic'], 'poimenic': ['mincopie', 'poimenic'], 'poinder': ['poinder', 'ponerid'], 'point': ['pinto', 'point'], 'pointel': ['pointel', 'pontile', 'topline'], 'pointer': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pointlet': ['pentitol', 'pointlet'], 'pointrel': ['pointrel', 'terpinol'], 'poisonless': ['poisonless', 'solenopsis'], 'poker': ['poker', 'proke'], 'pol': ['lop', 'pol'], 'polab': ['pablo', 'polab'], 'polacre': ['capreol', 'polacre'], 'polander': ['polander', 'ponderal', 'prenodal'], 'polar': ['parol', 'polar', 'poral', 'proal'], 'polarid': ['dipolar', 'polarid'], 'polarimetry': ['polarimetry', 'premorality', 'temporarily'], 'polaristic': ['polaristic', 'poristical', 'saprolitic'], 'polarly': ['payroll', 'polarly'], 'polder': ['podler', 'polder', 'replod'], 'pole': ['lope', 'olpe', 'pole'], 'polearm': ['leproma', 'palermo', 'pleroma', 'polearm'], 'polecat': ['pacolet', 'polecat'], 'polemic': ['compile', 'polemic'], 'polemics': ['clipsome', 'polemics'], 'polemist': ['milepost', 'polemist'], 'polenta': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'poler': ['loper', 'poler'], 'polesman': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'polestar': ['petrosal', 'polestar'], 'poliad': ['podial', 'poliad'], 'polianite': ['epilation', 'polianite'], 'policyholder': ['policyholder', 'polychloride'], 'polio': ['polio', 'pooli'], 'polis': ['polis', 'spoil'], 'polished': ['depolish', 'polished'], 'polisher': ['polisher', 'repolish'], 'polistes': ['polistes', 'telopsis'], 'politarch': ['carpolith', 'politarch', 'trophical'], 'politicly': ['lipolytic', 'politicly'], 'politics': ['colpitis', 'politics', 'psilotic'], 'polk': ['klop', 'polk'], 'pollenite': ['pellotine', 'pollenite'], 'poller': ['poller', 'repoll'], 'pollinate': ['pellation', 'pollinate'], 'polo': ['loop', 'polo', 'pool'], 'poloist': ['loopist', 'poloist', 'topsoil'], 'polonia': ['apionol', 'polonia'], 'polos': ['polos', 'sloop', 'spool'], 'polt': ['plot', 'polt'], 'poly': ['ploy', 'poly'], 'polyacid': ['polyacid', 'polyadic'], 'polyactinal': ['pactionally', 'polyactinal'], 'polyadic': ['polyacid', 'polyadic'], 'polyarchist': ['chiroplasty', 'polyarchist'], 'polychloride': ['policyholder', 'polychloride'], 'polychroism': ['polychroism', 'polyorchism'], 'polycitral': ['polycitral', 'tropically'], 'polycodium': ['lycopodium', 'polycodium'], 'polycotyl': ['collotypy', 'polycotyl'], 'polyeidic': ['polyeidic', 'polyideic'], 'polyeidism': ['polyeidism', 'polyideism'], 'polyester': ['polyester', 'proselyte'], 'polygamodioecious': ['dioeciopolygamous', 'polygamodioecious'], 'polyhalite': ['paleolithy', 'polyhalite', 'polythelia'], 'polyideic': ['polyeidic', 'polyideic'], 'polyideism': ['polyeidism', 'polyideism'], 'polymastic': ['myoplastic', 'polymastic'], 'polymasty': ['myoplasty', 'polymasty'], 'polymere': ['employer', 'polymere'], 'polymeric': ['micropyle', 'polymeric'], 'polymetochia': ['homeotypical', 'polymetochia'], 'polymnia': ['olympian', 'polymnia'], 'polymyodi': ['polymyodi', 'polymyoid'], 'polymyoid': ['polymyodi', 'polymyoid'], 'polyorchism': ['polychroism', 'polyorchism'], 'polyp': ['loppy', 'polyp'], 'polyphemian': ['lymphopenia', 'polyphemian'], 'polyphonist': ['polyphonist', 'psilophyton'], 'polypite': ['lipotype', 'polypite'], 'polyprene': ['polyprene', 'propylene'], 'polypterus': ['polypterus', 'suppletory'], 'polysomitic': ['myocolpitis', 'polysomitic'], 'polyspore': ['polyspore', 'prosopyle'], 'polythelia': ['paleolithy', 'polyhalite', 'polythelia'], 'polythene': ['polythene', 'telephony'], 'polyuric': ['croupily', 'polyuric'], 'pom': ['mop', 'pom'], 'pomade': ['apedom', 'pomade'], 'pomane': ['mopane', 'pomane'], 'pome': ['mope', 'poem', 'pome'], 'pomeranian': ['pomeranian', 'praenomina'], 'pomerium': ['emporium', 'pomerium', 'proemium'], 'pomey': ['myope', 'pomey'], 'pomo': ['moop', 'pomo'], 'pomonal': ['lampoon', 'pomonal'], 'pompilus': ['pimplous', 'pompilus', 'populism'], 'pomster': ['pomster', 'stomper'], 'ponca': ['capon', 'ponca'], 'ponce': ['copen', 'ponce'], 'ponchoed': ['chenopod', 'ponchoed'], 'poncirus': ['coprinus', 'poncirus'], 'ponderal': ['polander', 'ponderal', 'prenodal'], 'ponderate': ['ponderate', 'predonate'], 'ponderation': ['ponderation', 'predonation'], 'ponderer': ['ponderer', 'reponder'], 'pondfish': ['fishpond', 'pondfish'], 'pone': ['nope', 'open', 'peon', 'pone'], 'ponerid': ['poinder', 'ponerid'], 'poneroid': ['poneroid', 'porodine'], 'poney': ['peony', 'poney'], 'ponica': ['aponic', 'ponica'], 'ponier': ['opiner', 'orpine', 'ponier'], 'pontederia': ['pontederia', 'proteidean'], 'pontee': ['nepote', 'pontee', 'poteen'], 'pontes': ['pontes', 'posnet'], 'ponticular': ['ponticular', 'untropical'], 'pontificalia': ['palification', 'pontificalia'], 'pontile': ['pointel', 'pontile', 'topline'], 'pontonier': ['entropion', 'pontonier', 'prenotion'], 'pontus': ['pontus', 'unspot', 'unstop'], 'pooch': ['choop', 'pooch'], 'pooh': ['hoop', 'phoo', 'pooh'], 'pooka': ['oopak', 'pooka'], 'pool': ['loop', 'polo', 'pool'], 'pooler': ['looper', 'pooler'], 'pooli': ['polio', 'pooli'], 'pooly': ['loopy', 'pooly'], 'poon': ['noop', 'poon'], 'poonac': ['acopon', 'poonac'], 'poonga': ['apogon', 'poonga'], 'poor': ['poor', 'proo'], 'poot': ['poot', 'toop', 'topo'], 'pope': ['pepo', 'pope'], 'popeler': ['peopler', 'popeler'], 'popery': ['popery', 'pyrope'], 'popgun': ['oppugn', 'popgun'], 'popian': ['oppian', 'papion', 'popian'], 'popish': ['popish', 'shippo'], 'popliteal': ['papillote', 'popliteal'], 'poppel': ['poppel', 'popple'], 'popple': ['poppel', 'popple'], 'populism': ['pimplous', 'pompilus', 'populism'], 'populus': ['populus', 'pulpous'], 'poral': ['parol', 'polar', 'poral', 'proal'], 'porcate': ['coperta', 'pectora', 'porcate'], 'porcelain': ['oliprance', 'porcelain'], 'porcelanite': ['porcelanite', 'praelection'], 'porcula': ['copular', 'croupal', 'cupolar', 'porcula'], 'pore': ['pore', 'rope'], 'pored': ['doper', 'pedro', 'pored'], 'porelike': ['porelike', 'ropelike'], 'porer': ['porer', 'prore', 'roper'], 'porge': ['grope', 'porge'], 'porger': ['groper', 'porger'], 'poriness': ['poriness', 'pression', 'ropiness'], 'poring': ['poring', 'roping'], 'poristical': ['polaristic', 'poristical', 'saprolitic'], 'porites': ['periost', 'porites', 'reposit', 'riposte'], 'poritidae': ['poritidae', 'triopidae'], 'porker': ['porker', 'proker'], 'pornerastic': ['cotranspire', 'pornerastic'], 'porodine': ['poneroid', 'porodine'], 'poros': ['poros', 'proso', 'sopor', 'spoor'], 'porosity': ['isotropy', 'porosity'], 'porotic': ['porotic', 'portico'], 'porpentine': ['porpentine', 'prepontine'], 'porphine': ['hornpipe', 'porphine'], 'porphyrous': ['porphyrous', 'pyrophorus'], 'porrection': ['correption', 'porrection'], 'porret': ['porret', 'porter', 'report', 'troper'], 'porta': ['aport', 'parto', 'porta'], 'portail': ['portail', 'toprail'], 'portal': ['patrol', 'portal', 'tropal'], 'portance': ['coparent', 'portance'], 'ported': ['deport', 'ported', 'redtop'], 'portend': ['portend', 'protend'], 'porteno': ['porteno', 'protone'], 'portension': ['portension', 'protension'], 'portent': ['portent', 'torpent'], 'portentous': ['notopterus', 'portentous'], 'porter': ['porret', 'porter', 'report', 'troper'], 'porterage': ['porterage', 'reportage'], 'portership': ['portership', 'pretorship'], 'portfire': ['portfire', 'profiter'], 'portia': ['portia', 'tapiro'], 'portico': ['porotic', 'portico'], 'portify': ['portify', 'torpify'], 'portional': ['ploration', 'portional', 'prolation'], 'portioner': ['portioner', 'reportion'], 'portlet': ['plotter', 'portlet'], 'portly': ['portly', 'protyl', 'tropyl'], 'porto': ['porto', 'proto', 'troop'], 'portoise': ['isotrope', 'portoise'], 'portolan': ['portolan', 'pronotal'], 'portor': ['portor', 'torpor'], 'portray': ['parroty', 'portray', 'tropary'], 'portrayal': ['parlatory', 'portrayal'], 'portside': ['dipteros', 'portside'], 'portsider': ['portsider', 'postrider'], 'portunidae': ['depuration', 'portunidae'], 'portunus': ['outspurn', 'portunus'], 'pory': ['pory', 'pyro', 'ropy'], 'posca': ['posca', 'scopa'], 'pose': ['epos', 'peso', 'pose', 'sope'], 'poser': ['poser', 'prose', 'ropes', 'spore'], 'poseur': ['poseur', 'pouser', 'souper', 'uprose'], 'posey': ['poesy', 'posey', 'sepoy'], 'posh': ['phos', 'posh', 'shop', 'soph'], 'posingly': ['posingly', 'spongily'], 'position': ['position', 'sopition'], 'positional': ['positional', 'spoilation', 'spoliation'], 'positioned': ['deposition', 'positioned'], 'positioner': ['positioner', 'reposition'], 'positron': ['notropis', 'positron', 'sorption'], 'positum': ['positum', 'utopism'], 'posnet': ['pontes', 'posnet'], 'posse': ['posse', 'speos'], 'possessioner': ['possessioner', 'repossession'], 'post': ['post', 'spot', 'stop', 'tops'], 'postage': ['gestapo', 'postage'], 'postaortic': ['parostotic', 'postaortic'], 'postdate': ['despotat', 'postdate'], 'posted': ['despot', 'posted'], 'posteen': ['pentose', 'posteen'], 'poster': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'posterial': ['posterial', 'saprolite'], 'posterior': ['posterior', 'repositor'], 'posterish': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'posteroinferior': ['inferoposterior', 'posteroinferior'], 'posterosuperior': ['posterosuperior', 'superoposterior'], 'postgenial': ['postgenial', 'spangolite'], 'posthaste': ['posthaste', 'tosephtas'], 'postic': ['copist', 'coptis', 'optics', 'postic'], 'postical': ['postical', 'slipcoat'], 'postil': ['pistol', 'postil', 'spoilt'], 'posting': ['posting', 'stoping'], 'postischial': ['postischial', 'sophistical'], 'postless': ['postless', 'spotless', 'stopless'], 'postlike': ['postlike', 'spotlike'], 'postman': ['postman', 'topsman'], 'postmedial': ['plastidome', 'postmedial'], 'postnaris': ['postnaris', 'sopranist'], 'postnominal': ['monoplanist', 'postnominal'], 'postrider': ['portsider', 'postrider'], 'postsacral': ['postsacral', 'sarcoplast'], 'postsign': ['postsign', 'signpost'], 'postthoracic': ['octastrophic', 'postthoracic'], 'postulata': ['autoplast', 'postulata'], 'postural': ['postural', 'pulsator', 'sportula'], 'posture': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'posturer': ['posturer', 'resprout', 'sprouter'], 'postuterine': ['postuterine', 'pretentious'], 'postwar': ['postwar', 'sapwort'], 'postward': ['drawstop', 'postward'], 'postwoman': ['postwoman', 'womanpost'], 'posy': ['opsy', 'posy'], 'pot': ['opt', 'pot', 'top'], 'potable': ['optable', 'potable'], 'potableness': ['optableness', 'potableness'], 'potash': ['pashto', 'pathos', 'potash'], 'potass': ['potass', 'topass'], 'potate': ['aptote', 'optate', 'potate', 'teapot'], 'potation': ['optation', 'potation'], 'potative': ['optative', 'potative'], 'potator': ['potator', 'taproot'], 'pote': ['peto', 'poet', 'pote', 'tope'], 'poteen': ['nepote', 'pontee', 'poteen'], 'potential': ['peltation', 'potential'], 'poter': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'poteye': ['peyote', 'poteye'], 'pothouse': ['housetop', 'pothouse'], 'poticary': ['cyrtopia', 'poticary'], 'potifer': ['firetop', 'potifer'], 'potion': ['option', 'potion'], 'potlatch': ['potlatch', 'tolpatch'], 'potlike': ['kitlope', 'potlike', 'toplike'], 'potmaker': ['potmaker', 'topmaker'], 'potmaking': ['potmaking', 'topmaking'], 'potman': ['potman', 'tampon', 'topman'], 'potometer': ['optometer', 'potometer'], 'potstick': ['potstick', 'tipstock'], 'potstone': ['potstone', 'topstone'], 'pottled': ['plotted', 'pottled'], 'pouce': ['coupe', 'pouce'], 'poucer': ['couper', 'croupe', 'poucer', 'recoup'], 'pouch': ['choup', 'pouch'], 'poulpe': ['poulpe', 'pupelo'], 'poult': ['plout', 'pluto', 'poult'], 'poulter': ['plouter', 'poulter'], 'poultice': ['epulotic', 'poultice'], 'pounce': ['pounce', 'uncope'], 'pounder': ['pounder', 'repound', 'unroped'], 'pour': ['pour', 'roup'], 'pourer': ['pourer', 'repour', 'rouper'], 'pouser': ['poseur', 'pouser', 'souper', 'uprose'], 'pout': ['pout', 'toup'], 'pouter': ['pouter', 'roupet', 'troupe'], 'pow': ['pow', 'wop'], 'powder': ['powder', 'prowed'], 'powderer': ['powderer', 'repowder'], 'powerful': ['powerful', 'upflower'], 'praam': ['param', 'parma', 'praam'], 'practitional': ['antitropical', 'practitional'], 'prad': ['pard', 'prad'], 'pradeep': ['papered', 'pradeep'], 'praecox': ['exocarp', 'praecox'], 'praelabrum': ['praelabrum', 'preambular'], 'praelection': ['porcelanite', 'praelection'], 'praelector': ['praelector', 'receptoral'], 'praenomina': ['pomeranian', 'praenomina'], 'praepostor': ['praepostor', 'pterospora'], 'praesphenoid': ['nephropsidae', 'praesphenoid'], 'praetor': ['praetor', 'prorate'], 'praetorian': ['praetorian', 'reparation'], 'praise': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'praiser': ['aspirer', 'praiser', 'serpari'], 'praising': ['aspiring', 'praising', 'singarip'], 'praisingly': ['aspiringly', 'praisingly'], 'praline': ['pearlin', 'plainer', 'praline'], 'pram': ['pram', 'ramp'], 'prandial': ['diplanar', 'prandial'], 'prankle': ['planker', 'prankle'], 'prase': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'praseolite': ['periosteal', 'praseolite'], 'prasine': ['persian', 'prasine', 'saprine'], 'prasinous': ['prasinous', 'psaronius'], 'prasoid': ['prasoid', 'sparoid'], 'prasophagous': ['prasophagous', 'saprophagous'], 'prat': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'prate': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'prater': ['parter', 'prater'], 'pratey': ['petary', 'pratey'], 'pratfall': ['pratfall', 'trapfall'], 'pratincoline': ['nonpearlitic', 'pratincoline'], 'pratincolous': ['patroclinous', 'pratincolous'], 'prattle': ['partlet', 'platter', 'prattle'], 'prau': ['prau', 'rupa'], 'prawner': ['prawner', 'prewarn'], 'prayer': ['prayer', 'repray'], 'preach': ['aperch', 'eparch', 'percha', 'preach'], 'preacher': ['preacher', 'repreach'], 'preaching': ['engraphic', 'preaching'], 'preachman': ['marchpane', 'preachman'], 'preachy': ['eparchy', 'preachy'], 'preacid': ['epacrid', 'peracid', 'preacid'], 'preact': ['carpet', 'peract', 'preact'], 'preaction': ['preaction', 'precation', 'recaption'], 'preactive': ['preactive', 'precative'], 'preactively': ['preactively', 'precatively'], 'preacute': ['peracute', 'preacute'], 'preadmonition': ['demipronation', 'preadmonition', 'predomination'], 'preadorn': ['pardoner', 'preadorn'], 'preadventure': ['peradventure', 'preadventure'], 'preallably': ['ballplayer', 'preallably'], 'preallow': ['preallow', 'walloper'], 'preamble': ['peramble', 'preamble'], 'preambular': ['praelabrum', 'preambular'], 'preambulate': ['perambulate', 'preambulate'], 'preambulation': ['perambulation', 'preambulation'], 'preambulatory': ['perambulatory', 'preambulatory'], 'preanal': ['planera', 'preanal'], 'prearm': ['prearm', 'ramper'], 'preascitic': ['accipitres', 'preascitic'], 'preauditory': ['preauditory', 'repudiatory'], 'prebacillary': ['bicarpellary', 'prebacillary'], 'prebasal': ['parsable', 'prebasal', 'sparable'], 'prebend': ['perbend', 'prebend'], 'prebeset': ['bepester', 'prebeset'], 'prebid': ['bedrip', 'prebid'], 'precant': ['carpent', 'precant'], 'precantation': ['actinopteran', 'precantation'], 'precast': ['precast', 'spectra'], 'precation': ['preaction', 'precation', 'recaption'], 'precative': ['preactive', 'precative'], 'precatively': ['preactively', 'precatively'], 'precaution': ['precaution', 'unoperatic'], 'precautional': ['inoperculata', 'precautional'], 'precedable': ['deprecable', 'precedable'], 'preceder': ['preceder', 'precreed'], 'precent': ['percent', 'precent'], 'precept': ['percept', 'precept'], 'preception': ['perception', 'preception'], 'preceptive': ['perceptive', 'preceptive'], 'preceptively': ['perceptively', 'preceptively'], 'preceptual': ['perceptual', 'preceptual'], 'preceptually': ['perceptually', 'preceptually'], 'prechloric': ['perchloric', 'prechloric'], 'prechoose': ['prechoose', 'rheoscope'], 'precipitate': ['peripatetic', 'precipitate'], 'precipitator': ['precipitator', 'prepatriotic'], 'precis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'precise': ['precise', 'scripee'], 'precisian': ['periscian', 'precisian'], 'precision': ['coinspire', 'precision'], 'precitation': ['actinopteri', 'crepitation', 'precitation'], 'precite': ['ereptic', 'precite', 'receipt'], 'precited': ['decrepit', 'depicter', 'precited'], 'preclose': ['perclose', 'preclose'], 'preclusion': ['perculsion', 'preclusion'], 'preclusive': ['perculsive', 'preclusive'], 'precoil': ['peloric', 'precoil'], 'precompound': ['percompound', 'precompound'], 'precondense': ['precondense', 'respondence'], 'preconnubial': ['preconnubial', 'pronunciable'], 'preconsole': ['necropoles', 'preconsole'], 'preconsultor': ['preconsultor', 'supercontrol'], 'precontest': ['precontest', 'torpescent'], 'precopy': ['coppery', 'precopy'], 'precostal': ['ceroplast', 'precostal'], 'precredit': ['precredit', 'predirect', 'repredict'], 'precreditor': ['precreditor', 'predirector'], 'precreed': ['preceder', 'precreed'], 'precurrent': ['percurrent', 'precurrent'], 'precursory': ['percursory', 'precursory'], 'precyst': ['precyst', 'sceptry', 'spectry'], 'predata': ['adapter', 'predata', 'readapt'], 'predate': ['padtree', 'predate', 'tapered'], 'predatism': ['predatism', 'spermatid'], 'predative': ['deprivate', 'predative'], 'predator': ['predator', 'protrade', 'teardrop'], 'preday': ['pedary', 'preday'], 'predealer': ['predealer', 'repleader'], 'predecree': ['creepered', 'predecree'], 'predefect': ['perfected', 'predefect'], 'predeication': ['depreciation', 'predeication'], 'prederive': ['prederive', 'redeprive'], 'predespair': ['disprepare', 'predespair'], 'predestine': ['predestine', 'presidente'], 'predetail': ['pedaliter', 'predetail'], 'predevotion': ['overpointed', 'predevotion'], 'predial': ['pedrail', 'predial'], 'prediastolic': ['prediastolic', 'psiloceratid'], 'predication': ['predication', 'procidentia'], 'predictory': ['cryptodire', 'predictory'], 'predirect': ['precredit', 'predirect', 'repredict'], 'predirector': ['precreditor', 'predirector'], 'prediscretion': ['prediscretion', 'redescription'], 'predislike': ['predislike', 'spiderlike'], 'predivinable': ['indeprivable', 'predivinable'], 'predominate': ['pentameroid', 'predominate'], 'predomination': ['demipronation', 'preadmonition', 'predomination'], 'predonate': ['ponderate', 'predonate'], 'predonation': ['ponderation', 'predonation'], 'predoubter': ['predoubter', 'preobtrude'], 'predrive': ['depriver', 'predrive'], 'preen': ['neper', 'preen', 'repen'], 'prefactor': ['aftercrop', 'prefactor'], 'prefator': ['forepart', 'prefator'], 'prefavorite': ['perforative', 'prefavorite'], 'prefect': ['perfect', 'prefect'], 'prefectly': ['perfectly', 'prefectly'], 'prefervid': ['perfervid', 'prefervid'], 'prefiction': ['prefiction', 'proficient'], 'prefoliation': ['perfoliation', 'prefoliation'], 'preform': ['perform', 'preform'], 'preformant': ['performant', 'preformant'], 'preformative': ['performative', 'preformative'], 'preformism': ['misperform', 'preformism'], 'pregainer': ['peregrina', 'pregainer'], 'prehandicap': ['handicapper', 'prehandicap'], 'prehaps': ['perhaps', 'prehaps'], 'prehazard': ['perhazard', 'prehazard'], 'preheal': ['preheal', 'rephael'], 'preheat': ['haptere', 'preheat'], 'preheated': ['heartdeep', 'preheated'], 'prehension': ['hesperinon', 'prehension'], 'prehnite': ['nephrite', 'prehnite', 'trephine'], 'prehnitic': ['nephritic', 'phrenitic', 'prehnitic'], 'prehuman': ['prehuman', 'unhamper'], 'preimpose': ['perispome', 'preimpose'], 'preindicate': ['parenticide', 'preindicate'], 'preinduce': ['preinduce', 'unpierced'], 'preintone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'prelabrum': ['prelabrum', 'prelumbar'], 'prelacteal': ['carpellate', 'parcellate', 'prelacteal'], 'prelate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'prelatehood': ['heteropodal', 'prelatehood'], 'prelatic': ['particle', 'plicater', 'prelatic'], 'prelatical': ['capitellar', 'prelatical'], 'prelation': ['prelation', 'rantipole'], 'prelatism': ['palmister', 'prelatism'], 'prelease': ['eelspear', 'prelease'], 'prelect': ['plectre', 'prelect'], 'prelection': ['perlection', 'prelection'], 'prelim': ['limper', 'prelim', 'rimple'], 'prelingual': ['perlingual', 'prelingual'], 'prelocate': ['percolate', 'prelocate'], 'preloss': ['plessor', 'preloss'], 'preludial': ['dipleural', 'preludial'], 'prelumbar': ['prelabrum', 'prelumbar'], 'prelusion': ['prelusion', 'repulsion'], 'prelusive': ['prelusive', 'repulsive'], 'prelusively': ['prelusively', 'repulsively'], 'prelusory': ['prelusory', 'repulsory'], 'premate': ['premate', 'tempera'], 'premedia': ['epiderma', 'premedia'], 'premedial': ['epidermal', 'impleader', 'premedial'], 'premedication': ['pedometrician', 'premedication'], 'premenace': ['permeance', 'premenace'], 'premerit': ['premerit', 'preremit', 'repermit'], 'premial': ['impaler', 'impearl', 'lempira', 'premial'], 'premiant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'premiate': ['imperate', 'premiate'], 'premier': ['premier', 'reprime'], 'premious': ['imposure', 'premious'], 'premise': ['emprise', 'imprese', 'premise', 'spireme'], 'premiss': ['impress', 'persism', 'premiss'], 'premixture': ['permixture', 'premixture'], 'premodel': ['leperdom', 'premodel'], 'premolar': ['premolar', 'premoral'], 'premold': ['meldrop', 'premold'], 'premonetary': ['premonetary', 'pyranometer'], 'premoral': ['premolar', 'premoral'], 'premorality': ['polarimetry', 'premorality', 'temporarily'], 'premosaic': ['paroecism', 'premosaic'], 'premover': ['premover', 'prevomer'], 'premusical': ['premusical', 'superclaim'], 'prenasal': ['pernasal', 'prenasal'], 'prenatal': ['parental', 'paternal', 'prenatal'], 'prenatalist': ['intraseptal', 'paternalist', 'prenatalist'], 'prenatally': ['parentally', 'paternally', 'prenatally'], 'prenative': ['interpave', 'prenative'], 'prender': ['prender', 'prendre'], 'prendre': ['prender', 'prendre'], 'prenodal': ['polander', 'ponderal', 'prenodal'], 'prenominical': ['nonempirical', 'prenominical'], 'prenotice': ['prenotice', 'reception'], 'prenotion': ['entropion', 'pontonier', 'prenotion'], 'prentice': ['piercent', 'prentice'], 'preobtrude': ['predoubter', 'preobtrude'], 'preocular': ['opercular', 'preocular'], 'preominate': ['permeation', 'preominate'], 'preopen': ['preopen', 'propene'], 'preopinion': ['preopinion', 'prionopine'], 'preoption': ['preoption', 'protopine'], 'preoral': ['peroral', 'preoral'], 'preorally': ['perorally', 'preorally'], 'prep': ['prep', 'repp'], 'prepalatine': ['periplaneta', 'prepalatine'], 'prepare': ['paperer', 'perpera', 'prepare', 'repaper'], 'prepatriotic': ['precipitator', 'prepatriotic'], 'prepay': ['papery', 'prepay', 'yapper'], 'preplot': ['preplot', 'toppler'], 'prepollent': ['prepollent', 'propellent'], 'prepontine': ['porpentine', 'prepontine'], 'prepositure': ['peripterous', 'prepositure'], 'prepuce': ['prepuce', 'upcreep'], 'prerational': ['prerational', 'proletarian'], 'prerealization': ['prerealization', 'proletarianize'], 'prereceive': ['prereceive', 'reperceive'], 'prerecital': ['perirectal', 'prerecital'], 'prereduction': ['interproduce', 'prereduction'], 'prerefer': ['prerefer', 'reprefer'], 'prereform': ['performer', 'prereform', 'reperform'], 'preremit': ['premerit', 'preremit', 'repermit'], 'prerental': ['prerental', 'replanter'], 'prerich': ['chirper', 'prerich'], 'preromantic': ['improcreant', 'preromantic'], 'presage': ['asperge', 'presage'], 'presager': ['asperger', 'presager'], 'presay': ['presay', 'speary'], 'prescapular': ['prescapular', 'supercarpal'], 'prescient': ['prescient', 'reinspect'], 'prescientific': ['interspecific', 'prescientific'], 'prescribe': ['perscribe', 'prescribe'], 'prescutal': ['prescutal', 'scalpture'], 'preseal': ['pleaser', 'preseal', 'relapse'], 'preseason': ['parsonese', 'preseason'], 'presell': ['presell', 'respell', 'speller'], 'present': ['penster', 'present', 'serpent', 'strepen'], 'presenter': ['presenter', 'represent'], 'presential': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'presentist': ['persistent', 'presentist', 'prettiness'], 'presentive': ['presentive', 'pretensive', 'vespertine'], 'presentively': ['presentively', 'pretensively'], 'presentiveness': ['presentiveness', 'pretensiveness'], 'presently': ['presently', 'serpently'], 'preserve': ['perverse', 'preserve'], 'preset': ['pester', 'preset', 'restep', 'streep'], 'preshare': ['preshare', 'rephrase'], 'preship': ['preship', 'shipper'], 'preshortage': ['preshortage', 'stereograph'], 'preside': ['perseid', 'preside'], 'presidencia': ['acipenserid', 'presidencia'], 'president': ['president', 'serpentid'], 'presidente': ['predestine', 'presidente'], 'presider': ['presider', 'serriped'], 'presign': ['presign', 'springe'], 'presignal': ['espringal', 'presignal', 'relapsing'], 'presimian': ['mainprise', 'presimian'], 'presley': ['presley', 'sleepry'], 'presser': ['presser', 'repress'], 'pression': ['poriness', 'pression', 'ropiness'], 'pressive': ['pressive', 'viperess'], 'prest': ['prest', 'spret'], 'prestable': ['beplaster', 'prestable'], 'prestant': ['prestant', 'transept'], 'prestate': ['prestate', 'pretaste'], 'presto': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'prestock': ['prestock', 'sprocket'], 'prestomial': ['peristomal', 'prestomial'], 'prestrain': ['prestrain', 'transpire'], 'presume': ['presume', 'supreme'], 'presurmise': ['impressure', 'presurmise'], 'presustain': ['presustain', 'puritaness', 'supersaint'], 'presystole': ['poetryless', 'presystole'], 'pretan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pretaste': ['prestate', 'pretaste'], 'pretensive': ['presentive', 'pretensive', 'vespertine'], 'pretensively': ['presentively', 'pretensively'], 'pretensiveness': ['presentiveness', 'pretensiveness'], 'pretentious': ['postuterine', 'pretentious'], 'pretercanine': ['irrepentance', 'pretercanine'], 'preterient': ['preterient', 'triterpene'], 'pretermit': ['permitter', 'pretermit'], 'pretheological': ['herpetological', 'pretheological'], 'pretibial': ['bipartile', 'pretibial'], 'pretonic': ['inceptor', 'pretonic'], 'pretorship': ['portership', 'pretorship'], 'pretrace': ['pretrace', 'recarpet'], 'pretracheal': ['archprelate', 'pretracheal'], 'pretrain': ['pretrain', 'terrapin'], 'pretransmission': ['pretransmission', 'transimpression'], 'pretreat': ['patterer', 'pretreat'], 'prettiness': ['persistent', 'presentist', 'prettiness'], 'prevailer': ['prevailer', 'reprieval'], 'prevalid': ['deprival', 'prevalid'], 'prevention': ['prevention', 'provenient'], 'preversion': ['perversion', 'preversion'], 'preveto': ['overpet', 'preveto', 'prevote'], 'previde': ['deprive', 'previde'], 'previous': ['pervious', 'previous', 'viperous'], 'previously': ['perviously', 'previously', 'viperously'], 'previousness': ['perviousness', 'previousness', 'viperousness'], 'prevoid': ['prevoid', 'provide'], 'prevomer': ['premover', 'prevomer'], 'prevote': ['overpet', 'preveto', 'prevote'], 'prewar': ['prewar', 'rewrap', 'warper'], 'prewarn': ['prawner', 'prewarn'], 'prewhip': ['prewhip', 'whipper'], 'prewrap': ['prewrap', 'wrapper'], 'prexy': ['prexy', 'pyrex'], 'prey': ['prey', 'pyre', 'rype'], 'pria': ['pair', 'pari', 'pria', 'ripa'], 'price': ['price', 'repic'], 'priced': ['percid', 'priced'], 'prich': ['chirp', 'prich'], 'prickfoot': ['prickfoot', 'tickproof'], 'prickle': ['pickler', 'prickle'], 'pride': ['pride', 'pried', 'redip'], 'pridian': ['pindari', 'pridian'], 'pried': ['pride', 'pried', 'redip'], 'prier': ['prier', 'riper'], 'priest': ['priest', 'pteris', 'sprite', 'stripe'], 'priestal': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'priesthood': ['priesthood', 'spritehood'], 'priestless': ['priestless', 'stripeless'], 'prig': ['grip', 'prig'], 'prigman': ['gripman', 'prigman', 'ramping'], 'prima': ['impar', 'pamir', 'prima'], 'primage': ['epigram', 'primage'], 'primal': ['imparl', 'primal'], 'primates': ['maspiter', 'pastimer', 'primates'], 'primatial': ['impartial', 'primatial'], 'primely': ['primely', 'reimply'], 'primeness': ['primeness', 'spenerism'], 'primost': ['primost', 'tropism'], 'primrose': ['primrose', 'promiser'], 'primsie': ['pismire', 'primsie'], 'primus': ['primus', 'purism'], 'prince': ['pincer', 'prince'], 'princehood': ['cnidophore', 'princehood'], 'princeite': ['princeite', 'recipient'], 'princelike': ['pincerlike', 'princelike'], 'princely': ['pencilry', 'princely'], 'princesse': ['crepiness', 'princesse'], 'prine': ['piner', 'prine', 'repin', 'ripen'], 'pringle': ['pingler', 'pringle'], 'printed': ['deprint', 'printed'], 'printer': ['printer', 'reprint'], 'priodontes': ['desorption', 'priodontes'], 'prionopine': ['preopinion', 'prionopine'], 'prisage': ['prisage', 'spairge'], 'prisal': ['prisal', 'spiral'], 'prismatoid': ['diatropism', 'prismatoid'], 'prisometer': ['prisometer', 'spirometer'], 'prisonable': ['bipersonal', 'prisonable'], 'pristane': ['pinaster', 'pristane'], 'pristine': ['enspirit', 'pristine'], 'pristis': ['pristis', 'tripsis'], 'prius': ['prius', 'sirup'], 'proadmission': ['adpromission', 'proadmission'], 'proal': ['parol', 'polar', 'poral', 'proal'], 'proalien': ['pelorian', 'peronial', 'proalien'], 'proamniotic': ['comparition', 'proamniotic'], 'proathletic': ['proathletic', 'prothetical'], 'proatlas': ['pastoral', 'proatlas'], 'proavis': ['pavisor', 'proavis'], 'probationer': ['probationer', 'reprobation'], 'probe': ['probe', 'rebop'], 'procaciously': ['plousiocracy', 'procaciously'], 'procaine': ['caponier', 'coprinae', 'procaine'], 'procanal': ['coplanar', 'procanal'], 'procapital': ['applicator', 'procapital'], 'procedure': ['procedure', 'reproduce'], 'proceeder': ['proceeder', 'reproceed'], 'procellas': ['procellas', 'scalloper'], 'procerite': ['procerite', 'receiptor'], 'procession': ['procession', 'scorpiones'], 'prochemical': ['microcephal', 'prochemical'], 'procidentia': ['predication', 'procidentia'], 'proclaimer': ['proclaimer', 'reproclaim'], 'procne': ['crepon', 'procne'], 'procnemial': ['complainer', 'procnemial', 'recomplain'], 'procommission': ['compromission', 'procommission'], 'procreant': ['copartner', 'procreant'], 'procreate': ['procreate', 'pterocera'], 'procreation': ['incorporate', 'procreation'], 'proctal': ['caltrop', 'proctal'], 'proctitis': ['proctitis', 'protistic', 'tropistic'], 'proctocolitis': ['coloproctitis', 'proctocolitis'], 'procuress': ['percussor', 'procuress'], 'prod': ['dorp', 'drop', 'prod'], 'proddle': ['plodder', 'proddle'], 'proem': ['merop', 'moper', 'proem', 'remop'], 'proemial': ['emporial', 'proemial'], 'proemium': ['emporium', 'pomerium', 'proemium'], 'proethical': ['carpholite', 'proethical'], 'proetid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'proetidae': ['periodate', 'proetidae', 'proteidae'], 'proetus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'proficient': ['prefiction', 'proficient'], 'profit': ['forpit', 'profit'], 'profiter': ['portfire', 'profiter'], 'progeny': ['progeny', 'pyrogen'], 'prohibiter': ['prohibiter', 'reprohibit'], 'proidealistic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'proke': ['poker', 'proke'], 'proker': ['porker', 'proker'], 'prolacrosse': ['prolacrosse', 'sclerospora'], 'prolapse': ['prolapse', 'sapropel'], 'prolation': ['ploration', 'portional', 'prolation'], 'prolegate': ['petrogale', 'petrolage', 'prolegate'], 'proletarian': ['prerational', 'proletarian'], 'proletarianize': ['prerealization', 'proletarianize'], 'proletariat': ['proletariat', 'reptatorial'], 'proletary': ['proletary', 'pyrolater'], 'prolicense': ['prolicense', 'proselenic'], 'prolongate': ['prolongate', 'protogenal'], 'promerit': ['importer', 'promerit', 'reimport'], 'promethean': ['heptameron', 'promethean'], 'promise': ['imposer', 'promise', 'semipro'], 'promisee': ['perisome', 'promisee', 'reimpose'], 'promiser': ['primrose', 'promiser'], 'promitosis': ['isotropism', 'promitosis'], 'promnesia': ['mesropian', 'promnesia', 'spironema'], 'promonarchist': ['micranthropos', 'promonarchist'], 'promote': ['promote', 'protome'], 'pronaos': ['pronaos', 'soprano'], 'pronate': ['operant', 'pronate', 'protean'], 'pronative': ['overpaint', 'pronative'], 'proneur': ['proneur', 'purrone'], 'pronotal': ['portolan', 'pronotal'], 'pronto': ['pronto', 'proton'], 'pronunciable': ['preconnubial', 'pronunciable'], 'proo': ['poor', 'proo'], 'proofer': ['proofer', 'reproof'], 'prop': ['prop', 'ropp'], 'propellent': ['prepollent', 'propellent'], 'propene': ['preopen', 'propene'], 'prophloem': ['pleomorph', 'prophloem'], 'propine': ['piperno', 'propine'], 'propinoic': ['propinoic', 'propionic'], 'propionic': ['propinoic', 'propionic'], 'propitial': ['propitial', 'triplopia'], 'proportioner': ['proportioner', 'reproportion'], 'propose': ['opposer', 'propose'], 'propraetorial': ['propraetorial', 'protoperlaria'], 'proprietous': ['peritropous', 'proprietous'], 'propylene': ['polyprene', 'propylene'], 'propyne': ['propyne', 'pyropen'], 'prorate': ['praetor', 'prorate'], 'proration': ['proration', 'troparion'], 'prore': ['porer', 'prore', 'roper'], 'prorebate': ['perborate', 'prorebate', 'reprobate'], 'proreduction': ['proreduction', 'reproduction'], 'prorevision': ['prorevision', 'provisioner', 'reprovision'], 'prorogate': ['graperoot', 'prorogate'], 'prosaist': ['prosaist', 'protasis'], 'prosateur': ['prosateur', 'pterosaur'], 'prose': ['poser', 'prose', 'ropes', 'spore'], 'prosecretin': ['prosecretin', 'reinspector'], 'prosectorial': ['corporealist', 'prosectorial'], 'prosectorium': ['micropterous', 'prosectorium'], 'proselenic': ['prolicense', 'proselenic'], 'proselyte': ['polyester', 'proselyte'], 'proseminate': ['impersonate', 'proseminate'], 'prosemination': ['impersonation', 'prosemination', 'semipronation'], 'proseneschal': ['chaperonless', 'proseneschal'], 'prosification': ['antisoporific', 'prosification', 'sporification'], 'prosilient': ['linopteris', 'prosilient'], 'prosiphonate': ['nephroptosia', 'prosiphonate'], 'proso': ['poros', 'proso', 'sopor', 'spoor'], 'prosodiacal': ['dorsoapical', 'prosodiacal'], 'prosopyle': ['polyspore', 'prosopyle'], 'prossy': ['prossy', 'spyros'], 'prostatectomy': ['cryptostomate', 'prostatectomy'], 'prosternate': ['paternoster', 'prosternate', 'transportee'], 'prostomiate': ['metroptosia', 'prostomiate'], 'protactic': ['catoptric', 'protactic'], 'protasis': ['prosaist', 'protasis'], 'prote': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'protead': ['adopter', 'protead', 'readopt'], 'protean': ['operant', 'pronate', 'protean'], 'protease': ['asterope', 'protease'], 'protectional': ['lactoprotein', 'protectional'], 'proteic': ['perotic', 'proteic', 'tropeic'], 'proteida': ['apteroid', 'proteida'], 'proteidae': ['periodate', 'proetidae', 'proteidae'], 'proteidean': ['pontederia', 'proteidean'], 'protein': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'proteinic': ['epornitic', 'proteinic'], 'proteles': ['proteles', 'serpolet'], 'protelidae': ['leopardite', 'protelidae'], 'protend': ['portend', 'protend'], 'protension': ['portension', 'protension'], 'proteolysis': ['elytroposis', 'proteolysis'], 'proteose': ['esotrope', 'proteose'], 'protest': ['protest', 'spotter'], 'protester': ['protester', 'reprotest'], 'proteus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'protheca': ['archpoet', 'protheca'], 'prothesis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'prothetical': ['proathletic', 'prothetical'], 'prothoracic': ['acrotrophic', 'prothoracic'], 'protide': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'protist': ['protist', 'tropist'], 'protistic': ['proctitis', 'protistic', 'tropistic'], 'proto': ['porto', 'proto', 'troop'], 'protocneme': ['mecopteron', 'protocneme'], 'protogenal': ['prolongate', 'protogenal'], 'protoma': ['protoma', 'taproom'], 'protomagnesium': ['protomagnesium', 'spermatogonium'], 'protome': ['promote', 'protome'], 'protomorphic': ['morphotropic', 'protomorphic'], 'proton': ['pronto', 'proton'], 'protone': ['porteno', 'protone'], 'protonemal': ['monopteral', 'protonemal'], 'protoparent': ['protoparent', 'protopteran'], 'protopathic': ['haptotropic', 'protopathic'], 'protopathy': ['protopathy', 'protophyta'], 'protoperlaria': ['propraetorial', 'protoperlaria'], 'protophyta': ['protopathy', 'protophyta'], 'protophyte': ['protophyte', 'tropophyte'], 'protophytic': ['protophytic', 'tropophytic'], 'protopine': ['preoption', 'protopine'], 'protopteran': ['protoparent', 'protopteran'], 'protore': ['protore', 'trooper'], 'protosulphide': ['protosulphide', 'sulphoproteid'], 'prototheme': ['photometer', 'prototheme'], 'prototherian': ['ornithoptera', 'prototherian'], 'prototrophic': ['prototrophic', 'trophotropic'], 'protrade': ['predator', 'protrade', 'teardrop'], 'protreaty': ['protreaty', 'reptatory'], 'protuberantial': ['perturbational', 'protuberantial'], 'protyl': ['portly', 'protyl', 'tropyl'], 'provenient': ['prevention', 'provenient'], 'provide': ['prevoid', 'provide'], 'provider': ['overdrip', 'provider'], 'provisioner': ['prorevision', 'provisioner', 'reprovision'], 'prowed': ['powder', 'prowed'], 'prude': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'prudent': ['prudent', 'prunted', 'uptrend'], 'prudential': ['prudential', 'putredinal'], 'prudist': ['disrupt', 'prudist'], 'prudy': ['prudy', 'purdy', 'updry'], 'prue': ['peru', 'prue', 'pure'], 'prune': ['perun', 'prune'], 'prunted': ['prudent', 'prunted', 'uptrend'], 'prussic': ['prussic', 'scirpus'], 'prut': ['prut', 'turp'], 'pry': ['pry', 'pyr'], 'pryer': ['perry', 'pryer'], 'pryse': ['pryse', 'spyer'], 'psalm': ['plasm', 'psalm', 'slamp'], 'psalmic': ['plasmic', 'psalmic'], 'psalmister': ['psalmister', 'spermalist'], 'psalmodial': ['plasmodial', 'psalmodial'], 'psalmodic': ['plasmodic', 'psalmodic'], 'psaloid': ['psaloid', 'salpoid'], 'psalter': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'psalterian': ['alpestrian', 'palestrian', 'psalterian'], 'psalterion': ['interposal', 'psalterion'], 'psaltery': ['plastery', 'psaltery'], 'psaltress': ['psaltress', 'strapless'], 'psaronius': ['prasinous', 'psaronius'], 'psedera': ['psedera', 'respade'], 'psellism': ['misspell', 'psellism'], 'pseudelytron': ['pseudelytron', 'unproselyted'], 'pseudimago': ['megapodius', 'pseudimago'], 'pseudophallic': ['diplocephalus', 'pseudophallic'], 'psha': ['hasp', 'pash', 'psha', 'shap'], 'psi': ['psi', 'sip'], 'psiloceratid': ['prediastolic', 'psiloceratid'], 'psilophyton': ['polyphonist', 'psilophyton'], 'psilotic': ['colpitis', 'politics', 'psilotic'], 'psittacine': ['antiseptic', 'psittacine'], 'psoadic': ['psoadic', 'scapoid', 'sciapod'], 'psoas': ['passo', 'psoas'], 'psocidae': ['diascope', 'psocidae', 'scopidae'], 'psocine': ['psocine', 'scopine'], 'psora': ['psora', 'sapor', 'sarpo'], 'psoralea': ['parosela', 'psoralea'], 'psoroid': ['psoroid', 'sporoid'], 'psorous': ['psorous', 'soursop', 'sporous'], 'psychobiological': ['biopsychological', 'psychobiological'], 'psychobiology': ['biopsychology', 'psychobiology'], 'psychogalvanic': ['galvanopsychic', 'psychogalvanic'], 'psychomancy': ['psychomancy', 'scyphomancy'], 'psychomonism': ['monopsychism', 'psychomonism'], 'psychoneurological': ['neuropsychological', 'psychoneurological'], 'psychoneurosis': ['neuropsychosis', 'psychoneurosis'], 'psychophysiological': ['physiopsychological', 'psychophysiological'], 'psychophysiology': ['physiopsychology', 'psychophysiology'], 'psychorrhagy': ['chrysography', 'psychorrhagy'], 'psychosomatic': ['psychosomatic', 'somatopsychic'], 'psychotechnology': ['psychotechnology', 'technopsychology'], 'psychotheism': ['psychotheism', 'theopsychism'], 'psychotria': ['physiocrat', 'psychotria'], 'ptelea': ['apelet', 'ptelea'], 'ptereal': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pterian': ['painter', 'pertain', 'pterian', 'repaint'], 'pterideous': ['depositure', 'pterideous'], 'pteridological': ['dipterological', 'pteridological'], 'pteridologist': ['dipterologist', 'pteridologist'], 'pteridology': ['dipterology', 'pteridology'], 'pterion': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pteris': ['priest', 'pteris', 'sprite', 'stripe'], 'pterocera': ['procreate', 'pterocera'], 'pterodactylidae': ['dactylopteridae', 'pterodactylidae'], 'pterodactylus': ['dactylopterus', 'pterodactylus'], 'pterographer': ['petrographer', 'pterographer'], 'pterographic': ['petrographic', 'pterographic'], 'pterographical': ['petrographical', 'pterographical'], 'pterography': ['petrography', 'pterography', 'typographer'], 'pteroid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'pteroma': ['pteroma', 'tempora'], 'pteropus': ['pteropus', 'stoppeur'], 'pterosaur': ['prosateur', 'pterosaur'], 'pterospora': ['praepostor', 'pterospora'], 'pteryla': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'pterylographical': ['petrographically', 'pterylographical'], 'pterylological': ['petrologically', 'pterylological'], 'pterylosis': ['peristylos', 'pterylosis'], 'ptilota': ['ptilota', 'talipot', 'toptail'], 'ptinus': ['ptinus', 'unspit'], 'ptolemean': ['leptonema', 'ptolemean'], 'ptomain': ['maintop', 'ptomain', 'tampion', 'timpano'], 'ptomainic': ['impaction', 'ptomainic'], 'ptyalin': ['inaptly', 'planity', 'ptyalin'], 'ptyalocele': ['clypeolate', 'ptyalocele'], 'ptyalogenic': ['genotypical', 'ptyalogenic'], 'pu': ['pu', 'up'], 'pua': ['pau', 'pua'], 'puan': ['napu', 'puan', 'puna'], 'publisher': ['publisher', 'republish'], 'puckball': ['puckball', 'pullback'], 'puckrel': ['plucker', 'puckrel'], 'pud': ['dup', 'pud'], 'pudendum': ['pudendum', 'undumped'], 'pudent': ['pudent', 'uptend'], 'pudic': ['cupid', 'pudic'], 'pudical': ['paludic', 'pudical'], 'pudicity': ['cupidity', 'pudicity'], 'puerer': ['puerer', 'purree'], 'puffer': ['puffer', 'repuff'], 'pug': ['gup', 'pug'], 'pugman': ['panmug', 'pugman'], 'puisne': ['puisne', 'supine'], 'puist': ['puist', 'upsit'], 'puja': ['jaup', 'puja'], 'puke': ['keup', 'puke'], 'pule': ['lupe', 'pelu', 'peul', 'pule'], 'pulian': ['paulin', 'pulian'], 'pulicene': ['clupeine', 'pulicene'], 'pulicidal': ['picudilla', 'pulicidal'], 'pulicide': ['lupicide', 'pediculi', 'pulicide'], 'puling': ['gulpin', 'puling'], 'pulish': ['huspil', 'pulish'], 'pullback': ['puckball', 'pullback'], 'pulp': ['plup', 'pulp'], 'pulper': ['pulper', 'purple'], 'pulpiter': ['pulpiter', 'repulpit'], 'pulpous': ['populus', 'pulpous'], 'pulpstone': ['pulpstone', 'unstopple'], 'pulsant': ['pulsant', 'upslant'], 'pulsate': ['pulsate', 'spatule', 'upsteal'], 'pulsatile': ['palluites', 'pulsatile'], 'pulsation': ['platinous', 'pulsation'], 'pulsator': ['postural', 'pulsator', 'sportula'], 'pulse': ['lepus', 'pulse'], 'pulsion': ['pulsion', 'unspoil', 'upsilon'], 'pulvic': ['pulvic', 'vulpic'], 'pumper': ['pumper', 'repump'], 'pumple': ['peplum', 'pumple'], 'puna': ['napu', 'puan', 'puna'], 'puncher': ['puncher', 'unperch'], 'punctilio': ['punctilio', 'unpolitic'], 'puncturer': ['puncturer', 'upcurrent'], 'punger': ['punger', 'repugn'], 'pungle': ['plunge', 'pungle'], 'puniceous': ['pecunious', 'puniceous'], 'punish': ['inpush', 'punish', 'unship'], 'punisher': ['punisher', 'repunish'], 'punishment': ['punishment', 'unshipment'], 'punlet': ['penult', 'punlet', 'puntel'], 'punnet': ['punnet', 'unpent'], 'puno': ['noup', 'puno', 'upon'], 'punta': ['punta', 'unapt', 'untap'], 'puntal': ['puntal', 'unplat'], 'puntel': ['penult', 'punlet', 'puntel'], 'punti': ['input', 'punti'], 'punto': ['punto', 'unpot', 'untop'], 'pupa': ['paup', 'pupa'], 'pupelo': ['poulpe', 'pupelo'], 'purana': ['purana', 'uparna'], 'purdy': ['prudy', 'purdy', 'updry'], 'pure': ['peru', 'prue', 'pure'], 'pured': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'puree': ['puree', 'rupee'], 'purer': ['purer', 'purre'], 'purine': ['purine', 'unripe', 'uprein'], 'purism': ['primus', 'purism'], 'purist': ['purist', 'spruit', 'uprist', 'upstir'], 'puritan': ['pintura', 'puritan', 'uptrain'], 'puritaness': ['presustain', 'puritaness', 'supersaint'], 'purler': ['purler', 'purrel'], 'purple': ['pulper', 'purple'], 'purpose': ['peropus', 'purpose'], 'purpuroxanthin': ['purpuroxanthin', 'xanthopurpurin'], 'purre': ['purer', 'purre'], 'purree': ['puerer', 'purree'], 'purrel': ['purler', 'purrel'], 'purrone': ['proneur', 'purrone'], 'purse': ['purse', 'resup', 'sprue', 'super'], 'purser': ['purser', 'spruer'], 'purslane': ['purslane', 'serpulan', 'supernal'], 'purslet': ['purslet', 'spurlet', 'spurtle'], 'pursuer': ['pursuer', 'usurper'], 'pursy': ['pursy', 'pyrus', 'syrup'], 'pus': ['pus', 'sup'], 'pushtu': ['pushtu', 'upshut'], 'pustule': ['pluteus', 'pustule'], 'pustulose': ['pustulose', 'stupulose'], 'put': ['put', 'tup'], 'putanism': ['putanism', 'sumpitan'], 'putation': ['outpaint', 'putation'], 'putredinal': ['prudential', 'putredinal'], 'putrid': ['putrid', 'turpid'], 'putridly': ['putridly', 'turpidly'], 'pya': ['pay', 'pya', 'yap'], 'pyal': ['paly', 'play', 'pyal', 'pyla'], 'pycnial': ['pliancy', 'pycnial'], 'pyelic': ['epicly', 'pyelic'], 'pyelitis': ['pyelitis', 'sipylite'], 'pyelocystitis': ['cystopyelitis', 'pyelocystitis'], 'pyelonephritis': ['nephropyelitis', 'pyelonephritis'], 'pyeloureterogram': ['pyeloureterogram', 'ureteropyelogram'], 'pyemesis': ['empyesis', 'pyemesis'], 'pygmalion': ['maypoling', 'pygmalion'], 'pyin': ['piny', 'pyin'], 'pyla': ['paly', 'play', 'pyal', 'pyla'], 'pylades': ['pylades', 'splayed'], 'pylagore': ['playgoer', 'pylagore'], 'pylar': ['parly', 'pylar', 'pyral'], 'pyonephrosis': ['nephropyosis', 'pyonephrosis'], 'pyopneumothorax': ['pneumopyothorax', 'pyopneumothorax'], 'pyosepticemia': ['pyosepticemia', 'septicopyemia'], 'pyosepticemic': ['pyosepticemic', 'septicopyemic'], 'pyr': ['pry', 'pyr'], 'pyracanth': ['pantarchy', 'pyracanth'], 'pyral': ['parly', 'pylar', 'pyral'], 'pyrales': ['parsley', 'pyrales', 'sparely', 'splayer'], 'pyralid': ['pyralid', 'rapidly'], 'pyramidale': ['lampyridae', 'pyramidale'], 'pyranometer': ['premonetary', 'pyranometer'], 'pyre': ['prey', 'pyre', 'rype'], 'pyrena': ['napery', 'pyrena'], 'pyrenic': ['cyprine', 'pyrenic'], 'pyrenoid': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyretogenic': ['pyretogenic', 'pyrogenetic'], 'pyrex': ['prexy', 'pyrex'], 'pyrgocephaly': ['pelycography', 'pyrgocephaly'], 'pyridone': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrites': ['pyrites', 'sperity'], 'pyritoid': ['pityroid', 'pyritoid'], 'pyro': ['pory', 'pyro', 'ropy'], 'pyroarsenite': ['arsenopyrite', 'pyroarsenite'], 'pyrochemical': ['microcephaly', 'pyrochemical'], 'pyrocomenic': ['pyrocomenic', 'pyromeconic'], 'pyrodine': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrogen': ['progeny', 'pyrogen'], 'pyrogenetic': ['pyretogenic', 'pyrogenetic'], 'pyrolater': ['proletary', 'pyrolater'], 'pyromantic': ['importancy', 'patronymic', 'pyromantic'], 'pyromeconic': ['pyrocomenic', 'pyromeconic'], 'pyrope': ['popery', 'pyrope'], 'pyropen': ['propyne', 'pyropen'], 'pyrophorus': ['porphyrous', 'pyrophorus'], 'pyrotheria': ['erythropia', 'pyrotheria'], 'pyruline': ['pyruline', 'unripely'], 'pyrus': ['pursy', 'pyrus', 'syrup'], 'pyruvil': ['pyruvil', 'pyvuril'], 'pythagorism': ['myographist', 'pythagorism'], 'pythia': ['pythia', 'typhia'], 'pythic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pythogenesis': ['phytogenesis', 'pythogenesis'], 'pythogenetic': ['phytogenetic', 'pythogenetic'], 'pythogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'pythogenous': ['phytogenous', 'pythogenous'], 'python': ['phyton', 'python'], 'pythonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'pythonism': ['hypnotism', 'pythonism'], 'pythonist': ['hypnotist', 'pythonist'], 'pythonize': ['hypnotize', 'pythonize'], 'pythonoid': ['hypnotoid', 'pythonoid'], 'pyvuril': ['pyruvil', 'pyvuril'], 'quadrual': ['quadrual', 'quadrula'], 'quadrula': ['quadrual', 'quadrula'], 'quail': ['quail', 'quila'], 'quake': ['quake', 'queak'], 'quale': ['equal', 'quale', 'queal'], 'qualitied': ['liquidate', 'qualitied'], 'quamoclit': ['coquitlam', 'quamoclit'], 'quannet': ['quannet', 'tanquen'], 'quartile': ['quartile', 'requital', 'triequal'], 'quartine': ['antiquer', 'quartine'], 'quata': ['quata', 'taqua'], 'quatrin': ['quatrin', 'tarquin'], 'queak': ['quake', 'queak'], 'queal': ['equal', 'quale', 'queal'], 'queeve': ['eveque', 'queeve'], 'quencher': ['quencher', 'requench'], 'querier': ['querier', 'require'], 'queriman': ['queriman', 'ramequin'], 'querist': ['querist', 'squiret'], 'quernal': ['quernal', 'ranquel'], 'quester': ['quester', 'request'], 'questioner': ['questioner', 'requestion'], 'questor': ['questor', 'torques'], 'quiet': ['quiet', 'quite'], 'quietable': ['equitable', 'quietable'], 'quieter': ['quieter', 'requite'], 'quietist': ['equitist', 'quietist'], 'quietsome': ['quietsome', 'semiquote'], 'quiina': ['quiina', 'quinia'], 'quila': ['quail', 'quila'], 'quiles': ['quiles', 'quisle'], 'quinate': ['antique', 'quinate'], 'quince': ['cinque', 'quince'], 'quinia': ['quiina', 'quinia'], 'quinite': ['inquiet', 'quinite'], 'quinnat': ['quinnat', 'quintan'], 'quinse': ['quinse', 'sequin'], 'quintan': ['quinnat', 'quintan'], 'quintato': ['quintato', 'totaquin'], 'quinze': ['quinze', 'zequin'], 'quirt': ['quirt', 'qurti'], 'quisle': ['quiles', 'quisle'], 'quite': ['quiet', 'quite'], 'quits': ['quits', 'squit'], 'quote': ['quote', 'toque'], 'quoter': ['quoter', 'roquet', 'torque'], 'qurti': ['quirt', 'qurti'], 'ra': ['ar', 'ra'], 'raad': ['adar', 'arad', 'raad', 'rada'], 'raash': ['asarh', 'raash', 'sarah'], 'rab': ['bar', 'bra', 'rab'], 'raband': ['bandar', 'raband'], 'rabatine': ['atabrine', 'rabatine'], 'rabatte': ['baretta', 'rabatte', 'tabaret'], 'rabbanite': ['barnabite', 'rabbanite', 'rabbinate'], 'rabbet': ['barbet', 'rabbet', 'tabber'], 'rabbinate': ['barnabite', 'rabbanite', 'rabbinate'], 'rabble': ['barbel', 'labber', 'rabble'], 'rabboni': ['barbion', 'rabboni'], 'rabi': ['abir', 'bari', 'rabi'], 'rabic': ['baric', 'carib', 'rabic'], 'rabid': ['barid', 'bidar', 'braid', 'rabid'], 'rabidly': ['bardily', 'rabidly', 'ridably'], 'rabidness': ['bardiness', 'rabidness'], 'rabies': ['braise', 'rabies', 'rebias'], 'rabin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'rabinet': ['atebrin', 'rabinet'], 'raccoon': ['carcoon', 'raccoon'], 'race': ['acer', 'acre', 'care', 'crea', 'race'], 'racemate': ['camerate', 'macerate', 'racemate'], 'racemation': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'raceme': ['amerce', 'raceme'], 'racemed': ['decream', 'racemed'], 'racemic': ['ceramic', 'racemic'], 'racer': ['carer', 'crare', 'racer'], 'rach': ['arch', 'char', 'rach'], 'rache': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'rachel': ['rachel', 'rechal'], 'rachianectes': ['rachianectes', 'rhacianectes'], 'rachidial': ['diarchial', 'rachidial'], 'rachitis': ['architis', 'rachitis'], 'racial': ['alaric', 'racial'], 'racialist': ['racialist', 'satirical'], 'racing': ['arcing', 'racing'], 'racist': ['crista', 'racist'], 'rack': ['cark', 'rack'], 'racker': ['racker', 'rerack'], 'racket': ['racket', 'retack', 'tacker'], 'racking': ['arcking', 'carking', 'racking'], 'rackingly': ['carkingly', 'rackingly'], 'rackle': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'racon': ['acorn', 'acron', 'racon'], 'raconteur': ['cuarteron', 'raconteur'], 'racoon': ['caroon', 'corona', 'racoon'], 'racy': ['cary', 'racy'], 'rad': ['dar', 'rad'], 'rada': ['adar', 'arad', 'raad', 'rada'], 'raddle': ['ladder', 'raddle'], 'raddleman': ['dreamland', 'raddleman'], 'radectomy': ['myctodera', 'radectomy'], 'radek': ['daker', 'drake', 'kedar', 'radek'], 'radiable': ['labridae', 'radiable'], 'radiale': ['ardelia', 'laridae', 'radiale'], 'radian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'radiance': ['caridean', 'dircaean', 'radiance'], 'radiant': ['intrada', 'radiant'], 'radiata': ['dataria', 'radiata'], 'radical': ['cardial', 'radical'], 'radicant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'radicel': ['decrial', 'radicel', 'radicle'], 'radices': ['diceras', 'radices', 'sidecar'], 'radicle': ['decrial', 'radicel', 'radicle'], 'radicose': ['idocrase', 'radicose'], 'radicule': ['auricled', 'radicule'], 'radiculose': ['coresidual', 'radiculose'], 'radiectomy': ['acidometry', 'medicatory', 'radiectomy'], 'radii': ['dairi', 'darii', 'radii'], 'radio': ['aroid', 'doria', 'radio'], 'radioautograph': ['autoradiograph', 'radioautograph'], 'radioautographic': ['autoradiographic', 'radioautographic'], 'radioautography': ['autoradiography', 'radioautography'], 'radiohumeral': ['humeroradial', 'radiohumeral'], 'radiolite': ['editorial', 'radiolite'], 'radiolucent': ['radiolucent', 'reductional'], 'radioman': ['adoniram', 'radioman'], 'radiomicrometer': ['microradiometer', 'radiomicrometer'], 'radiophone': ['phoronidea', 'radiophone'], 'radiophony': ['hypodorian', 'radiophony'], 'radiotelephone': ['radiotelephone', 'teleradiophone'], 'radiotron': ['ordinator', 'radiotron'], 'radish': ['ardish', 'radish'], 'radius': ['darius', 'radius'], 'radman': ['mandra', 'radman'], 'radon': ['adorn', 'donar', 'drona', 'radon'], 'radula': ['adular', 'aludra', 'radula'], 'rafael': ['aflare', 'rafael'], 'rafe': ['fare', 'fear', 'frae', 'rafe'], 'raffee': ['affeer', 'raffee'], 'raffia': ['affair', 'raffia'], 'raffle': ['farfel', 'raffle'], 'rafik': ['fakir', 'fraik', 'kafir', 'rafik'], 'raft': ['frat', 'raft'], 'raftage': ['fregata', 'raftage'], 'rafter': ['frater', 'rafter'], 'rag': ['gar', 'gra', 'rag'], 'raga': ['agar', 'agra', 'gara', 'raga'], 'rage': ['ager', 'agre', 'gare', 'gear', 'rage'], 'rageless': ['eelgrass', 'gearless', 'rageless'], 'ragfish': ['garfish', 'ragfish'], 'ragged': ['dagger', 'gadger', 'ragged'], 'raggee': ['agrege', 'raggee'], 'raggety': ['gargety', 'raggety'], 'raggle': ['gargle', 'gregal', 'lagger', 'raggle'], 'raggled': ['draggle', 'raggled'], 'raggy': ['aggry', 'raggy'], 'ragingly': ['grayling', 'ragingly'], 'raglanite': ['antiglare', 'raglanite'], 'raglet': ['raglet', 'tergal'], 'raglin': ['nargil', 'raglin'], 'ragman': ['amgarn', 'mangar', 'marang', 'ragman'], 'ragnar': ['garran', 'ragnar'], 'ragshag': ['ragshag', 'shagrag'], 'ragtag': ['ragtag', 'tagrag'], 'ragtime': ['migrate', 'ragtime'], 'ragule': ['ragule', 'regula'], 'raguly': ['glaury', 'raguly'], 'raia': ['aira', 'aria', 'raia'], 'raid': ['arid', 'dari', 'raid'], 'raider': ['arride', 'raider'], 'raif': ['fair', 'fiar', 'raif'], 'raiidae': ['ariidae', 'raiidae'], 'rail': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'railage': ['lairage', 'railage', 'regalia'], 'railer': ['railer', 'rerail'], 'railhead': ['headrail', 'railhead'], 'railless': ['lairless', 'railless'], 'railman': ['lairman', 'laminar', 'malarin', 'railman'], 'raiment': ['minaret', 'raiment', 'tireman'], 'rain': ['arni', 'iran', 'nair', 'rain', 'rani'], 'raincoat': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'rainful': ['rainful', 'unfrail'], 'rainspout': ['rainspout', 'supinator'], 'rainy': ['nairy', 'rainy'], 'rais': ['rais', 'sair', 'sari'], 'raise': ['aries', 'arise', 'raise', 'serai'], 'raiseman': ['erasmian', 'raiseman'], 'raiser': ['raiser', 'sierra'], 'raisin': ['raisin', 'sirian'], 'raj': ['jar', 'raj'], 'raja': ['ajar', 'jara', 'raja'], 'rajah': ['ajhar', 'rajah'], 'rajeev': ['evejar', 'rajeev'], 'rake': ['rake', 'reak'], 'rakesteel': ['rakesteel', 'rakestele'], 'rakestele': ['rakesteel', 'rakestele'], 'rakh': ['hark', 'khar', 'rakh'], 'raki': ['ikra', 'kari', 'raki'], 'rakish': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rakit': ['kitar', 'krait', 'rakit', 'traik'], 'raku': ['kuar', 'raku', 'rauk'], 'ralf': ['farl', 'ralf'], 'ralliance': ['alliancer', 'ralliance'], 'ralline': ['ralline', 'renilla'], 'ram': ['arm', 'mar', 'ram'], 'rama': ['amar', 'amra', 'mara', 'rama'], 'ramada': ['armada', 'damara', 'ramada'], 'ramage': ['gemara', 'ramage'], 'ramaite': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ramal': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'ramanas': ['ramanas', 'sramana'], 'ramate': ['ramate', 'retama'], 'ramble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'rambler': ['marbler', 'rambler'], 'rambling': ['marbling', 'rambling'], 'rambo': ['broma', 'rambo'], 'rambutan': ['rambutan', 'tamburan'], 'rame': ['erma', 'mare', 'rame', 'ream'], 'ramed': ['armed', 'derma', 'dream', 'ramed'], 'rament': ['manter', 'marten', 'rament'], 'ramental': ['maternal', 'ramental'], 'ramequin': ['queriman', 'ramequin'], 'ramesh': ['masher', 'ramesh', 'shamer'], 'ramet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'rami': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'ramie': ['aimer', 'maire', 'marie', 'ramie'], 'ramiferous': ['armiferous', 'ramiferous'], 'ramigerous': ['armigerous', 'ramigerous'], 'ramillie': ['milliare', 'ramillie'], 'ramisection': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'ramist': ['marist', 'matris', 'ramist'], 'ramline': ['marline', 'mineral', 'ramline'], 'rammel': ['lammer', 'rammel'], 'rammy': ['mymar', 'rammy'], 'ramon': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'ramona': ['oarman', 'ramona'], 'ramose': ['amores', 'ramose', 'sorema'], 'ramosely': ['marysole', 'ramosely'], 'ramp': ['pram', 'ramp'], 'rampant': ['mantrap', 'rampant'], 'ramped': ['damper', 'ramped'], 'ramper': ['prearm', 'ramper'], 'rampike': ['perakim', 'permiak', 'rampike'], 'ramping': ['gripman', 'prigman', 'ramping'], 'ramsey': ['ramsey', 'smeary'], 'ramson': ['ramson', 'ransom'], 'ramtil': ['mitral', 'ramtil'], 'ramule': ['mauler', 'merula', 'ramule'], 'ramulus': ['malurus', 'ramulus'], 'ramus': ['musar', 'ramus', 'rusma', 'surma'], 'ramusi': ['misura', 'ramusi'], 'ran': ['arn', 'nar', 'ran'], 'rana': ['arna', 'rana'], 'ranales': ['arsenal', 'ranales'], 'rance': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'rancel': ['lancer', 'rancel'], 'rancer': ['craner', 'rancer'], 'ranche': ['enarch', 'ranche'], 'ranchero': ['anchorer', 'ranchero', 'reanchor'], 'rancho': ['anchor', 'archon', 'charon', 'rancho'], 'rancid': ['andric', 'cardin', 'rancid'], 'rand': ['darn', 'nard', 'rand'], 'randan': ['annard', 'randan'], 'randem': ['damner', 'manred', 'randem', 'remand'], 'rander': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'randia': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'randing': ['darning', 'randing'], 'randite': ['antired', 'detrain', 'randite', 'trained'], 'randle': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'random': ['random', 'rodman'], 'rane': ['arne', 'earn', 'rane'], 'ranere': ['earner', 'ranere'], 'rang': ['garn', 'gnar', 'rang'], 'range': ['anger', 'areng', 'grane', 'range'], 'ranged': ['danger', 'gander', 'garden', 'ranged'], 'rangeless': ['largeness', 'rangeless', 'regalness'], 'ranger': ['garner', 'ranger'], 'rangey': ['anergy', 'rangey'], 'ranginess': ['angriness', 'ranginess'], 'rangle': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'rangy': ['angry', 'rangy'], 'rani': ['arni', 'iran', 'nair', 'rain', 'rani'], 'ranid': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'ranidae': ['araneid', 'ariadne', 'ranidae'], 'raniform': ['nariform', 'raniform'], 'raninae': ['aranein', 'raninae'], 'ranine': ['narine', 'ranine'], 'rank': ['knar', 'kran', 'nark', 'rank'], 'ranked': ['darken', 'kanred', 'ranked'], 'ranker': ['ranker', 'rerank'], 'rankish': ['krishna', 'rankish'], 'rannel': ['lanner', 'rannel'], 'ranquel': ['quernal', 'ranquel'], 'ransom': ['ramson', 'ransom'], 'rant': ['natr', 'rant', 'tarn', 'tran'], 'rantepole': ['petrolean', 'rantepole'], 'ranter': ['arrent', 'errant', 'ranter', 'ternar'], 'rantipole': ['prelation', 'rantipole'], 'ranula': ['alraun', 'alruna', 'ranula'], 'rap': ['par', 'rap'], 'rape': ['aper', 'pare', 'pear', 'rape', 'reap'], 'rapeful': ['rapeful', 'upflare'], 'raper': ['parer', 'raper'], 'raphael': ['phalera', 'raphael'], 'raphaelic': ['eparchial', 'raphaelic'], 'raphe': ['hepar', 'phare', 'raphe'], 'raphia': ['pahari', 'pariah', 'raphia'], 'raphides': ['diphaser', 'parished', 'raphides', 'sephardi'], 'raphis': ['parish', 'raphis', 'rhapis'], 'rapic': ['capri', 'picra', 'rapic'], 'rapid': ['adrip', 'rapid'], 'rapidly': ['pyralid', 'rapidly'], 'rapier': ['pairer', 'rapier', 'repair'], 'rapine': ['parine', 'rapine'], 'raping': ['paring', 'raping'], 'rapparee': ['appearer', 'rapparee', 'reappear'], 'rappe': ['paper', 'rappe'], 'rappel': ['lapper', 'rappel'], 'rappite': ['periapt', 'rappite'], 'rapt': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'raptly': ['paltry', 'partly', 'raptly'], 'raptor': ['parrot', 'raptor'], 'rapture': ['parture', 'rapture'], 'rare': ['rare', 'rear'], 'rarebit': ['arbiter', 'rarebit'], 'rareripe': ['rareripe', 'repairer'], 'rarish': ['arrish', 'harris', 'rarish', 'sirrah'], 'ras': ['ras', 'sar'], 'rasa': ['rasa', 'sara'], 'rascacio': ['coracias', 'rascacio'], 'rascal': ['lascar', 'rascal', 'sacral', 'scalar'], 'rase': ['arse', 'rase', 'sare', 'sear', 'sera'], 'rasen': ['anser', 'nares', 'rasen', 'snare'], 'raser': ['ersar', 'raser', 'serra'], 'rasher': ['rasher', 'sharer'], 'rashing': ['garnish', 'rashing'], 'rashti': ['rashti', 'tarish'], 'rasion': ['arsino', 'rasion', 'sonrai'], 'rasp': ['rasp', 'spar'], 'rasped': ['rasped', 'spader', 'spread'], 'rasper': ['parser', 'rasper', 'sparer'], 'rasping': ['aspring', 'rasping', 'sparing'], 'raspingly': ['raspingly', 'sparingly'], 'raspingness': ['raspingness', 'sparingness'], 'raspite': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'raspy': ['raspy', 'spary', 'spray'], 'rasse': ['arses', 'rasse'], 'raster': ['arrest', 'astrer', 'raster', 'starer'], 'rastik': ['rastik', 'sarkit', 'straik'], 'rastle': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'rastus': ['rastus', 'tarsus'], 'rat': ['art', 'rat', 'tar', 'tra'], 'rata': ['rata', 'taar', 'tara'], 'ratable': ['alberta', 'latebra', 'ratable'], 'ratal': ['altar', 'artal', 'ratal', 'talar'], 'ratanhia': ['ratanhia', 'rhatania'], 'ratbite': ['biretta', 'brattie', 'ratbite'], 'ratch': ['chart', 'ratch'], 'ratchel': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'ratcher': ['charter', 'ratcher'], 'ratchet': ['chatter', 'ratchet'], 'ratchety': ['chattery', 'ratchety', 'trachyte'], 'ratching': ['charting', 'ratching'], 'rate': ['rate', 'tare', 'tear', 'tera'], 'rated': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'ratel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'rateless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'ratfish': ['ratfish', 'tashrif'], 'rath': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'rathe': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'rathed': ['dearth', 'hatred', 'rathed', 'thread'], 'rathely': ['earthly', 'heartly', 'lathery', 'rathely'], 'ratherest': ['ratherest', 'shatterer'], 'rathest': ['rathest', 'shatter'], 'rathite': ['hartite', 'rathite'], 'rathole': ['loather', 'rathole'], 'raticidal': ['raticidal', 'triadical'], 'raticide': ['ceratiid', 'raticide'], 'ratine': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'rating': ['rating', 'tringa'], 'ratio': ['ariot', 'ratio'], 'ration': ['aroint', 'ration'], 'rationable': ['alboranite', 'rationable'], 'rational': ['notarial', 'rational', 'rotalian'], 'rationale': ['alienator', 'rationale'], 'rationalize': ['rationalize', 'realization'], 'rationally': ['notarially', 'rationally'], 'rationate': ['notariate', 'rationate'], 'ratitae': ['arietta', 'ratitae'], 'ratite': ['attire', 'ratite', 'tertia'], 'ratitous': ['outstair', 'ratitous'], 'ratlike': ['artlike', 'ratlike', 'tarlike'], 'ratline': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'rattage': ['garetta', 'rattage', 'regatta'], 'rattan': ['rattan', 'tantra', 'tartan'], 'ratteen': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'ratten': ['attern', 'natter', 'ratten', 'tarten'], 'ratti': ['ratti', 'titar', 'trait'], 'rattish': ['athirst', 'rattish', 'tartish'], 'rattle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'rattles': ['rattles', 'slatter', 'starlet', 'startle'], 'rattlesome': ['rattlesome', 'saltometer'], 'rattly': ['rattly', 'tartly'], 'ratton': ['attorn', 'ratton', 'rottan'], 'rattus': ['astrut', 'rattus', 'stuart'], 'ratwood': ['ratwood', 'tarwood'], 'raught': ['raught', 'tughra'], 'rauk': ['kuar', 'raku', 'rauk'], 'raul': ['alur', 'laur', 'lura', 'raul', 'ural'], 'rauli': ['rauli', 'urali', 'urial'], 'raun': ['raun', 'uran', 'urna'], 'raunge': ['nauger', 'raunge', 'ungear'], 'rave': ['aver', 'rave', 'vare', 'vera'], 'ravel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'ravelin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'ravelly': ['ravelly', 'valeryl'], 'ravendom': ['overdamn', 'ravendom'], 'ravenelia': ['ravenelia', 'veneralia'], 'ravenish': ['enravish', 'ravenish', 'vanisher'], 'ravi': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'ravigote': ['ravigote', 'rogative'], 'ravin': ['invar', 'ravin', 'vanir'], 'ravine': ['averin', 'ravine'], 'ravined': ['invader', 'ravined', 'viander'], 'raving': ['grivna', 'raving'], 'ravissant': ['ravissant', 'srivatsan'], 'raw': ['raw', 'war'], 'rawboned': ['downbear', 'rawboned'], 'rawish': ['rawish', 'wairsh', 'warish'], 'rax': ['arx', 'rax'], 'ray': ['ary', 'ray', 'yar'], 'raya': ['arya', 'raya'], 'rayan': ['aryan', 'nayar', 'rayan'], 'rayed': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'raylet': ['lyrate', 'raylet', 'realty', 'telary'], 'rayonnance': ['annoyancer', 'rayonnance'], 'raze': ['ezra', 'raze'], 're': ['er', 're'], 'rea': ['aer', 'are', 'ear', 'era', 'rea'], 'reaal': ['areal', 'reaal'], 'reabandon': ['abandoner', 'reabandon'], 'reabolish': ['abolisher', 'reabolish'], 'reabsent': ['absenter', 'reabsent'], 'reabsorb': ['absorber', 'reabsorb'], 'reaccession': ['accessioner', 'reaccession'], 'reaccomplish': ['accomplisher', 'reaccomplish'], 'reaccord': ['accorder', 'reaccord'], 'reaccost': ['ectosarc', 'reaccost'], 'reach': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'reachieve': ['echeveria', 'reachieve'], 'react': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'reactance': ['cancerate', 'reactance'], 'reaction': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'reactional': ['creational', 'crotalinae', 'laceration', 'reactional'], 'reactionary': ['creationary', 'reactionary'], 'reactionism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'reactionist': ['creationist', 'reactionist'], 'reactive': ['creative', 'reactive'], 'reactively': ['creatively', 'reactively'], 'reactiveness': ['creativeness', 'reactiveness'], 'reactivity': ['creativity', 'reactivity'], 'reactor': ['creator', 'reactor'], 'read': ['ared', 'daer', 'dare', 'dear', 'read'], 'readapt': ['adapter', 'predata', 'readapt'], 'readd': ['adder', 'dread', 'readd'], 'readdress': ['addresser', 'readdress'], 'reader': ['reader', 'redare', 'reread'], 'reading': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'readjust': ['adjuster', 'readjust'], 'readopt': ['adopter', 'protead', 'readopt'], 'readorn': ['adorner', 'readorn'], 'ready': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'reaffect': ['affecter', 'reaffect'], 'reaffirm': ['affirmer', 'reaffirm'], 'reafflict': ['afflicter', 'reafflict'], 'reagent': ['grantee', 'greaten', 'reagent', 'rentage'], 'reagin': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'reak': ['rake', 'reak'], 'real': ['earl', 'eral', 'lear', 'real'], 'reales': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'realest': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'realign': ['aligner', 'engrail', 'realign', 'reginal'], 'realignment': ['engrailment', 'realignment'], 'realism': ['mislear', 'realism'], 'realist': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'realistic': ['eristical', 'realistic'], 'reality': ['irately', 'reality'], 'realive': ['realive', 'valerie'], 'realization': ['rationalize', 'realization'], 'reallot': ['reallot', 'rotella', 'tallero'], 'reallow': ['allower', 'reallow'], 'reallude': ['laureled', 'reallude'], 'realmlet': ['realmlet', 'tremella'], 'realter': ['alterer', 'realter', 'relater'], 'realtor': ['realtor', 'relator'], 'realty': ['lyrate', 'raylet', 'realty', 'telary'], 'ream': ['erma', 'mare', 'rame', 'ream'], 'reamage': ['megaera', 'reamage'], 'reamass': ['amasser', 'reamass'], 'reamend': ['amender', 'meander', 'reamend', 'reedman'], 'reamer': ['marree', 'reamer'], 'reamuse': ['measure', 'reamuse'], 'reamy': ['mayer', 'reamy'], 'reanchor': ['anchorer', 'ranchero', 'reanchor'], 'reanneal': ['annealer', 'lernaean', 'reanneal'], 'reannex': ['annexer', 'reannex'], 'reannoy': ['annoyer', 'reannoy'], 'reanoint': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'reanswer': ['answerer', 'reanswer'], 'reanvil': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'reap': ['aper', 'pare', 'pear', 'rape', 'reap'], 'reapdole': ['leoparde', 'reapdole'], 'reappeal': ['appealer', 'reappeal'], 'reappear': ['appearer', 'rapparee', 'reappear'], 'reapplaud': ['applauder', 'reapplaud'], 'reappoint': ['appointer', 'reappoint'], 'reapportion': ['apportioner', 'reapportion'], 'reapprehend': ['apprehender', 'reapprehend'], 'reapproach': ['approacher', 'reapproach'], 'rear': ['rare', 'rear'], 'reargue': ['augerer', 'reargue'], 'reargument': ['garmenture', 'reargument'], 'rearise': ['rearise', 'reraise'], 'rearm': ['armer', 'rearm'], 'rearray': ['arrayer', 'rearray'], 'rearrest': ['arrester', 'rearrest'], 'reascend': ['ascender', 'reascend'], 'reascent': ['reascent', 'sarcenet'], 'reascertain': ['ascertainer', 'reascertain', 'secretarian'], 'reask': ['asker', 'reask', 'saker', 'sekar'], 'reason': ['arseno', 'reason'], 'reassail': ['assailer', 'reassail'], 'reassault': ['assaulter', 'reassault', 'saleratus'], 'reassay': ['assayer', 'reassay'], 'reassent': ['assenter', 'reassent', 'sarsenet'], 'reassert': ['asserter', 'reassert'], 'reassign': ['assigner', 'reassign'], 'reassist': ['assister', 'reassist'], 'reassort': ['assertor', 'assorter', 'oratress', 'reassort'], 'reastonish': ['astonisher', 'reastonish', 'treasonish'], 'reasty': ['atresy', 'estray', 'reasty', 'stayer'], 'reasy': ['reasy', 'resay', 'sayer', 'seary'], 'reattach': ['attacher', 'reattach'], 'reattack': ['attacker', 'reattack'], 'reattain': ['attainer', 'reattain', 'tertiana'], 'reattempt': ['attempter', 'reattempt'], 'reattend': ['attender', 'nattered', 'reattend'], 'reattest': ['attester', 'reattest'], 'reattract': ['attracter', 'reattract'], 'reattraction': ['reattraction', 'retractation'], 'reatus': ['auster', 'reatus'], 'reavail': ['reavail', 'valeria'], 'reave': ['eaver', 'reave'], 'reavoid': ['avodire', 'avoider', 'reavoid'], 'reavouch': ['avoucher', 'reavouch'], 'reavow': ['avower', 'reavow'], 'reawait': ['awaiter', 'reawait'], 'reawaken': ['awakener', 'reawaken'], 'reaward': ['awarder', 'reaward'], 'reb': ['ber', 'reb'], 'rebab': ['barbe', 'bebar', 'breba', 'rebab'], 'reback': ['backer', 'reback'], 'rebag': ['bagre', 'barge', 'begar', 'rebag'], 'rebait': ['baiter', 'barite', 'rebait', 'terbia'], 'rebake': ['beaker', 'berake', 'rebake'], 'reballast': ['ballaster', 'reballast'], 'reballot': ['balloter', 'reballot'], 'reban': ['abner', 'arneb', 'reban'], 'rebanish': ['banisher', 'rebanish'], 'rebar': ['barer', 'rebar'], 'rebargain': ['bargainer', 'rebargain'], 'rebasis': ['brassie', 'rebasis'], 'rebate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebater': ['rebater', 'terebra'], 'rebathe': ['breathe', 'rebathe'], 'rebato': ['boater', 'borate', 'rebato'], 'rebawl': ['bawler', 'brelaw', 'rebawl', 'warble'], 'rebear': ['bearer', 'rebear'], 'rebeat': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebeck': ['becker', 'rebeck'], 'rebed': ['brede', 'breed', 'rebed'], 'rebeg': ['gerbe', 'grebe', 'rebeg'], 'rebeggar': ['beggarer', 'rebeggar'], 'rebegin': ['bigener', 'rebegin'], 'rebehold': ['beholder', 'rebehold'], 'rebellow': ['bellower', 'rebellow'], 'rebelly': ['bellyer', 'rebelly'], 'rebelong': ['belonger', 'rebelong'], 'rebend': ['bender', 'berend', 'rebend'], 'rebenefit': ['benefiter', 'rebenefit'], 'rebeset': ['besteer', 'rebeset'], 'rebestow': ['bestower', 'rebestow'], 'rebetray': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'rebewail': ['bewailer', 'rebewail'], 'rebia': ['barie', 'beira', 'erbia', 'rebia'], 'rebias': ['braise', 'rabies', 'rebias'], 'rebid': ['bider', 'bredi', 'bride', 'rebid'], 'rebill': ['biller', 'rebill'], 'rebillet': ['billeter', 'rebillet'], 'rebind': ['binder', 'inbred', 'rebind'], 'rebirth': ['brither', 'rebirth'], 'rebite': ['bertie', 'betire', 'rebite'], 'reblade': ['bleared', 'reblade'], 'reblast': ['blaster', 'reblast', 'stabler'], 'rebleach': ['bleacher', 'rebleach'], 'reblend': ['blender', 'reblend'], 'rebless': ['blesser', 'rebless'], 'reblock': ['blocker', 'brockle', 'reblock'], 'rebloom': ['bloomer', 'rebloom'], 'reblot': ['bolter', 'orblet', 'reblot', 'rebolt'], 'reblow': ['blower', 'bowler', 'reblow', 'worble'], 'reblue': ['brulee', 'burele', 'reblue'], 'rebluff': ['bluffer', 'rebluff'], 'reblunder': ['blunderer', 'reblunder'], 'reboant': ['baronet', 'reboant'], 'reboantic': ['bicornate', 'carbonite', 'reboantic'], 'reboard': ['arbored', 'boarder', 'reboard'], 'reboast': ['barotse', 'boaster', 'reboast', 'sorbate'], 'reboil': ['boiler', 'reboil'], 'rebold': ['belord', 'bordel', 'rebold'], 'rebolt': ['bolter', 'orblet', 'reblot', 'rebolt'], 'rebone': ['boreen', 'enrobe', 'neebor', 'rebone'], 'rebook': ['booker', 'brooke', 'rebook'], 'rebop': ['probe', 'rebop'], 'rebore': ['rebore', 'rerobe'], 'reborrow': ['borrower', 'reborrow'], 'rebound': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'rebounder': ['rebounder', 'underrobe'], 'rebox': ['boxer', 'rebox'], 'rebrace': ['cerebra', 'rebrace'], 'rebraid': ['braider', 'rebraid'], 'rebranch': ['brancher', 'rebranch'], 'rebrand': ['bernard', 'brander', 'rebrand'], 'rebrandish': ['brandisher', 'rebrandish'], 'rebreed': ['breeder', 'rebreed'], 'rebrew': ['brewer', 'rebrew'], 'rebribe': ['berberi', 'rebribe'], 'rebring': ['bringer', 'rebring'], 'rebroach': ['broacher', 'rebroach'], 'rebroadcast': ['broadcaster', 'rebroadcast'], 'rebrown': ['browner', 'rebrown'], 'rebrush': ['brusher', 'rebrush'], 'rebud': ['bedur', 'rebud', 'redub'], 'rebudget': ['budgeter', 'rebudget'], 'rebuff': ['buffer', 'rebuff'], 'rebuffet': ['buffeter', 'rebuffet'], 'rebuild': ['builder', 'rebuild'], 'rebulk': ['bulker', 'rebulk'], 'rebunch': ['buncher', 'rebunch'], 'rebundle': ['blendure', 'rebundle'], 'reburden': ['burdener', 'reburden'], 'reburn': ['burner', 'reburn'], 'reburnish': ['burnisher', 'reburnish'], 'reburst': ['burster', 'reburst'], 'rebus': ['burse', 'rebus', 'suber'], 'rebush': ['busher', 'rebush'], 'rebut': ['brute', 'buret', 'rebut', 'tuber'], 'rebute': ['rebute', 'retube'], 'rebuttal': ['burletta', 'rebuttal'], 'rebutton': ['buttoner', 'rebutton'], 'rebuy': ['buyer', 'rebuy'], 'recalk': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'recall': ['caller', 'cellar', 'recall'], 'recampaign': ['campaigner', 'recampaign'], 'recancel': ['canceler', 'clarence', 'recancel'], 'recant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'recantation': ['recantation', 'triacontane'], 'recanter': ['canterer', 'recanter', 'recreant', 'terrance'], 'recap': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'recaption': ['preaction', 'precation', 'recaption'], 'recarpet': ['pretrace', 'recarpet'], 'recart': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'recase': ['cesare', 'crease', 'recase', 'searce'], 'recash': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'recast': ['carest', 'caster', 'recast'], 'recatch': ['catcher', 'recatch'], 'recede': ['decree', 'recede'], 'recedent': ['centered', 'decenter', 'decentre', 'recedent'], 'receder': ['decreer', 'receder'], 'receipt': ['ereptic', 'precite', 'receipt'], 'receiptor': ['procerite', 'receiptor'], 'receivables': ['receivables', 'serviceable'], 'received': ['deceiver', 'received'], 'recement': ['cementer', 'cerement', 'recement'], 'recension': ['ninescore', 'recension'], 'recensionist': ['intercession', 'recensionist'], 'recent': ['center', 'recent', 'tenrec'], 'recenter': ['centerer', 'recenter', 'recentre', 'terrence'], 'recentre': ['centerer', 'recenter', 'recentre', 'terrence'], 'reception': ['prenotice', 'reception'], 'receptoral': ['praelector', 'receptoral'], 'recess': ['cesser', 'recess'], 'rechain': ['chainer', 'enchair', 'rechain'], 'rechal': ['rachel', 'rechal'], 'rechamber': ['chamberer', 'rechamber'], 'rechange': ['encharge', 'rechange'], 'rechant': ['chanter', 'rechant'], 'rechar': ['archer', 'charer', 'rechar'], 'recharter': ['charterer', 'recharter'], 'rechase': ['archsee', 'rechase'], 'rechaser': ['rechaser', 'research', 'searcher'], 'rechasten': ['chastener', 'rechasten'], 'rechaw': ['chawer', 'rechaw'], 'recheat': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'recheck': ['checker', 'recheck'], 'recheer': ['cheerer', 'recheer'], 'rechew': ['chewer', 'rechew'], 'rechip': ['cipher', 'rechip'], 'rechisel': ['chiseler', 'rechisel'], 'rechristen': ['christener', 'rechristen'], 'rechuck': ['chucker', 'rechuck'], 'recidivous': ['recidivous', 'veridicous'], 'recipe': ['piecer', 'pierce', 'recipe'], 'recipiend': ['perdicine', 'recipiend'], 'recipient': ['princeite', 'recipient'], 'reciprocate': ['carpocerite', 'reciprocate'], 'recirculate': ['clericature', 'recirculate'], 'recision': ['recision', 'soricine'], 'recital': ['article', 'recital'], 'recitativo': ['recitativo', 'victoriate'], 'recite': ['cerite', 'certie', 'recite', 'tierce'], 'recitement': ['centimeter', 'recitement', 'remittence'], 'reckla': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'reckless': ['clerkess', 'reckless'], 'reckling': ['clerking', 'reckling'], 'reckon': ['conker', 'reckon'], 'reclaim': ['claimer', 'miracle', 'reclaim'], 'reclaimer': ['calmierer', 'reclaimer'], 'reclama': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'reclang': ['cangler', 'glancer', 'reclang'], 'reclasp': ['clasper', 'reclasp', 'scalper'], 'reclass': ['carless', 'classer', 'reclass'], 'reclean': ['cleaner', 'reclean'], 'reclear': ['clearer', 'reclear'], 'reclimb': ['climber', 'reclimb'], 'reclinate': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'reclinated': ['credential', 'interlaced', 'reclinated'], 'recluse': ['luceres', 'recluse'], 'recluseness': ['censureless', 'recluseness'], 'reclusion': ['cornelius', 'inclosure', 'reclusion'], 'reclusive': ['reclusive', 'versicule'], 'recoach': ['caroche', 'coacher', 'recoach'], 'recoal': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'recoast': ['coaster', 'recoast'], 'recoat': ['coater', 'recoat'], 'recock': ['cocker', 'recock'], 'recoil': ['coiler', 'recoil'], 'recoilment': ['clinometer', 'recoilment'], 'recoin': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'recoinage': ['aerogenic', 'recoinage'], 'recollate': ['electoral', 'recollate'], 'recollation': ['collationer', 'recollation'], 'recollection': ['collectioner', 'recollection'], 'recollet': ['colleter', 'coteller', 'coterell', 'recollet'], 'recolor': ['colorer', 'recolor'], 'recomb': ['comber', 'recomb'], 'recomfort': ['comforter', 'recomfort'], 'recommand': ['commander', 'recommand'], 'recommend': ['commender', 'recommend'], 'recommission': ['commissioner', 'recommission'], 'recompact': ['compacter', 'recompact'], 'recompass': ['compasser', 'recompass'], 'recompetition': ['competitioner', 'recompetition'], 'recomplain': ['complainer', 'procnemial', 'recomplain'], 'recompound': ['compounder', 'recompound'], 'recomprehend': ['comprehender', 'recomprehend'], 'recon': ['coner', 'crone', 'recon'], 'reconceal': ['concealer', 'reconceal'], 'reconcert': ['concreter', 'reconcert'], 'reconcession': ['concessioner', 'reconcession'], 'reconcoct': ['concocter', 'reconcoct'], 'recondemn': ['condemner', 'recondemn'], 'recondensation': ['nondesecration', 'recondensation'], 'recondition': ['conditioner', 'recondition'], 'reconfer': ['confrere', 'enforcer', 'reconfer'], 'reconfess': ['confesser', 'reconfess'], 'reconfirm': ['confirmer', 'reconfirm'], 'reconform': ['conformer', 'reconform'], 'reconfound': ['confounder', 'reconfound'], 'reconfront': ['confronter', 'reconfront'], 'recongeal': ['congealer', 'recongeal'], 'reconjoin': ['conjoiner', 'reconjoin'], 'reconnect': ['concenter', 'reconnect'], 'reconnoiter': ['reconnoiter', 'reconnoitre'], 'reconnoitre': ['reconnoiter', 'reconnoitre'], 'reconsent': ['consenter', 'nonsecret', 'reconsent'], 'reconsider': ['considerer', 'reconsider'], 'reconsign': ['consigner', 'reconsign'], 'reconstitution': ['constitutioner', 'reconstitution'], 'reconstruct': ['constructer', 'reconstruct'], 'reconsult': ['consulter', 'reconsult'], 'recontend': ['contender', 'recontend'], 'recontest': ['contester', 'recontest'], 'recontinue': ['recontinue', 'unctioneer'], 'recontract': ['contracter', 'correctant', 'recontract'], 'reconvention': ['conventioner', 'reconvention'], 'reconvert': ['converter', 'reconvert'], 'reconvey': ['conveyer', 'reconvey'], 'recook': ['cooker', 'recook'], 'recool': ['cooler', 'recool'], 'recopper': ['copperer', 'recopper'], 'recopyright': ['copyrighter', 'recopyright'], 'record': ['corder', 'record'], 'recordation': ['corrodentia', 'recordation'], 'recork': ['corker', 'recork', 'rocker'], 'recorrection': ['correctioner', 'recorrection'], 'recorrupt': ['corrupter', 'recorrupt'], 'recounsel': ['enclosure', 'recounsel'], 'recount': ['cornute', 'counter', 'recount', 'trounce'], 'recountal': ['nucleator', 'recountal'], 'recoup': ['couper', 'croupe', 'poucer', 'recoup'], 'recourse': ['recourse', 'resource'], 'recover': ['coverer', 'recover'], 'recramp': ['cramper', 'recramp'], 'recrank': ['cranker', 'recrank'], 'recrate': ['caterer', 'recrate', 'retrace', 'terrace'], 'recreant': ['canterer', 'recanter', 'recreant', 'terrance'], 'recredit': ['cedriret', 'directer', 'recredit', 'redirect'], 'recrew': ['crewer', 'recrew'], 'recrimination': ['intermorainic', 'recrimination'], 'recroon': ['coroner', 'crooner', 'recroon'], 'recross': ['crosser', 'recross'], 'recrowd': ['crowder', 'recrowd'], 'recrown': ['crowner', 'recrown'], 'recrudency': ['decurrency', 'recrudency'], 'recruital': ['curtailer', 'recruital', 'reticular'], 'recrush': ['crusher', 'recrush'], 'recta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'rectal': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'rectalgia': ['cartilage', 'rectalgia'], 'recti': ['citer', 'recti', 'ticer', 'trice'], 'rectifiable': ['certifiable', 'rectifiable'], 'rectification': ['certification', 'cretification', 'rectification'], 'rectificative': ['certificative', 'rectificative'], 'rectificator': ['certificator', 'rectificator'], 'rectificatory': ['certificatory', 'rectificatory'], 'rectified': ['certified', 'rectified'], 'rectifier': ['certifier', 'rectifier'], 'rectify': ['certify', 'cretify', 'rectify'], 'rection': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'rectitude': ['certitude', 'rectitude'], 'rectoress': ['crosstree', 'rectoress'], 'rectorship': ['cristopher', 'rectorship'], 'rectotome': ['octometer', 'rectotome', 'tocometer'], 'rectovesical': ['rectovesical', 'vesicorectal'], 'recur': ['curer', 'recur'], 'recurl': ['curler', 'recurl'], 'recurse': ['recurse', 'rescuer', 'securer'], 'recurtain': ['recurtain', 'unerratic'], 'recurvation': ['countervair', 'overcurtain', 'recurvation'], 'recurvous': ['recurvous', 'verrucous'], 'recusance': ['recusance', 'securance'], 'recusant': ['etruscan', 'recusant'], 'recusation': ['nectarious', 'recusation'], 'recusator': ['craterous', 'recusator'], 'recuse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'recut': ['cruet', 'eruct', 'recut', 'truce'], 'red': ['erd', 'red'], 'redact': ['cedrat', 'decart', 'redact'], 'redaction': ['citronade', 'endaortic', 'redaction'], 'redactional': ['declaration', 'redactional'], 'redamage': ['dreamage', 'redamage'], 'redan': ['andre', 'arend', 'daren', 'redan'], 'redare': ['reader', 'redare', 'reread'], 'redarken': ['darkener', 'redarken'], 'redarn': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'redart': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'redate': ['derate', 'redate'], 'redaub': ['dauber', 'redaub'], 'redawn': ['andrew', 'redawn', 'wander', 'warden'], 'redbait': ['redbait', 'tribade'], 'redbud': ['budder', 'redbud'], 'redcoat': ['cordate', 'decator', 'redcoat'], 'redden': ['nedder', 'redden'], 'reddingite': ['digredient', 'reddingite'], 'rede': ['deer', 'dere', 'dree', 'rede', 'reed'], 'redeal': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'redeck': ['decker', 'redeck'], 'redeed': ['redeed', 'reeded'], 'redeem': ['deemer', 'meered', 'redeem', 'remede'], 'redefault': ['defaulter', 'redefault'], 'redefeat': ['defeater', 'federate', 'redefeat'], 'redefine': ['needfire', 'redefine'], 'redeflect': ['redeflect', 'reflected'], 'redelay': ['delayer', 'layered', 'redelay'], 'redeliver': ['deliverer', 'redeliver'], 'redemand': ['demander', 'redemand'], 'redemolish': ['demolisher', 'redemolish'], 'redeny': ['redeny', 'yender'], 'redepend': ['depender', 'redepend'], 'redeprive': ['prederive', 'redeprive'], 'rederivation': ['rederivation', 'veratroidine'], 'redescend': ['descender', 'redescend'], 'redescription': ['prediscretion', 'redescription'], 'redesign': ['designer', 'redesign', 'resigned'], 'redesman': ['redesman', 'seamrend'], 'redetect': ['detecter', 'redetect'], 'redevelop': ['developer', 'redevelop'], 'redfin': ['finder', 'friend', 'redfin', 'refind'], 'redhoop': ['redhoop', 'rhodope'], 'redia': ['aider', 'deair', 'irade', 'redia'], 'redient': ['nitered', 'redient', 'teinder'], 'redig': ['dirge', 'gride', 'redig', 'ridge'], 'redigest': ['digester', 'redigest'], 'rediminish': ['diminisher', 'rediminish'], 'redintegrator': ['redintegrator', 'retrogradient'], 'redip': ['pride', 'pried', 'redip'], 'redirect': ['cedriret', 'directer', 'recredit', 'redirect'], 'redisable': ['desirable', 'redisable'], 'redisappear': ['disappearer', 'redisappear'], 'rediscount': ['discounter', 'rediscount'], 'rediscover': ['discoverer', 'rediscover'], 'rediscuss': ['discusser', 'rediscuss'], 'redispatch': ['dispatcher', 'redispatch'], 'redisplay': ['displayer', 'redisplay'], 'redispute': ['disrepute', 'redispute'], 'redistend': ['dendrites', 'distender', 'redistend'], 'redistill': ['distiller', 'redistill'], 'redistinguish': ['distinguisher', 'redistinguish'], 'redistrain': ['distrainer', 'redistrain'], 'redisturb': ['disturber', 'redisturb'], 'redive': ['derive', 'redive'], 'redivert': ['diverter', 'redivert', 'verditer'], 'redleg': ['gelder', 'ledger', 'redleg'], 'redlegs': ['redlegs', 'sledger'], 'redo': ['doer', 'redo', 'rode', 'roed'], 'redock': ['corked', 'docker', 'redock'], 'redolent': ['redolent', 'rondelet'], 'redoom': ['doomer', 'mooder', 'redoom', 'roomed'], 'redoubling': ['bouldering', 'redoubling'], 'redoubt': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'redound': ['redound', 'rounded', 'underdo'], 'redowa': ['redowa', 'woader'], 'redraft': ['drafter', 'redraft'], 'redrag': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'redraw': ['drawer', 'redraw', 'reward', 'warder'], 'redrawer': ['redrawer', 'rewarder', 'warderer'], 'redream': ['dreamer', 'redream'], 'redress': ['dresser', 'redress'], 'redrill': ['driller', 'redrill'], 'redrive': ['deriver', 'redrive', 'rivered'], 'redry': ['derry', 'redry', 'ryder'], 'redtail': ['dilater', 'lardite', 'redtail'], 'redtop': ['deport', 'ported', 'redtop'], 'redub': ['bedur', 'rebud', 'redub'], 'reductant': ['reductant', 'traducent', 'truncated'], 'reduction': ['introduce', 'reduction'], 'reductional': ['radiolucent', 'reductional'], 'redue': ['redue', 'urdee'], 'redunca': ['durance', 'redunca', 'unraced'], 'redwithe': ['redwithe', 'withered'], 'redye': ['redye', 'reedy'], 'ree': ['eer', 'ere', 'ree'], 'reechy': ['cheery', 'reechy'], 'reed': ['deer', 'dere', 'dree', 'rede', 'reed'], 'reeded': ['redeed', 'reeded'], 'reeden': ['endere', 'needer', 'reeden'], 'reedily': ['reedily', 'reyield', 'yielder'], 'reeding': ['energid', 'reeding'], 'reedling': ['engirdle', 'reedling'], 'reedman': ['amender', 'meander', 'reamend', 'reedman'], 'reedwork': ['reedwork', 'reworked'], 'reedy': ['redye', 'reedy'], 'reef': ['feer', 'free', 'reef'], 'reefing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'reek': ['eker', 'reek'], 'reel': ['leer', 'reel'], 'reeler': ['reeler', 'rereel'], 'reelingly': ['leeringly', 'reelingly'], 'reem': ['mere', 'reem'], 'reeming': ['reeming', 'regimen'], 'reen': ['erne', 'neer', 'reen'], 'reenge': ['neeger', 'reenge', 'renege'], 'rees': ['erse', 'rees', 'seer', 'sere'], 'reese': ['esere', 'reese', 'resee'], 'reesk': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'reest': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'reester': ['reester', 'steerer'], 'reestle': ['reestle', 'resteel', 'steeler'], 'reesty': ['reesty', 'yester'], 'reet': ['reet', 'teer', 'tree'], 'reetam': ['reetam', 'retame', 'teamer'], 'reeveland': ['landreeve', 'reeveland'], 'refall': ['faller', 'refall'], 'refashion': ['fashioner', 'refashion'], 'refasten': ['fastener', 'fenestra', 'refasten'], 'refavor': ['favorer', 'overfar', 'refavor'], 'refeed': ['feeder', 'refeed'], 'refeel': ['feeler', 'refeel', 'reflee'], 'refeign': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'refel': ['fleer', 'refel'], 'refer': ['freer', 'refer'], 'referment': ['fermenter', 'referment'], 'refetch': ['fetcher', 'refetch'], 'refight': ['fighter', 'freight', 'refight'], 'refill': ['filler', 'refill'], 'refilter': ['filterer', 'refilter'], 'refinable': ['inferable', 'refinable'], 'refind': ['finder', 'friend', 'redfin', 'refind'], 'refine': ['ferine', 'refine'], 'refined': ['definer', 'refined'], 'refiner': ['refiner', 'reinfer'], 'refinger': ['fingerer', 'refinger'], 'refining': ['infringe', 'refining'], 'refinish': ['finisher', 'refinish'], 'refit': ['freit', 'refit'], 'refix': ['fixer', 'refix'], 'reflash': ['flasher', 'reflash'], 'reflected': ['redeflect', 'reflected'], 'reflee': ['feeler', 'refeel', 'reflee'], 'refling': ['ferling', 'flinger', 'refling'], 'refloat': ['floater', 'florate', 'refloat'], 'reflog': ['golfer', 'reflog'], 'reflood': ['flooder', 'reflood'], 'refloor': ['floorer', 'refloor'], 'reflourish': ['flourisher', 'reflourish'], 'reflow': ['flower', 'fowler', 'reflow', 'wolfer'], 'reflower': ['flowerer', 'reflower'], 'reflush': ['flusher', 'reflush'], 'reflux': ['fluxer', 'reflux'], 'refluxed': ['flexured', 'refluxed'], 'refly': ['ferly', 'flyer', 'refly'], 'refocus': ['focuser', 'refocus'], 'refold': ['folder', 'refold'], 'refoment': ['fomenter', 'refoment'], 'refoot': ['footer', 'refoot'], 'reforecast': ['forecaster', 'reforecast'], 'reforest': ['forester', 'fosterer', 'reforest'], 'reforfeit': ['forfeiter', 'reforfeit'], 'reform': ['former', 'reform'], 'reformado': ['doorframe', 'reformado'], 'reformed': ['deformer', 'reformed'], 'reformism': ['misreform', 'reformism'], 'reformist': ['reformist', 'restiform'], 'reforward': ['forwarder', 'reforward'], 'refound': ['founder', 'refound'], 'refoundation': ['foundationer', 'refoundation'], 'refreshen': ['freshener', 'refreshen'], 'refrighten': ['frightener', 'refrighten'], 'refront': ['fronter', 'refront'], 'reft': ['fret', 'reft', 'tref'], 'refuel': ['ferule', 'fueler', 'refuel'], 'refund': ['funder', 'refund'], 'refurbish': ['furbisher', 'refurbish'], 'refurl': ['furler', 'refurl'], 'refurnish': ['furnisher', 'refurnish'], 'refusingly': ['refusingly', 'syringeful'], 'refutal': ['faulter', 'refutal', 'tearful'], 'refute': ['fuerte', 'refute'], 'reg': ['erg', 'ger', 'reg'], 'regain': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'regal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'regalia': ['lairage', 'railage', 'regalia'], 'regalian': ['algerian', 'geranial', 'regalian'], 'regalist': ['glaister', 'regalist'], 'regallop': ['galloper', 'regallop'], 'regally': ['allergy', 'gallery', 'largely', 'regally'], 'regalness': ['largeness', 'rangeless', 'regalness'], 'regard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'regarnish': ['garnisher', 'regarnish'], 'regather': ['gatherer', 'regather'], 'regatta': ['garetta', 'rattage', 'regatta'], 'regelate': ['eglatere', 'regelate', 'relegate'], 'regelation': ['regelation', 'relegation'], 'regenesis': ['energesis', 'regenesis'], 'regent': ['gerent', 'regent'], 'reges': ['reges', 'serge'], 'reget': ['egret', 'greet', 'reget'], 'regga': ['agger', 'gager', 'regga'], 'reggie': ['greige', 'reggie'], 'regia': ['geira', 'regia'], 'regild': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'regill': ['giller', 'grille', 'regill'], 'regimen': ['reeming', 'regimen'], 'regimenal': ['margeline', 'regimenal'], 'regin': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reginal': ['aligner', 'engrail', 'realign', 'reginal'], 'reginald': ['dragline', 'reginald', 'ringlead'], 'region': ['ignore', 'region'], 'regional': ['geraniol', 'regional'], 'registered': ['deregister', 'registered'], 'registerer': ['registerer', 'reregister'], 'regive': ['grieve', 'regive'], 'regladden': ['gladdener', 'glandered', 'regladden'], 'reglair': ['grailer', 'reglair'], 'regle': ['leger', 'regle'], 'reglet': ['gretel', 'reglet'], 'regloss': ['glosser', 'regloss'], 'reglove': ['overleg', 'reglove'], 'reglow': ['glower', 'reglow'], 'regma': ['grame', 'marge', 'regma'], 'regnal': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'regraft': ['grafter', 'regraft'], 'regrant': ['granter', 'regrant'], 'regrasp': ['grasper', 'regrasp', 'sparger'], 'regrass': ['grasser', 'regrass'], 'regrate': ['greater', 'regrate', 'terrage'], 'regrating': ['gartering', 'regrating'], 'regrator': ['garroter', 'regrator'], 'regreen': ['greener', 'regreen', 'reneger'], 'regreet': ['greeter', 'regreet'], 'regrind': ['grinder', 'regrind'], 'regrinder': ['derringer', 'regrinder'], 'regrip': ['griper', 'regrip'], 'regroup': ['grouper', 'regroup'], 'regrow': ['grower', 'regrow'], 'reguard': ['guarder', 'reguard'], 'regula': ['ragule', 'regula'], 'regulation': ['regulation', 'urogenital'], 'reguli': ['ligure', 'reguli'], 'regur': ['regur', 'urger'], 'regush': ['gusher', 'regush'], 'reh': ['her', 'reh', 'rhe'], 'rehale': ['healer', 'rehale', 'reheal'], 'rehallow': ['hallower', 'rehallow'], 'rehammer': ['hammerer', 'rehammer'], 'rehang': ['hanger', 'rehang'], 'reharden': ['hardener', 'reharden'], 'reharm': ['harmer', 'reharm'], 'reharness': ['harnesser', 'reharness'], 'reharrow': ['harrower', 'reharrow'], 'reharvest': ['harvester', 'reharvest'], 'rehash': ['hasher', 'rehash'], 'rehaul': ['hauler', 'rehaul'], 'rehazard': ['hazarder', 'rehazard'], 'rehead': ['adhere', 'header', 'hedera', 'rehead'], 'reheal': ['healer', 'rehale', 'reheal'], 'reheap': ['heaper', 'reheap'], 'rehear': ['hearer', 'rehear'], 'rehearser': ['rehearser', 'reshearer'], 'rehearten': ['heartener', 'rehearten'], 'reheat': ['heater', 'hereat', 'reheat'], 'reheel': ['heeler', 'reheel'], 'reheighten': ['heightener', 'reheighten'], 'rehoist': ['hoister', 'rehoist'], 'rehollow': ['hollower', 'rehollow'], 'rehonor': ['honorer', 'rehonor'], 'rehook': ['hooker', 'rehook'], 'rehoop': ['hooper', 'rehoop'], 'rehung': ['hunger', 'rehung'], 'reid': ['dier', 'dire', 'reid', 'ride'], 'reif': ['fire', 'reif', 'rife'], 'reify': ['fiery', 'reify'], 'reign': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reignore': ['erigeron', 'reignore'], 'reillustrate': ['reillustrate', 'ultrasterile'], 'reim': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'reimbody': ['embryoid', 'reimbody'], 'reimpart': ['imparter', 'reimpart'], 'reimplant': ['implanter', 'reimplant'], 'reimply': ['primely', 'reimply'], 'reimport': ['importer', 'promerit', 'reimport'], 'reimpose': ['perisome', 'promisee', 'reimpose'], 'reimpress': ['impresser', 'reimpress'], 'reimpression': ['reimpression', 'repermission'], 'reimprint': ['imprinter', 'reimprint'], 'reimprison': ['imprisoner', 'reimprison'], 'rein': ['neri', 'rein', 'rine'], 'reina': ['erian', 'irena', 'reina'], 'reincentive': ['internecive', 'reincentive'], 'reincite': ['icterine', 'reincite'], 'reincrudate': ['antireducer', 'reincrudate', 'untraceried'], 'reindeer': ['denierer', 'reindeer'], 'reindict': ['indicter', 'indirect', 'reindict'], 'reindue': ['reindue', 'uredine'], 'reinfect': ['frenetic', 'infecter', 'reinfect'], 'reinfer': ['refiner', 'reinfer'], 'reinfest': ['infester', 'reinfest'], 'reinflate': ['interleaf', 'reinflate'], 'reinflict': ['inflicter', 'reinflict'], 'reinform': ['informer', 'reinform', 'reniform'], 'reinhabit': ['inhabiter', 'reinhabit'], 'reins': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'reinsane': ['anserine', 'reinsane'], 'reinsert': ['inserter', 'reinsert'], 'reinsist': ['insister', 'reinsist', 'sinister', 'sisterin'], 'reinspect': ['prescient', 'reinspect'], 'reinspector': ['prosecretin', 'reinspector'], 'reinspirit': ['inspiriter', 'reinspirit'], 'reinstall': ['installer', 'reinstall'], 'reinstation': ['reinstation', 'santorinite'], 'reinstill': ['instiller', 'reinstill'], 'reinstruct': ['instructer', 'intercrust', 'reinstruct'], 'reinsult': ['insulter', 'lustrine', 'reinsult'], 'reintend': ['indenter', 'intender', 'reintend'], 'reinter': ['reinter', 'terrine'], 'reinterest': ['interester', 'reinterest'], 'reinterpret': ['interpreter', 'reinterpret'], 'reinterrupt': ['interrupter', 'reinterrupt'], 'reinterview': ['interviewer', 'reinterview'], 'reintrench': ['intrencher', 'reintrench'], 'reintrude': ['reintrude', 'unretired'], 'reinvent': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'reinvert': ['inverter', 'reinvert', 'trinerve'], 'reinvest': ['reinvest', 'servient'], 'reis': ['reis', 'rise', 'seri', 'sier', 'sire'], 'reit': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'reiter': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'reiterable': ['reiterable', 'reliberate'], 'rejail': ['jailer', 'rejail'], 'rejerk': ['jerker', 'rejerk'], 'rejoin': ['joiner', 'rejoin'], 'rejolt': ['jolter', 'rejolt'], 'rejourney': ['journeyer', 'rejourney'], 'reki': ['erik', 'kier', 'reki'], 'rekick': ['kicker', 'rekick'], 'rekill': ['killer', 'rekill'], 'rekiss': ['kisser', 'rekiss'], 'reknit': ['reknit', 'tinker'], 'reknow': ['knower', 'reknow', 'wroken'], 'rel': ['ler', 'rel'], 'relabel': ['labeler', 'relabel'], 'relace': ['alerce', 'cereal', 'relace'], 'relacquer': ['lacquerer', 'relacquer'], 'relade': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'reladen': ['leander', 'learned', 'reladen'], 'relais': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'relament': ['lamenter', 'relament', 'remantle'], 'relamp': ['lamper', 'palmer', 'relamp'], 'reland': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'relap': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'relapse': ['pleaser', 'preseal', 'relapse'], 'relapsing': ['espringal', 'presignal', 'relapsing'], 'relast': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'relata': ['latera', 'relata'], 'relatability': ['alterability', 'bilaterality', 'relatability'], 'relatable': ['alterable', 'relatable'], 'relatch': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'relate': ['earlet', 'elater', 'relate'], 'related': ['delater', 'related', 'treadle'], 'relater': ['alterer', 'realter', 'relater'], 'relation': ['oriental', 'relation', 'tirolean'], 'relationism': ['misrelation', 'orientalism', 'relationism'], 'relationist': ['orientalist', 'relationist'], 'relative': ['levirate', 'relative'], 'relativization': ['relativization', 'revitalization'], 'relativize': ['relativize', 'revitalize'], 'relator': ['realtor', 'relator'], 'relaunch': ['launcher', 'relaunch'], 'relay': ['early', 'layer', 'relay'], 'relead': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'releap': ['leaper', 'releap', 'repale', 'repeal'], 'relearn': ['learner', 'relearn'], 'releather': ['leatherer', 'releather', 'tarheeler'], 'relection': ['centriole', 'electrion', 'relection'], 'relegate': ['eglatere', 'regelate', 'relegate'], 'relegation': ['regelation', 'relegation'], 'relend': ['lender', 'relend'], 'reletter': ['letterer', 'reletter'], 'relevant': ['levanter', 'relevant', 'revelant'], 'relevation': ['relevation', 'revelation'], 'relevator': ['relevator', 'revelator', 'veratrole'], 'relevel': ['leveler', 'relevel'], 'reliably': ['beryllia', 'reliably'], 'reliance': ['cerealin', 'cinereal', 'reliance'], 'reliant': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'reliantly': ['interally', 'reliantly'], 'reliberate': ['reiterable', 'reliberate'], 'relic': ['crile', 'elric', 'relic'], 'relick': ['licker', 'relick', 'rickle'], 'relicted': ['derelict', 'relicted'], 'relier': ['lierre', 'relier'], 'relieving': ['inveigler', 'relieving'], 'relievo': ['overlie', 'relievo'], 'relift': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'religation': ['genitorial', 'religation'], 'relight': ['lighter', 'relight', 'rightle'], 'relighten': ['lightener', 'relighten', 'threeling'], 'religion': ['ligroine', 'religion'], 'relimit': ['limiter', 'relimit'], 'reline': ['lierne', 'reline'], 'relink': ['linker', 'relink'], 'relish': ['hirsel', 'hirsle', 'relish'], 'relishy': ['relishy', 'shirley'], 'relist': ['lister', 'relist'], 'relisten': ['enlister', 'esterlin', 'listener', 'relisten'], 'relive': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reload': ['loader', 'ordeal', 'reload'], 'reloan': ['lenora', 'loaner', 'orlean', 'reloan'], 'relocation': ['iconolater', 'relocation'], 'relock': ['locker', 'relock'], 'relook': ['looker', 'relook'], 'relose': ['relose', 'resole'], 'relost': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'relot': ['lerot', 'orlet', 'relot'], 'relower': ['lowerer', 'relower'], 'reluct': ['cutler', 'reluct'], 'reluctation': ['countertail', 'reluctation'], 'relumine': ['lemurine', 'meruline', 'relumine'], 'rely': ['lyre', 'rely'], 'remade': ['meader', 'remade'], 'remagnification': ['germanification', 'remagnification'], 'remagnify': ['germanify', 'remagnify'], 'remail': ['mailer', 'remail'], 'remain': ['ermani', 'marine', 'remain'], 'remains': ['remains', 'seminar'], 'remaintain': ['antimerina', 'maintainer', 'remaintain'], 'reman': ['enarm', 'namer', 'reman'], 'remand': ['damner', 'manred', 'randem', 'remand'], 'remanet': ['remanet', 'remeant', 'treeman'], 'remantle': ['lamenter', 'relament', 'remantle'], 'remap': ['amper', 'remap'], 'remarch': ['charmer', 'marcher', 'remarch'], 'remark': ['marker', 'remark'], 'remarket': ['marketer', 'remarket'], 'remarry': ['marryer', 'remarry'], 'remarshal': ['marshaler', 'remarshal'], 'remask': ['masker', 'remask'], 'remass': ['masser', 'remass'], 'remast': ['martes', 'master', 'remast', 'stream'], 'remasticate': ['metrectasia', 'remasticate'], 'rematch': ['matcher', 'rematch'], 'remeant': ['remanet', 'remeant', 'treeman'], 'remede': ['deemer', 'meered', 'redeem', 'remede'], 'remeet': ['meeter', 'remeet', 'teemer'], 'remelt': ['melter', 'remelt'], 'remend': ['mender', 'remend'], 'remetal': ['lameter', 'metaler', 'remetal'], 'remi': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'remication': ['marcionite', 'microtinae', 'remication'], 'remigate': ['emigrate', 'remigate'], 'remigation': ['emigration', 'remigation'], 'remill': ['miller', 'remill'], 'remind': ['minder', 'remind'], 'remint': ['minter', 'remint', 'termin'], 'remiped': ['demirep', 'epiderm', 'impeder', 'remiped'], 'remisrepresent': ['misrepresenter', 'remisrepresent'], 'remission': ['missioner', 'remission'], 'remisunderstand': ['misunderstander', 'remisunderstand'], 'remit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'remittal': ['remittal', 'termital'], 'remittance': ['carminette', 'remittance'], 'remittence': ['centimeter', 'recitement', 'remittence'], 'remitter': ['remitter', 'trimeter'], 'remix': ['mixer', 'remix'], 'remnant': ['manrent', 'remnant'], 'remock': ['mocker', 'remock'], 'remodel': ['demerol', 'modeler', 'remodel'], 'remold': ['dermol', 'molder', 'remold'], 'remontant': ['nonmatter', 'remontant'], 'remontoir': ['interroom', 'remontoir'], 'remop': ['merop', 'moper', 'proem', 'remop'], 'remora': ['remora', 'roamer'], 'remord': ['dormer', 'remord'], 'remote': ['meteor', 'remote'], 'remotive': ['overtime', 'remotive'], 'remould': ['remould', 'ruledom'], 'remount': ['monture', 'mounter', 'remount'], 'removable': ['overblame', 'removable'], 'remunerate': ['remunerate', 'renumerate'], 'remuneration': ['remuneration', 'renumeration'], 'remurmur': ['murmurer', 'remurmur'], 'remus': ['muser', 'remus', 'serum'], 'remuster': ['musterer', 'remuster'], 'renable': ['enabler', 'renable'], 'renably': ['blarney', 'renably'], 'renail': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'renaissance': ['necessarian', 'renaissance'], 'renal': ['learn', 'renal'], 'rename': ['enarme', 'meaner', 'rename'], 'renavigate': ['renavigate', 'vegetarian'], 'rend': ['dern', 'rend'], 'rendition': ['rendition', 'trinodine'], 'reneg': ['genre', 'green', 'neger', 'reneg'], 'renegadism': ['grandeeism', 'renegadism'], 'renegation': ['generation', 'renegation'], 'renege': ['neeger', 'reenge', 'renege'], 'reneger': ['greener', 'regreen', 'reneger'], 'reneglect': ['neglecter', 'reneglect'], 'renerve': ['renerve', 'venerer'], 'renes': ['renes', 'sneer'], 'renet': ['enter', 'neter', 'renet', 'terne', 'treen'], 'reniform': ['informer', 'reinform', 'reniform'], 'renilla': ['ralline', 'renilla'], 'renin': ['inner', 'renin'], 'reniportal': ['interpolar', 'reniportal'], 'renish': ['renish', 'shiner', 'shrine'], 'renitence': ['centenier', 'renitence'], 'renitency': ['nycterine', 'renitency'], 'renitent': ['renitent', 'trentine'], 'renk': ['kern', 'renk'], 'rennet': ['rennet', 'tenner'], 'renography': ['granophyre', 'renography'], 'renominate': ['enantiomer', 'renominate'], 'renotation': ['renotation', 'retonation'], 'renotice': ['erection', 'neoteric', 'nocerite', 'renotice'], 'renourish': ['nourisher', 'renourish'], 'renovate': ['overneat', 'renovate'], 'renovater': ['enervator', 'renovater', 'venerator'], 'renown': ['renown', 'wonner'], 'rent': ['rent', 'tern'], 'rentage': ['grantee', 'greaten', 'reagent', 'rentage'], 'rental': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'rentaler': ['rentaler', 'rerental'], 'rented': ['denter', 'rented', 'tender'], 'rentee': ['entree', 'rentee', 'retene'], 'renter': ['renter', 'rerent'], 'renu': ['renu', 'ruen', 'rune'], 'renumber': ['numberer', 'renumber'], 'renumerate': ['remunerate', 'renumerate'], 'renumeration': ['remuneration', 'renumeration'], 'reobtain': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'reoccasion': ['occasioner', 'reoccasion'], 'reoccupation': ['cornucopiate', 'reoccupation'], 'reoffend': ['offender', 'reoffend'], 'reoffer': ['offerer', 'reoffer'], 'reoil': ['oiler', 'oriel', 'reoil'], 'reopen': ['opener', 'reopen', 'repone'], 'reordain': ['inroader', 'ordainer', 'reordain'], 'reorder': ['orderer', 'reorder'], 'reordinate': ['reordinate', 'treronidae'], 'reornament': ['ornamenter', 'reornament'], 'reoverflow': ['overflower', 'reoverflow'], 'reown': ['owner', 'reown', 'rowen'], 'rep': ['per', 'rep'], 'repack': ['packer', 'repack'], 'repaint': ['painter', 'pertain', 'pterian', 'repaint'], 'repair': ['pairer', 'rapier', 'repair'], 'repairer': ['rareripe', 'repairer'], 'repale': ['leaper', 'releap', 'repale', 'repeal'], 'repand': ['pander', 'repand'], 'repandly': ['panderly', 'repandly'], 'repandous': ['panderous', 'repandous'], 'repanel': ['paneler', 'repanel', 'replane'], 'repaper': ['paperer', 'perpera', 'prepare', 'repaper'], 'reparagraph': ['paragrapher', 'reparagraph'], 'reparation': ['praetorian', 'reparation'], 'repark': ['parker', 'repark'], 'repartee': ['repartee', 'repeater'], 'repartition': ['partitioner', 'repartition'], 'repass': ['passer', 'repass', 'sparse'], 'repasser': ['asperser', 'repasser'], 'repast': ['paster', 'repast', 'trapes'], 'repaste': ['perates', 'repaste', 'sperate'], 'repasture': ['repasture', 'supertare'], 'repatch': ['chapter', 'patcher', 'repatch'], 'repatent': ['pattener', 'repatent'], 'repattern': ['patterner', 'repattern'], 'repawn': ['enwrap', 'pawner', 'repawn'], 'repay': ['apery', 'payer', 'repay'], 'repeal': ['leaper', 'releap', 'repale', 'repeal'], 'repeat': ['petrea', 'repeat', 'retape'], 'repeater': ['repartee', 'repeater'], 'repel': ['leper', 'perle', 'repel'], 'repen': ['neper', 'preen', 'repen'], 'repension': ['pensioner', 'repension'], 'repent': ['perten', 'repent'], 'repentable': ['penetrable', 'repentable'], 'repentance': ['penetrance', 'repentance'], 'repentant': ['penetrant', 'repentant'], 'reperceive': ['prereceive', 'reperceive'], 'repercussion': ['percussioner', 'repercussion'], 'repercussive': ['repercussive', 'superservice'], 'reperform': ['performer', 'prereform', 'reperform'], 'repermission': ['reimpression', 'repermission'], 'repermit': ['premerit', 'preremit', 'repermit'], 'reperplex': ['perplexer', 'reperplex'], 'reperusal': ['pleasurer', 'reperusal'], 'repetition': ['petitioner', 'repetition'], 'rephael': ['preheal', 'rephael'], 'rephase': ['hespera', 'rephase', 'reshape'], 'rephotograph': ['photographer', 'rephotograph'], 'rephrase': ['preshare', 'rephrase'], 'repic': ['price', 'repic'], 'repick': ['picker', 'repick'], 'repiece': ['creepie', 'repiece'], 'repin': ['piner', 'prine', 'repin', 'ripen'], 'repine': ['neiper', 'perine', 'pirene', 'repine'], 'repiner': ['repiner', 'ripener'], 'repiningly': ['repiningly', 'ripeningly'], 'repique': ['perique', 'repique'], 'repitch': ['pitcher', 'repitch'], 'replace': ['percale', 'replace'], 'replait': ['partile', 'plaiter', 'replait'], 'replan': ['parnel', 'planer', 'replan'], 'replane': ['paneler', 'repanel', 'replane'], 'replant': ['pantler', 'planter', 'replant'], 'replantable': ['planetabler', 'replantable'], 'replanter': ['prerental', 'replanter'], 'replaster': ['plasterer', 'replaster'], 'replate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'replay': ['parley', 'pearly', 'player', 'replay'], 'replead': ['pearled', 'pedaler', 'pleader', 'replead'], 'repleader': ['predealer', 'repleader'], 'repleat': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'repleteness': ['repleteness', 'terpeneless'], 'repletion': ['interlope', 'interpole', 'repletion', 'terpineol'], 'repliant': ['interlap', 'repliant', 'triplane'], 'replica': ['caliper', 'picarel', 'replica'], 'replight': ['plighter', 'replight'], 'replod': ['podler', 'polder', 'replod'], 'replot': ['petrol', 'replot'], 'replow': ['plower', 'replow'], 'replum': ['lumper', 'plumer', 'replum', 'rumple'], 'replunder': ['plunderer', 'replunder'], 'reply': ['plyer', 'reply'], 'repocket': ['pocketer', 'repocket'], 'repoint': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'repolish': ['polisher', 'repolish'], 'repoll': ['poller', 'repoll'], 'reponder': ['ponderer', 'reponder'], 'repone': ['opener', 'reopen', 'repone'], 'report': ['porret', 'porter', 'report', 'troper'], 'reportage': ['porterage', 'reportage'], 'reporterism': ['misreporter', 'reporterism'], 'reportion': ['portioner', 'reportion'], 'reposed': ['deposer', 'reposed'], 'reposit': ['periost', 'porites', 'reposit', 'riposte'], 'reposition': ['positioner', 'reposition'], 'repositor': ['posterior', 'repositor'], 'repossession': ['possessioner', 'repossession'], 'repost': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'repot': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'repound': ['pounder', 'repound', 'unroped'], 'repour': ['pourer', 'repour', 'rouper'], 'repowder': ['powderer', 'repowder'], 'repp': ['prep', 'repp'], 'repray': ['prayer', 'repray'], 'repreach': ['preacher', 'repreach'], 'repredict': ['precredit', 'predirect', 'repredict'], 'reprefer': ['prerefer', 'reprefer'], 'represent': ['presenter', 'represent'], 'representationism': ['misrepresentation', 'representationism'], 'repress': ['presser', 'repress'], 'repressive': ['repressive', 'respersive'], 'reprice': ['piercer', 'reprice'], 'reprieval': ['prevailer', 'reprieval'], 'reprime': ['premier', 'reprime'], 'reprint': ['printer', 'reprint'], 'reprise': ['reprise', 'respire'], 'repristination': ['interspiration', 'repristination'], 'reproachable': ['blepharocera', 'reproachable'], 'reprobate': ['perborate', 'prorebate', 'reprobate'], 'reprobation': ['probationer', 'reprobation'], 'reproceed': ['proceeder', 'reproceed'], 'reproclaim': ['proclaimer', 'reproclaim'], 'reproduce': ['procedure', 'reproduce'], 'reproduction': ['proreduction', 'reproduction'], 'reprohibit': ['prohibiter', 'reprohibit'], 'reproof': ['proofer', 'reproof'], 'reproportion': ['proportioner', 'reproportion'], 'reprotection': ['interoceptor', 'reprotection'], 'reprotest': ['protester', 'reprotest'], 'reprovision': ['prorevision', 'provisioner', 'reprovision'], 'reps': ['reps', 'resp'], 'reptant': ['pattern', 'reptant'], 'reptatorial': ['proletariat', 'reptatorial'], 'reptatory': ['protreaty', 'reptatory'], 'reptile': ['perlite', 'reptile'], 'reptilia': ['liparite', 'reptilia'], 'republish': ['publisher', 'republish'], 'repudiatory': ['preauditory', 'repudiatory'], 'repuff': ['puffer', 'repuff'], 'repugn': ['punger', 'repugn'], 'repulpit': ['pulpiter', 'repulpit'], 'repulsion': ['prelusion', 'repulsion'], 'repulsive': ['prelusive', 'repulsive'], 'repulsively': ['prelusively', 'repulsively'], 'repulsory': ['prelusory', 'repulsory'], 'repump': ['pumper', 'repump'], 'repunish': ['punisher', 'repunish'], 'reputative': ['reputative', 'vituperate'], 'repute': ['repute', 'uptree'], 'requench': ['quencher', 'requench'], 'request': ['quester', 'request'], 'requestion': ['questioner', 'requestion'], 'require': ['querier', 'require'], 'requital': ['quartile', 'requital', 'triequal'], 'requite': ['quieter', 'requite'], 'rerack': ['racker', 'rerack'], 'rerail': ['railer', 'rerail'], 'reraise': ['rearise', 'reraise'], 'rerake': ['karree', 'rerake'], 'rerank': ['ranker', 'rerank'], 'rerate': ['rerate', 'retare', 'tearer'], 'reread': ['reader', 'redare', 'reread'], 'rereel': ['reeler', 'rereel'], 'reregister': ['registerer', 'reregister'], 'rerent': ['renter', 'rerent'], 'rerental': ['rentaler', 'rerental'], 'rering': ['erring', 'rering', 'ringer'], 'rerise': ['rerise', 'sirree'], 'rerivet': ['rerivet', 'riveter'], 'rerob': ['borer', 'rerob', 'rober'], 'rerobe': ['rebore', 'rerobe'], 'reroll': ['reroll', 'roller'], 'reroof': ['reroof', 'roofer'], 'reroot': ['reroot', 'rooter', 'torero'], 'rerow': ['rerow', 'rower'], 'rerun': ['rerun', 'runer'], 'resaca': ['ascare', 'caesar', 'resaca'], 'resack': ['resack', 'sacker', 'screak'], 'resail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'resale': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'resalt': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'resanction': ['resanction', 'sanctioner'], 'resaw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'resawer': ['resawer', 'reswear', 'swearer'], 'resay': ['reasy', 'resay', 'sayer', 'seary'], 'rescan': ['casern', 'rescan'], 'rescind': ['discern', 'rescind'], 'rescinder': ['discerner', 'rescinder'], 'rescindment': ['discernment', 'rescindment'], 'rescratch': ['rescratch', 'scratcher'], 'rescuable': ['rescuable', 'securable'], 'rescue': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'rescuer': ['recurse', 'rescuer', 'securer'], 'reseal': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'reseam': ['reseam', 'seamer'], 'research': ['rechaser', 'research', 'searcher'], 'reseat': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'resect': ['resect', 'screet', 'secret'], 'resection': ['resection', 'secretion'], 'resectional': ['resectional', 'secretional'], 'reseda': ['erased', 'reseda', 'seared'], 'resee': ['esere', 'reese', 'resee'], 'reseed': ['reseed', 'seeder'], 'reseek': ['reseek', 'seeker'], 'resell': ['resell', 'seller'], 'resend': ['resend', 'sender'], 'resene': ['resene', 'serene'], 'resent': ['ernest', 'nester', 'resent', 'streen'], 'reservable': ['reservable', 'reversable'], 'reserval': ['reserval', 'reversal', 'slaverer'], 'reserve': ['reserve', 'resever', 'reverse', 'severer'], 'reserved': ['deserver', 'reserved', 'reversed'], 'reservedly': ['reservedly', 'reversedly'], 'reserveful': ['reserveful', 'reverseful'], 'reserveless': ['reserveless', 'reverseless'], 'reserver': ['reserver', 'reverser'], 'reservist': ['reservist', 'reversist'], 'reset': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'resever': ['reserve', 'resever', 'reverse', 'severer'], 'resew': ['resew', 'sewer', 'sweer'], 'resex': ['resex', 'xeres'], 'resh': ['hers', 'resh', 'sher'], 'reshape': ['hespera', 'rephase', 'reshape'], 'reshare': ['reshare', 'reshear', 'shearer'], 'resharpen': ['resharpen', 'sharpener'], 'reshear': ['reshare', 'reshear', 'shearer'], 'reshearer': ['rehearser', 'reshearer'], 'reshift': ['reshift', 'shifter'], 'reshingle': ['englisher', 'reshingle'], 'reship': ['perish', 'reship'], 'reshipment': ['perishment', 'reshipment'], 'reshoot': ['orthose', 'reshoot', 'shooter', 'soother'], 'reshoulder': ['reshoulder', 'shoulderer'], 'reshower': ['reshower', 'showerer'], 'reshun': ['reshun', 'rushen'], 'reshunt': ['reshunt', 'shunter'], 'reshut': ['reshut', 'suther', 'thurse', 'tusher'], 'reside': ['desire', 'reside'], 'resident': ['indesert', 'inserted', 'resident'], 'resider': ['derries', 'desirer', 'resider', 'serried'], 'residua': ['residua', 'ursidae'], 'resift': ['fister', 'resift', 'sifter', 'strife'], 'resigh': ['resigh', 'sigher'], 'resign': ['resign', 'resing', 'signer', 'singer'], 'resignal': ['resignal', 'seringal', 'signaler'], 'resigned': ['designer', 'redesign', 'resigned'], 'resile': ['lisere', 'resile'], 'resiliate': ['israelite', 'resiliate'], 'resilient': ['listerine', 'resilient'], 'resilition': ['isonitrile', 'resilition'], 'resilver': ['resilver', 'silverer', 'sliverer'], 'resin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'resina': ['arisen', 'arsine', 'resina', 'serian'], 'resinate': ['arsenite', 'resinate', 'teresian', 'teresina'], 'resing': ['resign', 'resing', 'signer', 'singer'], 'resinic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'resinize': ['resinize', 'sirenize'], 'resink': ['resink', 'reskin', 'sinker'], 'resinlike': ['resinlike', 'sirenlike'], 'resinoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'resinol': ['resinol', 'serolin'], 'resinous': ['neurosis', 'resinous'], 'resinously': ['neurolysis', 'resinously'], 'resiny': ['resiny', 'sireny'], 'resist': ['resist', 'restis', 'sister'], 'resistable': ['assertible', 'resistable'], 'resistance': ['resistance', 'senatrices'], 'resistful': ['fruitless', 'resistful'], 'resisting': ['resisting', 'sistering'], 'resistless': ['resistless', 'sisterless'], 'resize': ['resize', 'seizer'], 'resketch': ['resketch', 'sketcher'], 'reskin': ['resink', 'reskin', 'sinker'], 'reslash': ['reslash', 'slasher'], 'reslate': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'reslay': ['reslay', 'slayer'], 'reslot': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'resmell': ['resmell', 'smeller'], 'resmelt': ['melters', 'resmelt', 'smelter'], 'resmooth': ['resmooth', 'romeshot', 'smoother'], 'resnap': ['resnap', 'respan', 'snaper'], 'resnatch': ['resnatch', 'snatcher', 'stancher'], 'resoak': ['arkose', 'resoak', 'soaker'], 'resoap': ['resoap', 'soaper'], 'resoften': ['resoften', 'softener'], 'resoil': ['elisor', 'resoil'], 'resojourn': ['resojourn', 'sojourner'], 'resolder': ['resolder', 'solderer'], 'resole': ['relose', 'resole'], 'resolicit': ['resolicit', 'soliciter'], 'resolution': ['resolution', 'solutioner'], 'resonate': ['orestean', 'resonate', 'stearone'], 'resort': ['resort', 'roster', 'sorter', 'storer'], 'resorter': ['resorter', 'restorer', 'retrorse'], 'resound': ['resound', 'sounder', 'unrosed'], 'resource': ['recourse', 'resource'], 'resow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'resp': ['reps', 'resp'], 'respace': ['escaper', 'respace'], 'respade': ['psedera', 'respade'], 'respan': ['resnap', 'respan', 'snaper'], 'respeak': ['respeak', 'speaker'], 'respect': ['respect', 'scepter', 'specter'], 'respectless': ['respectless', 'scepterless'], 'respell': ['presell', 'respell', 'speller'], 'respersive': ['repressive', 'respersive'], 'respin': ['pernis', 'respin', 'sniper'], 'respiration': ['respiration', 'retinispora'], 'respire': ['reprise', 'respire'], 'respirit': ['respirit', 'spiriter'], 'respite': ['respite', 'septier'], 'resplend': ['resplend', 'splender'], 'resplice': ['eclipser', 'pericles', 'resplice'], 'responde': ['personed', 'responde'], 'respondence': ['precondense', 'respondence'], 'responsal': ['apronless', 'responsal'], 'response': ['pessoner', 'response'], 'respot': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'respray': ['respray', 'sprayer'], 'respread': ['respread', 'spreader'], 'respring': ['respring', 'springer'], 'resprout': ['posturer', 'resprout', 'sprouter'], 'respue': ['peruse', 'respue'], 'resqueak': ['resqueak', 'squeaker'], 'ressaut': ['erastus', 'ressaut'], 'rest': ['rest', 'sert', 'stre'], 'restack': ['restack', 'stacker'], 'restaff': ['restaff', 'staffer'], 'restain': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'restake': ['restake', 'sakeret'], 'restamp': ['restamp', 'stamper'], 'restart': ['restart', 'starter'], 'restate': ['estreat', 'restate', 'retaste'], 'resteal': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'resteel': ['reestle', 'resteel', 'steeler'], 'resteep': ['estrepe', 'resteep', 'steeper'], 'restem': ['mester', 'restem', 'temser', 'termes'], 'restep': ['pester', 'preset', 'restep', 'streep'], 'restful': ['fluster', 'restful'], 'restiad': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'restiffen': ['restiffen', 'stiffener'], 'restiform': ['reformist', 'restiform'], 'resting': ['resting', 'stinger'], 'restio': ['restio', 'sorite', 'sortie', 'triose'], 'restis': ['resist', 'restis', 'sister'], 'restitch': ['restitch', 'stitcher'], 'restive': ['restive', 'servite'], 'restock': ['restock', 'stocker'], 'restorer': ['resorter', 'restorer', 'retrorse'], 'restow': ['restow', 'stower', 'towser', 'worset'], 'restowal': ['restowal', 'sealwort'], 'restraighten': ['restraighten', 'straightener'], 'restrain': ['restrain', 'strainer', 'transire'], 'restraint': ['restraint', 'retransit', 'trainster', 'transiter'], 'restream': ['masterer', 'restream', 'streamer'], 'restrengthen': ['restrengthen', 'strengthener'], 'restress': ['restress', 'stresser'], 'restretch': ['restretch', 'stretcher'], 'restring': ['restring', 'ringster', 'stringer'], 'restrip': ['restrip', 'striper'], 'restrive': ['restrive', 'reverist'], 'restuff': ['restuff', 'stuffer'], 'resty': ['resty', 'strey'], 'restyle': ['restyle', 'tersely'], 'resucceed': ['resucceed', 'succeeder'], 'resuck': ['resuck', 'sucker'], 'resue': ['resue', 'reuse'], 'resuffer': ['resuffer', 'sufferer'], 'resuggest': ['resuggest', 'suggester'], 'resuing': ['insurge', 'resuing'], 'resuit': ['isuret', 'resuit'], 'result': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'resulting': ['resulting', 'ulstering'], 'resultless': ['lusterless', 'lustreless', 'resultless'], 'resummon': ['resummon', 'summoner'], 'resun': ['nurse', 'resun'], 'resup': ['purse', 'resup', 'sprue', 'super'], 'resuperheat': ['resuperheat', 'superheater'], 'resupinate': ['interpause', 'resupinate'], 'resupination': ['resupination', 'uranospinite'], 'resupport': ['resupport', 'supporter'], 'resuppose': ['resuppose', 'superpose'], 'resupposition': ['resupposition', 'superposition'], 'resuppress': ['resuppress', 'suppresser'], 'resurrender': ['resurrender', 'surrenderer'], 'resurround': ['resurround', 'surrounder'], 'resuspect': ['resuspect', 'suspecter'], 'resuspend': ['resuspend', 'suspender', 'unpressed'], 'reswallow': ['reswallow', 'swallower'], 'resward': ['drawers', 'resward'], 'reswarm': ['reswarm', 'swarmer'], 'reswear': ['resawer', 'reswear', 'swearer'], 'resweat': ['resweat', 'sweater'], 'resweep': ['resweep', 'sweeper'], 'reswell': ['reswell', 'sweller'], 'reswill': ['reswill', 'swiller'], 'retable': ['bearlet', 'bleater', 'elberta', 'retable'], 'retack': ['racket', 'retack', 'tacker'], 'retag': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'retail': ['lirate', 'retail', 'retial', 'tailer'], 'retailer': ['irrelate', 'retailer'], 'retain': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retainal': ['retainal', 'telarian'], 'retainder': ['irredenta', 'retainder'], 'retainer': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'retaining': ['negritian', 'retaining'], 'retaliate': ['elettaria', 'retaliate'], 'retalk': ['kartel', 'retalk', 'talker'], 'retama': ['ramate', 'retama'], 'retame': ['reetam', 'retame', 'teamer'], 'retan': ['antre', 'arent', 'retan', 'terna'], 'retape': ['petrea', 'repeat', 'retape'], 'retard': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retardent': ['retardent', 'tetrander'], 'retare': ['rerate', 'retare', 'tearer'], 'retaste': ['estreat', 'restate', 'retaste'], 'retax': ['extra', 'retax', 'taxer'], 'retaxation': ['retaxation', 'tetraxonia'], 'retch': ['chert', 'retch'], 'reteach': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'retelegraph': ['retelegraph', 'telegrapher'], 'retell': ['retell', 'teller'], 'retem': ['meter', 'retem'], 'retemper': ['retemper', 'temperer'], 'retempt': ['retempt', 'tempter'], 'retenant': ['retenant', 'tenanter'], 'retender': ['retender', 'tenderer'], 'retene': ['entree', 'rentee', 'retene'], 'retent': ['netter', 'retent', 'tenter'], 'retention': ['intertone', 'retention'], 'retepora': ['perorate', 'retepora'], 'retest': ['retest', 'setter', 'street', 'tester'], 'rethank': ['rethank', 'thanker'], 'rethatch': ['rethatch', 'thatcher'], 'rethaw': ['rethaw', 'thawer', 'wreath'], 'rethe': ['ether', 'rethe', 'theer', 'there', 'three'], 'retheness': ['retheness', 'thereness', 'threeness'], 'rethicken': ['kitchener', 'rethicken', 'thickener'], 'rethink': ['rethink', 'thinker'], 'rethrash': ['rethrash', 'thrasher'], 'rethread': ['rethread', 'threader'], 'rethreaten': ['rethreaten', 'threatener'], 'rethresh': ['rethresh', 'thresher'], 'rethrill': ['rethrill', 'thriller'], 'rethrow': ['rethrow', 'thrower'], 'rethrust': ['rethrust', 'thruster'], 'rethunder': ['rethunder', 'thunderer'], 'retia': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'retial': ['lirate', 'retail', 'retial', 'tailer'], 'reticent': ['reticent', 'tencteri'], 'reticket': ['reticket', 'ticketer'], 'reticula': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'reticular': ['curtailer', 'recruital', 'reticular'], 'retier': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retighten': ['retighten', 'tightener'], 'retill': ['retill', 'rillet', 'tiller'], 'retimber': ['retimber', 'timberer'], 'retime': ['metier', 'retime', 'tremie'], 'retin': ['inert', 'inter', 'niter', 'retin', 'trine'], 'retina': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retinal': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'retinalite': ['retinalite', 'trilineate'], 'retinene': ['internee', 'retinene'], 'retinian': ['neritina', 'retinian'], 'retinispora': ['respiration', 'retinispora'], 'retinite': ['intertie', 'retinite'], 'retinker': ['retinker', 'tinkerer'], 'retinochorioiditis': ['chorioidoretinitis', 'retinochorioiditis'], 'retinoid': ['neritoid', 'retinoid'], 'retinue': ['neurite', 'retinue', 'reunite', 'uterine'], 'retinula': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'retinular': ['retinular', 'trineural'], 'retip': ['perit', 'retip', 'tripe'], 'retiral': ['retiral', 'retrial', 'trailer'], 'retire': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retirer': ['retirer', 'terrier'], 'retistene': ['retistene', 'serinette'], 'retoast': ['retoast', 'rosetta', 'stoater', 'toaster'], 'retold': ['retold', 'rodlet'], 'retomb': ['retomb', 'trombe'], 'retonation': ['renotation', 'retonation'], 'retool': ['looter', 'retool', 'rootle', 'tooler'], 'retooth': ['retooth', 'toother'], 'retort': ['retort', 'retrot', 'rotter'], 'retoss': ['retoss', 'tosser'], 'retouch': ['retouch', 'toucher'], 'retour': ['retour', 'router', 'tourer'], 'retrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'retrack': ['retrack', 'tracker'], 'retractation': ['reattraction', 'retractation'], 'retracted': ['detracter', 'retracted'], 'retraction': ['retraction', 'triaconter'], 'retrad': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retrade': ['derater', 'retrade', 'retread', 'treader'], 'retradition': ['retradition', 'traditioner'], 'retrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'retral': ['retral', 'terral'], 'retramp': ['retramp', 'tramper'], 'retransform': ['retransform', 'transformer'], 'retransit': ['restraint', 'retransit', 'trainster', 'transiter'], 'retransplant': ['retransplant', 'transplanter'], 'retransport': ['retransport', 'transporter'], 'retravel': ['retravel', 'revertal', 'traveler'], 'retread': ['derater', 'retrade', 'retread', 'treader'], 'retreat': ['ettarre', 'retreat', 'treater'], 'retree': ['retree', 'teerer'], 'retrench': ['retrench', 'trencher'], 'retrial': ['retiral', 'retrial', 'trailer'], 'retrim': ['mitrer', 'retrim', 'trimer'], 'retrocaecal': ['accelerator', 'retrocaecal'], 'retrogradient': ['redintegrator', 'retrogradient'], 'retrorse': ['resorter', 'restorer', 'retrorse'], 'retrot': ['retort', 'retrot', 'rotter'], 'retrue': ['retrue', 'ureter'], 'retrust': ['retrust', 'truster'], 'retry': ['retry', 'terry'], 'retter': ['retter', 'terret'], 'retting': ['gittern', 'gritten', 'retting'], 'retube': ['rebute', 'retube'], 'retuck': ['retuck', 'tucker'], 'retune': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'returf': ['returf', 'rufter'], 'return': ['return', 'turner'], 'retuse': ['retuse', 'tereus'], 'retwine': ['enwrite', 'retwine'], 'retwist': ['retwist', 'twister'], 'retzian': ['retzian', 'terzina'], 'reub': ['bure', 'reub', 'rube'], 'reundergo': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'reune': ['enure', 'reune'], 'reunfold': ['flounder', 'reunfold', 'unfolder'], 'reunify': ['reunify', 'unfiery'], 'reunionist': ['reunionist', 'sturionine'], 'reunite': ['neurite', 'retinue', 'reunite', 'uterine'], 'reunpack': ['reunpack', 'unpacker'], 'reuphold': ['reuphold', 'upholder'], 'reupholster': ['reupholster', 'upholsterer'], 'reuplift': ['reuplift', 'uplifter'], 'reuse': ['resue', 'reuse'], 'reutter': ['reutter', 'utterer'], 'revacate': ['acervate', 'revacate'], 'revalidation': ['derivational', 'revalidation'], 'revamp': ['revamp', 'vamper'], 'revarnish': ['revarnish', 'varnisher'], 'reve': ['ever', 'reve', 'veer'], 'reveal': ['laveer', 'leaver', 'reveal', 'vealer'], 'reveil': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'revel': ['elver', 'lever', 'revel'], 'revelant': ['levanter', 'relevant', 'revelant'], 'revelation': ['relevation', 'revelation'], 'revelator': ['relevator', 'revelator', 'veratrole'], 'reveler': ['leverer', 'reveler'], 'revenant': ['revenant', 'venerant'], 'revend': ['revend', 'vender'], 'revender': ['revender', 'reverend'], 'reveneer': ['reveneer', 'veneerer'], 'revent': ['revent', 'venter'], 'revenue': ['revenue', 'unreeve'], 'rever': ['rever', 'verre'], 'reverend': ['revender', 'reverend'], 'reverential': ['interleaver', 'reverential'], 'reverist': ['restrive', 'reverist'], 'revers': ['revers', 'server', 'verser'], 'reversable': ['reservable', 'reversable'], 'reversal': ['reserval', 'reversal', 'slaverer'], 'reverse': ['reserve', 'resever', 'reverse', 'severer'], 'reversed': ['deserver', 'reserved', 'reversed'], 'reversedly': ['reservedly', 'reversedly'], 'reverseful': ['reserveful', 'reverseful'], 'reverseless': ['reserveless', 'reverseless'], 'reverser': ['reserver', 'reverser'], 'reversewise': ['reversewise', 'revieweress'], 'reversi': ['reversi', 'reviser'], 'reversion': ['reversion', 'versioner'], 'reversist': ['reservist', 'reversist'], 'revertal': ['retravel', 'revertal', 'traveler'], 'revest': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'revet': ['evert', 'revet'], 'revete': ['revete', 'tervee'], 'revictual': ['lucrative', 'revictual', 'victualer'], 'review': ['review', 'viewer'], 'revieweress': ['reversewise', 'revieweress'], 'revigorate': ['overgaiter', 'revigorate'], 'revile': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reviling': ['reviling', 'vierling'], 'revisal': ['revisal', 'virales'], 'revise': ['revise', 'siever'], 'revised': ['deviser', 'diverse', 'revised'], 'reviser': ['reversi', 'reviser'], 'revision': ['revision', 'visioner'], 'revisit': ['revisit', 'visiter'], 'revisitant': ['revisitant', 'transitive'], 'revitalization': ['relativization', 'revitalization'], 'revitalize': ['relativize', 'revitalize'], 'revocation': ['overaction', 'revocation'], 'revocative': ['overactive', 'revocative'], 'revoke': ['evoker', 'revoke'], 'revolting': ['overglint', 'revolting'], 'revolute': ['revolute', 'truelove'], 'revolve': ['evolver', 'revolve'], 'revomit': ['revomit', 'vomiter'], 'revote': ['revote', 'vetoer'], 'revuist': ['revuist', 'stuiver'], 'rewade': ['drawee', 'rewade'], 'rewager': ['rewager', 'wagerer'], 'rewake': ['kerewa', 'rewake'], 'rewaken': ['rewaken', 'wakener'], 'rewall': ['rewall', 'waller'], 'rewallow': ['rewallow', 'wallower'], 'reward': ['drawer', 'redraw', 'reward', 'warder'], 'rewarder': ['redrawer', 'rewarder', 'warderer'], 'rewarm': ['rewarm', 'warmer'], 'rewarn': ['rewarn', 'warner', 'warren'], 'rewash': ['hawser', 'rewash', 'washer'], 'rewater': ['rewater', 'waterer'], 'rewave': ['rewave', 'weaver'], 'rewax': ['rewax', 'waxer'], 'reweaken': ['reweaken', 'weakener'], 'rewear': ['rewear', 'warree', 'wearer'], 'rewed': ['dewer', 'ewder', 'rewed'], 'reweigh': ['reweigh', 'weigher'], 'reweld': ['reweld', 'welder'], 'rewet': ['rewet', 'tewer', 'twere'], 'rewhirl': ['rewhirl', 'whirler'], 'rewhisper': ['rewhisper', 'whisperer'], 'rewhiten': ['rewhiten', 'whitener'], 'rewiden': ['rewiden', 'widener'], 'rewin': ['erwin', 'rewin', 'winer'], 'rewind': ['rewind', 'winder'], 'rewish': ['rewish', 'wisher'], 'rewithdraw': ['rewithdraw', 'withdrawer'], 'reword': ['reword', 'worder'], 'rework': ['rework', 'worker'], 'reworked': ['reedwork', 'reworked'], 'rewound': ['rewound', 'unrowed', 'wounder'], 'rewoven': ['overnew', 'rewoven'], 'rewrap': ['prewar', 'rewrap', 'warper'], 'reyield': ['reedily', 'reyield', 'yielder'], 'rhacianectes': ['rachianectes', 'rhacianectes'], 'rhaetian': ['earthian', 'rhaetian'], 'rhaetic': ['certhia', 'rhaetic', 'theriac'], 'rhamnose': ['horseman', 'rhamnose', 'shoreman'], 'rhamnoside': ['admonisher', 'rhamnoside'], 'rhapis': ['parish', 'raphis', 'rhapis'], 'rhapontic': ['anthropic', 'rhapontic'], 'rhaponticin': ['panornithic', 'rhaponticin'], 'rhason': ['rhason', 'sharon', 'shoran'], 'rhatania': ['ratanhia', 'rhatania'], 'rhe': ['her', 'reh', 'rhe'], 'rhea': ['hare', 'hear', 'rhea'], 'rheen': ['herne', 'rheen'], 'rheic': ['cheir', 'rheic'], 'rhein': ['hiren', 'rhein', 'rhine'], 'rheinic': ['hircine', 'rheinic'], 'rhema': ['harem', 'herma', 'rhema'], 'rhematic': ['athermic', 'marchite', 'rhematic'], 'rheme': ['herem', 'rheme'], 'rhemist': ['rhemist', 'smither'], 'rhenium': ['inhumer', 'rhenium'], 'rheometric': ['chirometer', 'rheometric'], 'rheophile': ['herophile', 'rheophile'], 'rheoscope': ['prechoose', 'rheoscope'], 'rheostatic': ['choristate', 'rheostatic'], 'rheotactic': ['rheotactic', 'theocratic'], 'rheotan': ['another', 'athenor', 'rheotan'], 'rheotropic': ['horopteric', 'rheotropic', 'trichopore'], 'rhesian': ['arshine', 'nearish', 'rhesian', 'sherani'], 'rhesus': ['rhesus', 'suresh'], 'rhetor': ['rhetor', 'rother'], 'rhetoricals': ['rhetoricals', 'trochlearis'], 'rhetorize': ['rhetorize', 'theorizer'], 'rheumatic': ['hematuric', 'rheumatic'], 'rhine': ['hiren', 'rhein', 'rhine'], 'rhinestone': ['neornithes', 'rhinestone'], 'rhineura': ['rhineura', 'unhairer'], 'rhinocele': ['cholerine', 'rhinocele'], 'rhinopharyngitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'rhipidate': ['rhipidate', 'thripidae'], 'rhizoctonia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'rhoda': ['hoard', 'rhoda'], 'rhodaline': ['hodiernal', 'rhodaline'], 'rhodanthe': ['rhodanthe', 'thornhead'], 'rhodeose': ['rhodeose', 'seerhood'], 'rhodes': ['dehors', 'rhodes', 'shoder', 'shored'], 'rhodic': ['orchid', 'rhodic'], 'rhodite': ['rhodite', 'theroid'], 'rhodium': ['humidor', 'rhodium'], 'rhodope': ['redhoop', 'rhodope'], 'rhodopsin': ['donorship', 'rhodopsin'], 'rhoecus': ['choreus', 'chouser', 'rhoecus'], 'rhopalic': ['orphical', 'rhopalic'], 'rhus': ['rhus', 'rush'], 'rhynchotal': ['chloranthy', 'rhynchotal'], 'rhyton': ['rhyton', 'thorny'], 'ria': ['air', 'ira', 'ria'], 'rial': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'riancy': ['cairny', 'riancy'], 'riant': ['riant', 'tairn', 'tarin', 'train'], 'riata': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'ribald': ['bildar', 'bridal', 'ribald'], 'ribaldly': ['bridally', 'ribaldly'], 'riband': ['brandi', 'riband'], 'ribat': ['barit', 'ribat'], 'ribbed': ['dibber', 'ribbed'], 'ribber': ['briber', 'ribber'], 'ribble': ['libber', 'ribble'], 'ribbon': ['ribbon', 'robbin'], 'ribe': ['beri', 'bier', 'brei', 'ribe'], 'ribes': ['birse', 'ribes'], 'riblet': ['beltir', 'riblet'], 'ribroast': ['arborist', 'ribroast'], 'ribspare': ['ribspare', 'sparerib'], 'rice': ['eric', 'rice'], 'ricer': ['crier', 'ricer'], 'ricey': ['criey', 'ricey'], 'richardia': ['charadrii', 'richardia'], 'richdom': ['chromid', 'richdom'], 'richen': ['enrich', 'nicher', 'richen'], 'riches': ['riches', 'shicer'], 'richt': ['crith', 'richt'], 'ricine': ['irenic', 'ricine'], 'ricinoleate': ['arenicolite', 'ricinoleate'], 'rickets': ['rickets', 'sticker'], 'rickle': ['licker', 'relick', 'rickle'], 'rictal': ['citral', 'rictal'], 'rictus': ['citrus', 'curtis', 'rictus', 'rustic'], 'ridable': ['bedrail', 'bridale', 'ridable'], 'ridably': ['bardily', 'rabidly', 'ridably'], 'riddam': ['madrid', 'riddam'], 'riddance': ['adendric', 'riddance'], 'riddel': ['lidder', 'riddel', 'riddle'], 'ridden': ['dinder', 'ridden', 'rinded'], 'riddle': ['lidder', 'riddel', 'riddle'], 'ride': ['dier', 'dire', 'reid', 'ride'], 'rideau': ['auride', 'rideau'], 'riden': ['diner', 'riden', 'rinde'], 'rident': ['dirten', 'rident', 'tinder'], 'rider': ['drier', 'rider'], 'ridered': ['deirdre', 'derider', 'derride', 'ridered'], 'ridge': ['dirge', 'gride', 'redig', 'ridge'], 'ridgel': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'ridgelike': ['dirgelike', 'ridgelike'], 'ridger': ['girder', 'ridger'], 'ridging': ['girding', 'ridging'], 'ridgingly': ['girdingly', 'ridgingly'], 'ridgling': ['girdling', 'ridgling'], 'ridgy': ['igdyr', 'ridgy'], 'rie': ['ire', 'rie'], 'riem': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rife': ['fire', 'reif', 'rife'], 'rifeness': ['finesser', 'rifeness'], 'rifle': ['filer', 'flier', 'lifer', 'rifle'], 'rifleman': ['inflamer', 'rifleman'], 'rift': ['frit', 'rift'], 'rigadoon': ['gordonia', 'organoid', 'rigadoon'], 'rigation': ['rigation', 'trigonia'], 'rigbane': ['bearing', 'begrain', 'brainge', 'rigbane'], 'right': ['girth', 'grith', 'right'], 'rightle': ['lighter', 'relight', 'rightle'], 'rigling': ['girling', 'rigling'], 'rigolette': ['gloriette', 'rigolette'], 'rik': ['irk', 'rik'], 'rikisha': ['rikisha', 'shikari'], 'rikk': ['kirk', 'rikk'], 'riksha': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rile': ['lier', 'lire', 'rile'], 'rillet': ['retill', 'rillet', 'tiller'], 'rillett': ['rillett', 'trillet'], 'rillock': ['rillock', 'rollick'], 'rim': ['mir', 'rim'], 'rima': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'rimal': ['armil', 'marli', 'rimal'], 'rimate': ['imaret', 'metria', 'mirate', 'rimate'], 'rime': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rimmed': ['dimmer', 'immerd', 'rimmed'], 'rimose': ['isomer', 'rimose'], 'rimple': ['limper', 'prelim', 'rimple'], 'rimu': ['muir', 'rimu'], 'rimula': ['rimula', 'uramil'], 'rimy': ['miry', 'rimy', 'yirm'], 'rinaldo': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rinceau': ['aneuric', 'rinceau'], 'rincon': ['cornin', 'rincon'], 'rinde': ['diner', 'riden', 'rinde'], 'rinded': ['dinder', 'ridden', 'rinded'], 'rindle': ['linder', 'rindle'], 'rine': ['neri', 'rein', 'rine'], 'ring': ['girn', 'grin', 'ring'], 'ringable': ['balinger', 'ringable'], 'ringe': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ringed': ['engird', 'ringed'], 'ringer': ['erring', 'rering', 'ringer'], 'ringgoer': ['gorgerin', 'ringgoer'], 'ringhead': ['headring', 'ringhead'], 'ringite': ['igniter', 'ringite', 'tigrine'], 'ringle': ['linger', 'ringle'], 'ringlead': ['dragline', 'reginald', 'ringlead'], 'ringlet': ['ringlet', 'tingler', 'tringle'], 'ringster': ['restring', 'ringster', 'stringer'], 'ringtail': ['ringtail', 'trailing'], 'ringy': ['girny', 'ringy'], 'rink': ['kirn', 'rink'], 'rinka': ['inkra', 'krina', 'nakir', 'rinka'], 'rinse': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rio': ['rio', 'roi'], 'riot': ['riot', 'roit', 'trio'], 'rioting': ['ignitor', 'rioting'], 'rip': ['pir', 'rip'], 'ripa': ['pair', 'pari', 'pria', 'ripa'], 'ripal': ['april', 'pilar', 'ripal'], 'ripe': ['peri', 'pier', 'ripe'], 'ripelike': ['pierlike', 'ripelike'], 'ripen': ['piner', 'prine', 'repin', 'ripen'], 'ripener': ['repiner', 'ripener'], 'ripeningly': ['repiningly', 'ripeningly'], 'riper': ['prier', 'riper'], 'ripgut': ['ripgut', 'upgirt'], 'ripost': ['ripost', 'triops', 'tripos'], 'riposte': ['periost', 'porites', 'reposit', 'riposte'], 'rippet': ['rippet', 'tipper'], 'ripple': ['lipper', 'ripple'], 'ripplet': ['ripplet', 'tippler', 'tripple'], 'ripup': ['ripup', 'uprip'], 'rise': ['reis', 'rise', 'seri', 'sier', 'sire'], 'risen': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rishi': ['irish', 'rishi', 'sirih'], 'risk': ['kris', 'risk'], 'risky': ['risky', 'sirky'], 'risper': ['risper', 'sprier'], 'risque': ['risque', 'squire'], 'risquee': ['esquire', 'risquee'], 'rissel': ['rissel', 'rissle'], 'rissle': ['rissel', 'rissle'], 'rissoa': ['aissor', 'rissoa'], 'rist': ['rist', 'stir'], 'rit': ['rit', 'tri'], 'rita': ['airt', 'rita', 'tari', 'tiar'], 'rite': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'riteless': ['riteless', 'tireless'], 'ritelessness': ['ritelessness', 'tirelessness'], 'ritling': ['glitnir', 'ritling'], 'ritualize': ['ritualize', 'uralitize'], 'riva': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'rivage': ['argive', 'rivage'], 'rival': ['rival', 'viral'], 'rive': ['rive', 'veri', 'vier', 'vire'], 'rivel': ['levir', 'liver', 'livre', 'rivel'], 'riven': ['riven', 'viner'], 'rivered': ['deriver', 'redrive', 'rivered'], 'rivet': ['rivet', 'tirve', 'tiver'], 'riveter': ['rerivet', 'riveter'], 'rivetless': ['rivetless', 'silvester'], 'riving': ['irving', 'riving', 'virgin'], 'rivingly': ['rivingly', 'virginly'], 'rivose': ['rivose', 'virose'], 'riyal': ['lairy', 'riyal'], 'ro': ['or', 'ro'], 'roach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'road': ['dora', 'orad', 'road'], 'roadability': ['adorability', 'roadability'], 'roadable': ['adorable', 'roadable'], 'roader': ['adorer', 'roader'], 'roading': ['gordian', 'idorgan', 'roading'], 'roadite': ['roadite', 'toadier'], 'roadman': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'roadster': ['dartrose', 'roadster'], 'roam': ['amor', 'maro', 'mora', 'omar', 'roam'], 'roamage': ['georama', 'roamage'], 'roamer': ['remora', 'roamer'], 'roaming': ['ingomar', 'moringa', 'roaming'], 'roan': ['nora', 'orna', 'roan'], 'roast': ['astor', 'roast'], 'roastable': ['astrolabe', 'roastable'], 'roasting': ['orangist', 'organist', 'roasting', 'signator'], 'rob': ['bor', 'orb', 'rob'], 'robalo': ['barolo', 'robalo'], 'roband': ['bandor', 'bondar', 'roband'], 'robbin': ['ribbon', 'robbin'], 'robe': ['boer', 'bore', 'robe'], 'rober': ['borer', 'rerob', 'rober'], 'roberd': ['border', 'roberd'], 'roberta': ['arboret', 'roberta', 'taborer'], 'robin': ['biron', 'inorb', 'robin'], 'robinet': ['bornite', 'robinet'], 'robing': ['boring', 'robing'], 'roble': ['blore', 'roble'], 'robot': ['boort', 'robot'], 'robotian': ['abortion', 'robotian'], 'robotism': ['bimotors', 'robotism'], 'robur': ['burro', 'robur', 'rubor'], 'roc': ['cor', 'cro', 'orc', 'roc'], 'rochea': ['chorea', 'ochrea', 'rochea'], 'rochet': ['hector', 'rochet', 'tocher', 'troche'], 'rock': ['cork', 'rock'], 'rocker': ['corker', 'recork', 'rocker'], 'rocketer': ['rocketer', 'rocktree'], 'rockiness': ['corkiness', 'rockiness'], 'rocking': ['corking', 'rocking'], 'rockish': ['corkish', 'rockish'], 'rocktree': ['rocketer', 'rocktree'], 'rockwood': ['corkwood', 'rockwood', 'woodrock'], 'rocky': ['corky', 'rocky'], 'rocta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'rod': ['dor', 'rod'], 'rode': ['doer', 'redo', 'rode', 'roed'], 'rodentia': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'rodential': ['lorandite', 'rodential'], 'rodinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rodingite': ['negritoid', 'rodingite'], 'rodless': ['drossel', 'rodless'], 'rodlet': ['retold', 'rodlet'], 'rodman': ['random', 'rodman'], 'rodney': ['rodney', 'yonder'], 'roe': ['oer', 'ore', 'roe'], 'roed': ['doer', 'redo', 'rode', 'roed'], 'roey': ['oyer', 'roey', 'yore'], 'rog': ['gor', 'rog'], 'rogan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rogative': ['ravigote', 'rogative'], 'roger': ['gorer', 'roger'], 'roggle': ['logger', 'roggle'], 'rogue': ['orgue', 'rogue', 'rouge'], 'rohan': ['nahor', 'norah', 'rohan'], 'rohob': ['bohor', 'rohob'], 'rohun': ['huron', 'rohun'], 'roi': ['rio', 'roi'], 'roid': ['dori', 'roid'], 'roil': ['loir', 'lori', 'roil'], 'roister': ['roister', 'storier'], 'roit': ['riot', 'roit', 'trio'], 'rok': ['kor', 'rok'], 'roka': ['karo', 'kora', 'okra', 'roka'], 'roke': ['kore', 'roke'], 'rokey': ['rokey', 'yoker'], 'roky': ['kory', 'roky', 'york'], 'roland': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'rolandic': ['ironclad', 'rolandic'], 'role': ['lore', 'orle', 'role'], 'rolfe': ['forel', 'rolfe'], 'roller': ['reroll', 'roller'], 'rollick': ['rillock', 'rollick'], 'romaean': ['neorama', 'romaean'], 'romain': ['marion', 'romain'], 'romaine': ['moraine', 'romaine'], 'romal': ['molar', 'moral', 'romal'], 'roman': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'romancist': ['narcotism', 'romancist'], 'romancy': ['acronym', 'romancy'], 'romandom': ['monodram', 'romandom'], 'romane': ['enamor', 'monera', 'oreman', 'romane'], 'romanes': ['masoner', 'romanes'], 'romanian': ['maronian', 'romanian'], 'romanic': ['amicron', 'marconi', 'minorca', 'romanic'], 'romanist': ['maronist', 'romanist'], 'romanistic': ['marcionist', 'romanistic'], 'romanite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'romanity': ['minatory', 'romanity'], 'romanly': ['almonry', 'romanly'], 'romantic': ['macrotin', 'romantic'], 'romanticly': ['matrocliny', 'romanticly'], 'romantism': ['matronism', 'romantism'], 'rome': ['mero', 'more', 'omer', 'rome'], 'romeite': ['moieter', 'romeite'], 'romeo': ['moore', 'romeo'], 'romero': ['romero', 'roomer'], 'romeshot': ['resmooth', 'romeshot', 'smoother'], 'romeward': ['marrowed', 'romeward'], 'romic': ['micro', 'moric', 'romic'], 'romish': ['hirmos', 'romish'], 'rompish': ['orphism', 'rompish'], 'ron': ['nor', 'ron'], 'ronald': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'roncet': ['conter', 'cornet', 'cronet', 'roncet'], 'ronco': ['conor', 'croon', 'ronco'], 'rond': ['dorn', 'rond'], 'rondache': ['anchored', 'rondache'], 'ronde': ['drone', 'ronde'], 'rondeau': ['rondeau', 'unoared'], 'rondel': ['rondel', 'rondle'], 'rondelet': ['redolent', 'rondelet'], 'rondeletia': ['delineator', 'rondeletia'], 'rondelle': ['enrolled', 'rondelle'], 'rondle': ['rondel', 'rondle'], 'rondo': ['donor', 'rondo'], 'rondure': ['rondure', 'rounder', 'unorder'], 'rone': ['oner', 'rone'], 'ronga': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rood': ['door', 'odor', 'oord', 'rood'], 'roodstone': ['doorstone', 'roodstone'], 'roofer': ['reroof', 'roofer'], 'rooflet': ['footler', 'rooflet'], 'rook': ['kroo', 'rook'], 'rooker': ['korero', 'rooker'], 'rool': ['loro', 'olor', 'orlo', 'rool'], 'room': ['moor', 'moro', 'room'], 'roomage': ['moorage', 'roomage'], 'roomed': ['doomer', 'mooder', 'redoom', 'roomed'], 'roomer': ['romero', 'roomer'], 'roomlet': ['roomlet', 'tremolo'], 'roomstead': ['astrodome', 'roomstead'], 'roomward': ['roomward', 'wardroom'], 'roomy': ['moory', 'roomy'], 'roost': ['roost', 'torso'], 'root': ['root', 'roto', 'toro'], 'rooter': ['reroot', 'rooter', 'torero'], 'rootle': ['looter', 'retool', 'rootle', 'tooler'], 'rootlet': ['rootlet', 'tootler'], 'rootworm': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'rope': ['pore', 'rope'], 'ropeable': ['operable', 'ropeable'], 'ropelike': ['porelike', 'ropelike'], 'ropeman': ['manrope', 'ropeman'], 'roper': ['porer', 'prore', 'roper'], 'ropes': ['poser', 'prose', 'ropes', 'spore'], 'ropiness': ['poriness', 'pression', 'ropiness'], 'roping': ['poring', 'roping'], 'ropp': ['prop', 'ropp'], 'ropy': ['pory', 'pyro', 'ropy'], 'roquet': ['quoter', 'roquet', 'torque'], 'rosa': ['asor', 'rosa', 'soar', 'sora'], 'rosabel': ['borlase', 'labrose', 'rosabel'], 'rosal': ['rosal', 'solar', 'soral'], 'rosales': ['lassoer', 'oarless', 'rosales'], 'rosalie': ['rosalie', 'seriola'], 'rosaniline': ['enaliornis', 'rosaniline'], 'rosated': ['rosated', 'torsade'], 'rose': ['eros', 'rose', 'sero', 'sore'], 'roseal': ['roseal', 'solera'], 'rosed': ['doser', 'rosed'], 'rosehead': ['rosehead', 'sorehead'], 'roseine': ['erinose', 'roseine'], 'rosel': ['loser', 'orsel', 'rosel', 'soler'], 'roselite': ['literose', 'roselite', 'tirolese'], 'roselle': ['orselle', 'roselle'], 'roseola': ['aerosol', 'roseola'], 'roset': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rosetan': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'rosetime': ['rosetime', 'timorese', 'tiresome'], 'rosetta': ['retoast', 'rosetta', 'stoater', 'toaster'], 'rosette': ['rosette', 'tetrose'], 'rosetum': ['oestrum', 'rosetum'], 'rosety': ['oyster', 'rosety'], 'rosin': ['ornis', 'rosin'], 'rosinate': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'rosine': ['rosine', 'senior', 'soneri'], 'rosiness': ['insessor', 'rosiness'], 'rosmarine': ['morrisean', 'rosmarine'], 'rosolite': ['oestriol', 'rosolite'], 'rosorial': ['rosorial', 'sororial'], 'rossite': ['rossite', 'sorites'], 'rostel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'roster': ['resort', 'roster', 'sorter', 'storer'], 'rostra': ['rostra', 'sartor'], 'rostrate': ['rostrate', 'trostera'], 'rosulate': ['oestrual', 'rosulate'], 'rosy': ['rosy', 'sory'], 'rot': ['ort', 'rot', 'tor'], 'rota': ['rota', 'taro', 'tora'], 'rotacism': ['acrotism', 'rotacism'], 'rotal': ['latro', 'rotal', 'toral'], 'rotala': ['aortal', 'rotala'], 'rotalian': ['notarial', 'rational', 'rotalian'], 'rotan': ['orant', 'rotan', 'toran', 'trona'], 'rotanev': ['rotanev', 'venator'], 'rotarian': ['rotarian', 'tornaria'], 'rotate': ['rotate', 'tetrao'], 'rotch': ['chort', 'rotch', 'torch'], 'rote': ['rote', 'tore'], 'rotella': ['reallot', 'rotella', 'tallero'], 'rotge': ['ergot', 'rotge'], 'rother': ['rhetor', 'rother'], 'roto': ['root', 'roto', 'toro'], 'rotse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rottan': ['attorn', 'ratton', 'rottan'], 'rotten': ['rotten', 'terton'], 'rotter': ['retort', 'retrot', 'rotter'], 'rottle': ['lotter', 'rottle', 'tolter'], 'rotula': ['rotula', 'torula'], 'rotulian': ['rotulian', 'uranotil'], 'rotuliform': ['rotuliform', 'toruliform'], 'rotulus': ['rotulus', 'torulus'], 'rotund': ['rotund', 'untrod'], 'rotunda': ['rotunda', 'tandour'], 'rotundate': ['rotundate', 'unrotated'], 'rotundifoliate': ['rotundifoliate', 'titanofluoride'], 'rotundo': ['orotund', 'rotundo'], 'roub': ['buro', 'roub'], 'roud': ['dour', 'duro', 'ordu', 'roud'], 'rouge': ['orgue', 'rogue', 'rouge'], 'rougeot': ['outgoer', 'rougeot'], 'roughen': ['enrough', 'roughen'], 'roughie': ['higuero', 'roughie'], 'rouky': ['rouky', 'yurok'], 'roulade': ['roulade', 'urodela'], 'rounce': ['conure', 'rounce', 'uncore'], 'rounded': ['redound', 'rounded', 'underdo'], 'roundel': ['durenol', 'lounder', 'roundel'], 'rounder': ['rondure', 'rounder', 'unorder'], 'roundhead': ['roundhead', 'unhoarded'], 'roundseam': ['meandrous', 'roundseam'], 'roundup': ['roundup', 'unproud'], 'roup': ['pour', 'roup'], 'rouper': ['pourer', 'repour', 'rouper'], 'roupet': ['pouter', 'roupet', 'troupe'], 'rousedness': ['rousedness', 'souredness'], 'rouser': ['rouser', 'sourer'], 'rousing': ['nigrous', 'rousing', 'souring'], 'rousseau': ['eosaurus', 'rousseau'], 'roust': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'rouster': ['rouster', 'trouser'], 'rousting': ['rousting', 'stouring'], 'rout': ['rout', 'toru', 'tour'], 'route': ['outer', 'outre', 'route'], 'router': ['retour', 'router', 'tourer'], 'routh': ['routh', 'throu'], 'routhie': ['outhire', 'routhie'], 'routine': ['routine', 'tueiron'], 'routing': ['outgrin', 'outring', 'routing', 'touring'], 'routinist': ['introitus', 'routinist'], 'rove': ['over', 'rove'], 'rovet': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'row': ['row', 'wro'], 'rowdily': ['rowdily', 'wordily'], 'rowdiness': ['rowdiness', 'wordiness'], 'rowdy': ['dowry', 'rowdy', 'wordy'], 'rowed': ['dower', 'rowed'], 'rowel': ['lower', 'owler', 'rowel'], 'rowelhead': ['rowelhead', 'wheelroad'], 'rowen': ['owner', 'reown', 'rowen'], 'rower': ['rerow', 'rower'], 'rowet': ['rowet', 'tower', 'wrote'], 'rowing': ['ingrow', 'rowing'], 'rowlet': ['rowlet', 'trowel', 'wolter'], 'rowley': ['lowery', 'owlery', 'rowley', 'yowler'], 'roxy': ['oryx', 'roxy'], 'roy': ['ory', 'roy', 'yor'], 'royalist': ['royalist', 'solitary'], 'royet': ['royet', 'toyer'], 'royt': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rua': ['aru', 'rua', 'ura'], 'ruana': ['anura', 'ruana'], 'rub': ['bur', 'rub'], 'rubasse': ['rubasse', 'surbase'], 'rubato': ['outbar', 'rubato', 'tabour'], 'rubbed': ['dubber', 'rubbed'], 'rubble': ['burble', 'lubber', 'rubble'], 'rubbler': ['burbler', 'rubbler'], 'rubbly': ['burbly', 'rubbly'], 'rube': ['bure', 'reub', 'rube'], 'rubella': ['rubella', 'rulable'], 'rubescent': ['rubescent', 'subcenter'], 'rubiate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'rubiator': ['rubiator', 'torrubia'], 'rubican': ['brucina', 'rubican'], 'rubied': ['burdie', 'buried', 'rubied'], 'rubification': ['rubification', 'urbification'], 'rubify': ['rubify', 'urbify'], 'rubine': ['burnie', 'rubine'], 'ruble': ['bluer', 'brule', 'burel', 'ruble'], 'rubor': ['burro', 'robur', 'rubor'], 'rubrical': ['bicrural', 'rubrical'], 'ruby': ['bury', 'ruby'], 'ructation': ['anticourt', 'curtation', 'ructation'], 'ruction': ['courtin', 'ruction'], 'rud': ['rud', 'urd'], 'rudas': ['rudas', 'sudra'], 'ruddle': ['dudler', 'ruddle'], 'rude': ['duer', 'dure', 'rude', 'urde'], 'rudish': ['hurdis', 'rudish'], 'rudista': ['dasturi', 'rudista'], 'rudity': ['durity', 'rudity'], 'rue': ['rue', 'ure'], 'ruen': ['renu', 'ruen', 'rune'], 'ruffed': ['duffer', 'ruffed'], 'rufter': ['returf', 'rufter'], 'rug': ['gur', 'rug'], 'ruga': ['gaur', 'guar', 'ruga'], 'rugate': ['argute', 'guetar', 'rugate', 'tuareg'], 'rugged': ['grudge', 'rugged'], 'ruggle': ['gurgle', 'lugger', 'ruggle'], 'rugose': ['grouse', 'rugose'], 'ruinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'ruination': ['ruination', 'urination'], 'ruinator': ['ruinator', 'urinator'], 'ruined': ['diurne', 'inured', 'ruined', 'unride'], 'ruing': ['irgun', 'ruing', 'unrig'], 'ruinous': ['ruinous', 'urinous'], 'ruinousness': ['ruinousness', 'urinousness'], 'rulable': ['rubella', 'rulable'], 'rule': ['lure', 'rule'], 'ruledom': ['remould', 'ruledom'], 'ruler': ['lurer', 'ruler'], 'ruling': ['ruling', 'urling'], 'rulingly': ['luringly', 'rulingly'], 'rum': ['mru', 'rum'], 'rumal': ['mural', 'rumal'], 'ruman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'rumble': ['lumber', 'rumble', 'umbrel'], 'rumelian': ['lemurian', 'malurine', 'rumelian'], 'rumex': ['murex', 'rumex'], 'ruminant': ['nutramin', 'ruminant'], 'ruminator': ['antirumor', 'ruminator'], 'rumly': ['murly', 'rumly'], 'rumple': ['lumper', 'plumer', 'replum', 'rumple'], 'run': ['run', 'urn'], 'runback': ['backrun', 'runback'], 'runby': ['burny', 'runby'], 'runch': ['churn', 'runch'], 'runcinate': ['encurtain', 'runcinate', 'uncertain'], 'rundale': ['launder', 'rundale'], 'rundi': ['rundi', 'unrid'], 'rundlet': ['rundlet', 'trundle'], 'rune': ['renu', 'ruen', 'rune'], 'runed': ['runed', 'under', 'unred'], 'runer': ['rerun', 'runer'], 'runfish': ['furnish', 'runfish'], 'rung': ['grun', 'rung'], 'runic': ['curin', 'incur', 'runic'], 'runically': ['runically', 'unlyrical'], 'runite': ['runite', 'triune', 'uniter', 'untire'], 'runkly': ['knurly', 'runkly'], 'runlet': ['runlet', 'turnel'], 'runnet': ['runnet', 'tunner', 'unrent'], 'runout': ['outrun', 'runout'], 'runover': ['overrun', 'runover'], 'runt': ['runt', 'trun', 'turn'], 'runted': ['runted', 'tunder', 'turned'], 'runtee': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'runway': ['runway', 'unwary'], 'rupa': ['prau', 'rupa'], 'rupee': ['puree', 'rupee'], 'rupestrian': ['rupestrian', 'supertrain'], 'rupiah': ['hairup', 'rupiah'], 'rural': ['rural', 'urlar'], 'rus': ['rus', 'sur', 'urs'], 'rusa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ruscus': ['cursus', 'ruscus'], 'ruse': ['ruse', 'suer', 'sure', 'user'], 'rush': ['rhus', 'rush'], 'rushen': ['reshun', 'rushen'], 'rusine': ['insure', 'rusine', 'ursine'], 'rusma': ['musar', 'ramus', 'rusma', 'surma'], 'rusot': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'russelia': ['russelia', 'siruelas'], 'russet': ['russet', 'tusser'], 'russify': ['fissury', 'russify'], 'russine': ['russine', 'serinus', 'sunrise'], 'rustable': ['baluster', 'rustable'], 'rustic': ['citrus', 'curtis', 'rictus', 'rustic'], 'rusticial': ['curialist', 'rusticial'], 'rusticly': ['crustily', 'rusticly'], 'rusticness': ['crustiness', 'rusticness'], 'rustle': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'rustling': ['lustring', 'rustling'], 'rustly': ['rustly', 'sultry'], 'rut': ['rut', 'tur'], 'ruta': ['ruta', 'taur'], 'rutch': ['cruth', 'rutch'], 'rutelian': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'rutelinae': ['lineature', 'rutelinae'], 'ruth': ['hurt', 'ruth'], 'ruthenian': ['hunterian', 'ruthenian'], 'ruther': ['hurter', 'ruther'], 'ruthful': ['hurtful', 'ruthful'], 'ruthfully': ['hurtfully', 'ruthfully'], 'ruthfulness': ['hurtfulness', 'ruthfulness'], 'ruthless': ['hurtless', 'ruthless'], 'ruthlessly': ['hurtlessly', 'ruthlessly'], 'ruthlessness': ['hurtlessness', 'ruthlessness'], 'rutilant': ['rutilant', 'turntail'], 'rutinose': ['rutinose', 'tursenoi'], 'rutter': ['rutter', 'turret'], 'rutyl': ['rutyl', 'truly'], 'rutylene': ['neuterly', 'rutylene'], 'ryal': ['aryl', 'lyra', 'ryal', 'yarl'], 'ryder': ['derry', 'redry', 'ryder'], 'rye': ['rye', 'yer'], 'ryen': ['ryen', 'yern'], 'ryot': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rype': ['prey', 'pyre', 'rype'], 'rytina': ['rytina', 'trainy', 'tyrian'], 'sa': ['as', 'sa'], 'saa': ['asa', 'saa'], 'saan': ['anas', 'ansa', 'saan'], 'sab': ['bas', 'sab'], 'saba': ['abas', 'saba'], 'sabal': ['balas', 'balsa', 'basal', 'sabal'], 'saban': ['nasab', 'saban'], 'sabanut': ['sabanut', 'sabutan', 'tabanus'], 'sabe': ['base', 'besa', 'sabe', 'seba'], 'sabeca': ['casabe', 'sabeca'], 'sabella': ['basella', 'sabella', 'salable'], 'sabelli': ['sabelli', 'sebilla'], 'sabellid': ['sabellid', 'slidable'], 'saber': ['barse', 'besra', 'saber', 'serab'], 'sabered': ['debaser', 'sabered'], 'sabian': ['sabian', 'sabina'], 'sabina': ['sabian', 'sabina'], 'sabino': ['basion', 'bonsai', 'sabino'], 'sabir': ['baris', 'sabir'], 'sable': ['blase', 'sable'], 'saboraim': ['ambrosia', 'saboraim'], 'sabot': ['basto', 'boast', 'sabot'], 'sabotine': ['obeisant', 'sabotine'], 'sabromin': ['ambrosin', 'barosmin', 'sabromin'], 'sabulite': ['sabulite', 'suitable'], 'sabutan': ['sabanut', 'sabutan', 'tabanus'], 'sacalait': ['castalia', 'sacalait'], 'saccade': ['cascade', 'saccade'], 'saccomyian': ['saccomyian', 'saccomyina'], 'saccomyina': ['saccomyian', 'saccomyina'], 'sacculoutricular': ['sacculoutricular', 'utriculosaccular'], 'sacellum': ['camellus', 'sacellum'], 'sachem': ['sachem', 'schema'], 'sachet': ['chaste', 'sachet', 'scathe', 'scheat'], 'sacian': ['ascian', 'sacian', 'scania', 'sicana'], 'sack': ['cask', 'sack'], 'sackbut': ['sackbut', 'subtack'], 'sacken': ['sacken', 'skance'], 'sacker': ['resack', 'sacker', 'screak'], 'sacking': ['casking', 'sacking'], 'sacklike': ['casklike', 'sacklike'], 'sacque': ['casque', 'sacque'], 'sacral': ['lascar', 'rascal', 'sacral', 'scalar'], 'sacrification': ['sacrification', 'scarification'], 'sacrificator': ['sacrificator', 'scarificator'], 'sacripant': ['sacripant', 'spartanic'], 'sacro': ['arcos', 'crosa', 'oscar', 'sacro'], 'sacrodorsal': ['dorsosacral', 'sacrodorsal'], 'sacroischiac': ['isosaccharic', 'sacroischiac'], 'sacrolumbal': ['lumbosacral', 'sacrolumbal'], 'sacrovertebral': ['sacrovertebral', 'vertebrosacral'], 'sad': ['das', 'sad'], 'sadden': ['desand', 'sadden', 'sanded'], 'saddling': ['addlings', 'saddling'], 'sadh': ['dash', 'sadh', 'shad'], 'sadhe': ['deash', 'hades', 'sadhe', 'shade'], 'sadic': ['asdic', 'sadic'], 'sadie': ['aides', 'aside', 'sadie'], 'sadiron': ['sadiron', 'sardoin'], 'sado': ['dosa', 'sado', 'soda'], 'sadr': ['sadr', 'sard'], 'saeima': ['asemia', 'saeima'], 'saernaite': ['arseniate', 'saernaite'], 'saeter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'saeume': ['amusee', 'saeume'], 'safar': ['safar', 'saraf'], 'safely': ['fayles', 'safely'], 'saft': ['fast', 'saft'], 'sag': ['gas', 'sag'], 'sagai': ['sagai', 'saiga'], 'sagene': ['sagene', 'senega'], 'sagger': ['sagger', 'seggar'], 'sagless': ['gasless', 'glasses', 'sagless'], 'sago': ['sago', 'soga'], 'sagoin': ['gosain', 'isagon', 'sagoin'], 'sagra': ['argas', 'sagra'], 'sah': ['ash', 'sah', 'sha'], 'saharic': ['arachis', 'asiarch', 'saharic'], 'sahh': ['hash', 'sahh', 'shah'], 'sahidic': ['hasidic', 'sahidic'], 'sahme': ['sahme', 'shame'], 'saho': ['saho', 'shoa'], 'sai': ['sai', 'sia'], 'saic': ['acis', 'asci', 'saic'], 'said': ['dais', 'dasi', 'disa', 'said', 'sida'], 'saidi': ['saidi', 'saiid'], 'saiga': ['sagai', 'saiga'], 'saiid': ['saidi', 'saiid'], 'sail': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sailable': ['isabella', 'sailable'], 'sailage': ['algesia', 'sailage'], 'sailed': ['aisled', 'deasil', 'ladies', 'sailed'], 'sailer': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'sailing': ['aisling', 'sailing'], 'sailoring': ['sailoring', 'signorial'], 'sailsman': ['nasalism', 'sailsman'], 'saily': ['islay', 'saily'], 'saim': ['mias', 'saim', 'siam', 'sima'], 'sain': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sainfoin': ['sainfoin', 'sinfonia'], 'saint': ['saint', 'satin', 'stain'], 'saintdom': ['donatism', 'saintdom'], 'sainted': ['destain', 'instead', 'sainted', 'satined'], 'saintless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'saintlike': ['kleistian', 'saintlike', 'satinlike'], 'saintly': ['nastily', 'saintly', 'staynil'], 'saintship': ['hispanist', 'saintship'], 'saip': ['apis', 'pais', 'pasi', 'saip'], 'saiph': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'sair': ['rais', 'sair', 'sari'], 'saite': ['saite', 'taise'], 'saithe': ['saithe', 'tashie', 'teaish'], 'saitic': ['isatic', 'saitic'], 'saivism': ['saivism', 'sivaism'], 'sak': ['ask', 'sak'], 'saka': ['asak', 'kasa', 'saka'], 'sake': ['sake', 'seak'], 'sakeen': ['sakeen', 'sekane'], 'sakel': ['alkes', 'sakel', 'slake'], 'saker': ['asker', 'reask', 'saker', 'sekar'], 'sakeret': ['restake', 'sakeret'], 'sakha': ['kasha', 'khasa', 'sakha', 'shaka'], 'saki': ['saki', 'siak', 'sika'], 'sal': ['las', 'sal', 'sla'], 'salable': ['basella', 'sabella', 'salable'], 'salably': ['basally', 'salably'], 'salaceta': ['catalase', 'salaceta'], 'salacot': ['coastal', 'salacot'], 'salading': ['salading', 'salangid'], 'salago': ['aglaos', 'salago'], 'salamandarin': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrian': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrina': ['salamandarin', 'salamandrian', 'salamandrina'], 'salangid': ['salading', 'salangid'], 'salariat': ['alastair', 'salariat'], 'salat': ['atlas', 'salat', 'salta'], 'salay': ['asyla', 'salay', 'sayal'], 'sale': ['elsa', 'sale', 'seal', 'slae'], 'salele': ['salele', 'sallee'], 'salep': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'saleratus': ['assaulter', 'reassault', 'saleratus'], 'salian': ['anisal', 'nasial', 'salian', 'salina'], 'salic': ['lacis', 'salic'], 'salicin': ['incisal', 'salicin'], 'salicylide': ['salicylide', 'scylliidae'], 'salience': ['salience', 'secaline'], 'salient': ['elastin', 'salient', 'saltine', 'slainte'], 'salimeter': ['misrelate', 'salimeter'], 'salimetry': ['mysterial', 'salimetry'], 'salina': ['anisal', 'nasial', 'salian', 'salina'], 'saline': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'salinoterreous': ['salinoterreous', 'soliterraneous'], 'salite': ['isleta', 'litsea', 'salite', 'stelai'], 'salited': ['distale', 'salited'], 'saliva': ['saliva', 'salvia'], 'salivan': ['salivan', 'slavian'], 'salivant': ['navalist', 'salivant'], 'salivate': ['salivate', 'vestalia'], 'salle': ['salle', 'sella'], 'sallee': ['salele', 'sallee'], 'sallet': ['sallet', 'stella', 'talles'], 'sallow': ['sallow', 'swallo'], 'salm': ['alms', 'salm', 'slam'], 'salma': ['salma', 'samal'], 'salmine': ['malines', 'salmine', 'selamin', 'seminal'], 'salmis': ['missal', 'salmis'], 'salmo': ['salmo', 'somal'], 'salmonsite': ['assoilment', 'salmonsite'], 'salome': ['melosa', 'salome', 'semola'], 'salometer': ['elastomer', 'salometer'], 'salon': ['salon', 'sloan', 'solan'], 'saloon': ['alonso', 'alsoon', 'saloon'], 'salp': ['salp', 'slap'], 'salpa': ['palas', 'salpa'], 'salpidae': ['palisade', 'salpidae'], 'salpoid': ['psaloid', 'salpoid'], 'salt': ['last', 'salt', 'slat'], 'salta': ['atlas', 'salat', 'salta'], 'saltary': ['astylar', 'saltary'], 'saltation': ['saltation', 'stational'], 'salted': ['desalt', 'salted'], 'saltee': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'salter': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'saltern': ['saltern', 'starnel', 'sternal'], 'saltery': ['saltery', 'stearyl'], 'saltier': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'saltine': ['elastin', 'salient', 'saltine', 'slainte'], 'saltiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'salting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'saltish': ['saltish', 'slatish'], 'saltly': ['lastly', 'saltly'], 'saltness': ['lastness', 'saltness'], 'saltometer': ['rattlesome', 'saltometer'], 'saltus': ['saltus', 'tussal'], 'saltwife': ['flatwise', 'saltwife'], 'salty': ['lasty', 'salty', 'slaty'], 'salung': ['lugnas', 'salung'], 'salute': ['salute', 'setula'], 'saluter': ['arustle', 'estrual', 'saluter', 'saulter'], 'salva': ['salva', 'valsa', 'vasal'], 'salve': ['salve', 'selva', 'slave', 'valse'], 'salver': ['salver', 'serval', 'slaver', 'versal'], 'salvia': ['saliva', 'salvia'], 'salvy': ['salvy', 'sylva'], 'sam': ['mas', 'sam', 'sma'], 'samal': ['salma', 'samal'], 'saman': ['manas', 'saman'], 'samani': ['samani', 'samian'], 'samaritan': ['samaritan', 'sarmatian'], 'samas': ['amass', 'assam', 'massa', 'samas'], 'sambal': ['balsam', 'sambal'], 'sambo': ['ambos', 'sambo'], 'same': ['asem', 'mesa', 'same', 'seam'], 'samel': ['amsel', 'melas', 'mesal', 'samel'], 'samely': ['measly', 'samely'], 'samen': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'samh': ['mash', 'samh', 'sham'], 'samian': ['samani', 'samian'], 'samiel': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'samir': ['maris', 'marsi', 'samir', 'simar'], 'samisen': ['samisen', 'samsien'], 'samish': ['samish', 'sisham'], 'samite': ['samite', 'semita', 'tamise', 'teaism'], 'sammer': ['mamers', 'sammer'], 'sammier': ['amerism', 'asimmer', 'sammier'], 'samnani': ['ananism', 'samnani'], 'samnite': ['atenism', 'inmeats', 'insteam', 'samnite'], 'samoan': ['monasa', 'samoan'], 'samothere': ['heartsome', 'samothere'], 'samoyed': ['samoyed', 'someday'], 'samphire': ['samphire', 'seraphim'], 'sampi': ['apism', 'sampi'], 'sampler': ['lampers', 'sampler'], 'samsien': ['samisen', 'samsien'], 'samskara': ['makassar', 'samskara'], 'samucan': ['manacus', 'samucan'], 'samuel': ['amelus', 'samuel'], 'sanability': ['insatiably', 'sanability'], 'sanai': ['asian', 'naias', 'sanai'], 'sanand': ['sanand', 'sandan'], 'sanche': ['encash', 'sanche'], 'sanct': ['sanct', 'scant'], 'sanction': ['canonist', 'sanction', 'sonantic'], 'sanctioner': ['resanction', 'sanctioner'], 'sanctity': ['sanctity', 'scantity'], 'sandak': ['sandak', 'skanda'], 'sandan': ['sanand', 'sandan'], 'sandarac': ['carandas', 'sandarac'], 'sandawe': ['sandawe', 'weasand'], 'sanded': ['desand', 'sadden', 'sanded'], 'sanderling': ['sanderling', 'slandering'], 'sandflower': ['flandowser', 'sandflower'], 'sandhi': ['danish', 'sandhi'], 'sandra': ['nasard', 'sandra'], 'sandworm': ['sandworm', 'swordman', 'wordsman'], 'sane': ['anes', 'sane', 'sean'], 'sanetch': ['chasten', 'sanetch'], 'sang': ['sang', 'snag'], 'sanga': ['gasan', 'sanga'], 'sangar': ['argans', 'sangar'], 'sangei': ['easing', 'sangei'], 'sanger': ['angers', 'sanger', 'serang'], 'sangrel': ['sangrel', 'snagrel'], 'sanhita': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'sanicle': ['celsian', 'escalin', 'sanicle', 'secalin'], 'sanies': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sanious': ['sanious', 'suasion'], 'sanitate': ['astatine', 'sanitate'], 'sanitize': ['sanitize', 'satinize'], 'sanity': ['sanity', 'satiny'], 'sank': ['kans', 'sank'], 'sankha': ['kashan', 'sankha'], 'sannup': ['pannus', 'sannup', 'unsnap', 'unspan'], 'sanpoil': ['sanpoil', 'spaniol'], 'sansei': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sansi': ['sansi', 'sasin'], 'sant': ['nast', 'sant', 'stan'], 'santa': ['santa', 'satan'], 'santal': ['aslant', 'lansat', 'natals', 'santal'], 'santali': ['lanista', 'santali'], 'santalin': ['annalist', 'santalin'], 'santee': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'santiago': ['agonista', 'santiago'], 'santimi': ['animist', 'santimi'], 'santir': ['instar', 'santir', 'strain'], 'santon': ['santon', 'sonant', 'stanno'], 'santorinite': ['reinstation', 'santorinite'], 'sap': ['asp', 'sap', 'spa'], 'sapan': ['pasan', 'sapan'], 'sapek': ['sapek', 'speak'], 'saperda': ['aspread', 'saperda'], 'saphena': ['aphanes', 'saphena'], 'sapid': ['sapid', 'spaid'], 'sapient': ['panties', 'sapient', 'spinate'], 'sapiential': ['antilipase', 'sapiential'], 'sapin': ['pisan', 'sapin', 'spina'], 'sapinda': ['anapsid', 'sapinda'], 'saple': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sapling': ['lapsing', 'sapling'], 'sapo': ['asop', 'sapo', 'soap'], 'sapor': ['psora', 'sapor', 'sarpo'], 'saporous': ['asporous', 'saporous'], 'sapota': ['sapota', 'taposa'], 'sapotilha': ['hapalotis', 'sapotilha'], 'sapphire': ['papisher', 'sapphire'], 'sapples': ['papless', 'sapples'], 'sapremia': ['aspermia', 'sapremia'], 'sapremic': ['aspermic', 'sapremic'], 'saprine': ['persian', 'prasine', 'saprine'], 'saprolite': ['posterial', 'saprolite'], 'saprolitic': ['polaristic', 'poristical', 'saprolitic'], 'sapropel': ['prolapse', 'sapropel'], 'sapropelic': ['periscopal', 'sapropelic'], 'saprophagous': ['prasophagous', 'saprophagous'], 'sapwort': ['postwar', 'sapwort'], 'sar': ['ras', 'sar'], 'sara': ['rasa', 'sara'], 'saraad': ['saraad', 'sarada'], 'sarada': ['saraad', 'sarada'], 'saraf': ['safar', 'saraf'], 'sarah': ['asarh', 'raash', 'sarah'], 'saran': ['ansar', 'saran', 'sarna'], 'sarangi': ['giansar', 'sarangi'], 'sarcenet': ['reascent', 'sarcenet'], 'sarcine': ['arsenic', 'cerasin', 'sarcine'], 'sarcitis': ['sarcitis', 'triassic'], 'sarcle': ['sarcle', 'scaler', 'sclera'], 'sarcoadenoma': ['adenosarcoma', 'sarcoadenoma'], 'sarcocarcinoma': ['carcinosarcoma', 'sarcocarcinoma'], 'sarcoid': ['sarcoid', 'scaroid'], 'sarcoline': ['censorial', 'sarcoline'], 'sarcolite': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sarcoplast': ['postsacral', 'sarcoplast'], 'sarcotic': ['acrostic', 'sarcotic', 'socratic'], 'sard': ['sadr', 'sard'], 'sardian': ['andrias', 'sardian', 'sarinda'], 'sardine': ['andries', 'isander', 'sardine'], 'sardoin': ['sadiron', 'sardoin'], 'sardonic': ['draconis', 'sardonic'], 'sare': ['arse', 'rase', 'sare', 'sear', 'sera'], 'sargonide': ['grandiose', 'sargonide'], 'sari': ['rais', 'sair', 'sari'], 'sarif': ['farsi', 'sarif'], 'sarigue': ['ergusia', 'gerusia', 'sarigue'], 'sarinda': ['andrias', 'sardian', 'sarinda'], 'sarip': ['paris', 'parsi', 'sarip'], 'sark': ['askr', 'kras', 'sark'], 'sarkine': ['kerasin', 'sarkine'], 'sarkit': ['rastik', 'sarkit', 'straik'], 'sarmatian': ['samaritan', 'sarmatian'], 'sarment': ['sarment', 'smarten'], 'sarmentous': ['sarmentous', 'tarsonemus'], 'sarna': ['ansar', 'saran', 'sarna'], 'sarod': ['sarod', 'sorda'], 'saron': ['arson', 'saron', 'sonar'], 'saronic': ['arsonic', 'saronic'], 'sarpo': ['psora', 'sapor', 'sarpo'], 'sarra': ['arras', 'sarra'], 'sarsenet': ['assenter', 'reassent', 'sarsenet'], 'sarsi': ['arsis', 'sarsi'], 'sart': ['sart', 'star', 'stra', 'tars', 'tsar'], 'sartain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'sartish': ['sartish', 'shastri'], 'sartor': ['rostra', 'sartor'], 'sasan': ['nassa', 'sasan'], 'sasin': ['sansi', 'sasin'], 'sasine': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sat': ['ast', 'sat'], 'satan': ['santa', 'satan'], 'satanical': ['castalian', 'satanical'], 'satanism': ['mantissa', 'satanism'], 'sate': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'sateen': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'sateless': ['sateless', 'seatless'], 'satelles': ['satelles', 'tessella'], 'satellite': ['satellite', 'telestial'], 'satiable': ['bisaltae', 'satiable'], 'satiate': ['isatate', 'satiate', 'taetsia'], 'satieno': ['aeonist', 'asiento', 'satieno'], 'satient': ['atenist', 'instate', 'satient', 'steatin'], 'satin': ['saint', 'satin', 'stain'], 'satine': ['satine', 'tisane'], 'satined': ['destain', 'instead', 'sainted', 'satined'], 'satinette': ['enstatite', 'intestate', 'satinette'], 'satinite': ['satinite', 'sittinae'], 'satinize': ['sanitize', 'satinize'], 'satinlike': ['kleistian', 'saintlike', 'satinlike'], 'satiny': ['sanity', 'satiny'], 'satire': ['satire', 'striae'], 'satirical': ['racialist', 'satirical'], 'satirist': ['satirist', 'tarsitis'], 'satrae': ['astare', 'satrae'], 'satrapic': ['aspartic', 'satrapic'], 'satron': ['asnort', 'satron'], 'sattle': ['latest', 'sattle', 'taslet'], 'sattva': ['sattva', 'tavast'], 'saturable': ['balaustre', 'saturable'], 'saturation': ['saturation', 'titanosaur'], 'saturator': ['saturator', 'tartarous'], 'saturn': ['saturn', 'unstar'], 'saturnale': ['alaternus', 'saturnale'], 'saturnalia': ['australian', 'saturnalia'], 'saturnia': ['asturian', 'austrian', 'saturnia'], 'saturnine': ['neustrian', 'saturnine', 'sturninae'], 'saturnism': ['saturnism', 'surmisant'], 'satyr': ['satyr', 'stary', 'stray', 'trasy'], 'satyrlike': ['satyrlike', 'streakily'], 'sauce': ['cause', 'sauce'], 'sauceless': ['causeless', 'sauceless'], 'sauceline': ['sauceline', 'seleucian'], 'saucer': ['causer', 'saucer'], 'sauger': ['sauger', 'usager'], 'saugh': ['agush', 'saugh'], 'saul': ['saul', 'sula'], 'sauld': ['aldus', 'sauld'], 'sault': ['latus', 'sault', 'talus'], 'saulter': ['arustle', 'estrual', 'saluter', 'saulter'], 'saum': ['masu', 'musa', 'saum'], 'sauna': ['nasua', 'sauna'], 'saur': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'saura': ['arusa', 'saura', 'usara'], 'saurian': ['saurian', 'suriana'], 'saury': ['saury', 'surya'], 'sausage': ['assuage', 'sausage'], 'saut': ['saut', 'tasu', 'utas'], 'sauve': ['sauve', 'suave'], 'save': ['aves', 'save', 'vase'], 'savin': ['savin', 'sivan'], 'saviour': ['saviour', 'various'], 'savor': ['savor', 'sorva'], 'savored': ['oversad', 'savored'], 'saw': ['saw', 'swa', 'was'], 'sawah': ['awash', 'sawah'], 'sawali': ['aswail', 'sawali'], 'sawback': ['backsaw', 'sawback'], 'sawbuck': ['bucksaw', 'sawbuck'], 'sawer': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sawing': ['aswing', 'sawing'], 'sawish': ['sawish', 'siwash'], 'sawn': ['sawn', 'snaw', 'swan'], 'sawt': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'sawyer': ['sawyer', 'swayer'], 'saxe': ['axes', 'saxe', 'seax'], 'saxten': ['saxten', 'sextan'], 'say': ['say', 'yas'], 'sayal': ['asyla', 'salay', 'sayal'], 'sayer': ['reasy', 'resay', 'sayer', 'seary'], 'sayid': ['daisy', 'sayid'], 'scabbler': ['scabbler', 'scrabble'], 'scabies': ['abscise', 'scabies'], 'scaddle': ['scaddle', 'scalded'], 'scaean': ['anaces', 'scaean'], 'scala': ['calas', 'casal', 'scala'], 'scalar': ['lascar', 'rascal', 'sacral', 'scalar'], 'scalded': ['scaddle', 'scalded'], 'scale': ['alces', 'casel', 'scale'], 'scalena': ['escalan', 'scalena'], 'scalene': ['cleanse', 'scalene'], 'scaler': ['sarcle', 'scaler', 'sclera'], 'scallola': ['callosal', 'scallola'], 'scalloper': ['procellas', 'scalloper'], 'scaloni': ['nicolas', 'scaloni'], 'scalp': ['clasp', 'scalp'], 'scalper': ['clasper', 'reclasp', 'scalper'], 'scalping': ['clasping', 'scalping'], 'scalpture': ['prescutal', 'scalpture'], 'scaly': ['aclys', 'scaly'], 'scambler': ['scambler', 'scramble'], 'scampish': ['scampish', 'scaphism'], 'scania': ['ascian', 'sacian', 'scania', 'sicana'], 'scant': ['sanct', 'scant'], 'scantity': ['sanctity', 'scantity'], 'scantle': ['asclent', 'scantle'], 'scape': ['capes', 'scape', 'space'], 'scapeless': ['scapeless', 'spaceless'], 'scapha': ['pascha', 'scapha'], 'scaphander': ['handscrape', 'scaphander'], 'scaphism': ['scampish', 'scaphism'], 'scaphite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'scaphopod': ['podoscaph', 'scaphopod'], 'scapoid': ['psoadic', 'scapoid', 'sciapod'], 'scapolite': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'scappler': ['scappler', 'scrapple'], 'scapula': ['capsula', 'pascual', 'scapula'], 'scapular': ['capsular', 'scapular'], 'scapulated': ['capsulated', 'scapulated'], 'scapulectomy': ['capsulectomy', 'scapulectomy'], 'scarab': ['barsac', 'scarab'], 'scarcement': ['marcescent', 'scarcement'], 'scare': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scarification': ['sacrification', 'scarification'], 'scarificator': ['sacrificator', 'scarificator'], 'scarily': ['scarily', 'scraily'], 'scarlet': ['scarlet', 'sclater'], 'scarn': ['scarn', 'scran'], 'scaroid': ['sarcoid', 'scaroid'], 'scarp': ['craps', 'scarp', 'scrap'], 'scarping': ['scarping', 'scraping'], 'scart': ['scart', 'scrat'], 'scarth': ['scarth', 'scrath', 'starch'], 'scary': ['ascry', 'scary', 'scray'], 'scase': ['casse', 'scase'], 'scat': ['acts', 'cast', 'scat'], 'scathe': ['chaste', 'sachet', 'scathe', 'scheat'], 'scatterer': ['scatterer', 'streetcar'], 'scaturient': ['incrustate', 'scaturient', 'scrutinate'], 'scaum': ['camus', 'musca', 'scaum', 'sumac'], 'scaur': ['cursa', 'scaur'], 'scaut': ['scaut', 'scuta'], 'scavel': ['calves', 'scavel'], 'scawl': ['scawl', 'sclaw'], 'sceat': ['caste', 'sceat'], 'scene': ['cense', 'scene', 'sence'], 'scenery': ['scenery', 'screeny'], 'scented': ['descent', 'scented'], 'scepter': ['respect', 'scepter', 'specter'], 'sceptered': ['sceptered', 'spectered'], 'scepterless': ['respectless', 'scepterless'], 'sceptral': ['sceptral', 'scraplet', 'spectral'], 'sceptry': ['precyst', 'sceptry', 'spectry'], 'scerne': ['censer', 'scerne', 'screen', 'secern'], 'schalmei': ['camelish', 'schalmei'], 'scheat': ['chaste', 'sachet', 'scathe', 'scheat'], 'schema': ['sachem', 'schema'], 'schematic': ['catechism', 'schematic'], 'scheme': ['scheme', 'smeech'], 'schemer': ['chermes', 'schemer'], 'scho': ['cosh', 'scho'], 'scholae': ['oscheal', 'scholae'], 'schone': ['cheson', 'chosen', 'schone'], 'schooltime': ['chilostome', 'schooltime'], 'schout': ['schout', 'scouth'], 'schute': ['schute', 'tusche'], 'sciaenoid': ['oniscidae', 'oscinidae', 'sciaenoid'], 'scian': ['canis', 'scian'], 'sciapod': ['psoadic', 'scapoid', 'sciapod'], 'sciara': ['carisa', 'sciara'], 'sciarid': ['cidaris', 'sciarid'], 'sciatic': ['ascitic', 'sciatic'], 'sciatical': ['ascitical', 'sciatical'], 'scient': ['encist', 'incest', 'insect', 'scient'], 'sciential': ['elasticin', 'inelastic', 'sciential'], 'scillitan': ['scillitan', 'scintilla'], 'scintilla': ['scillitan', 'scintilla'], 'scintle': ['lentisc', 'scintle', 'stencil'], 'scion': ['oscin', 'scion', 'sonic'], 'sciot': ['ostic', 'sciot', 'stoic'], 'sciotherical': ['ischiorectal', 'sciotherical'], 'scious': ['scious', 'socius'], 'scirenga': ['creasing', 'scirenga'], 'scirpus': ['prussic', 'scirpus'], 'scissortail': ['scissortail', 'solaristics'], 'sciurine': ['incisure', 'sciurine'], 'sciuroid': ['dioscuri', 'sciuroid'], 'sclate': ['castle', 'sclate'], 'sclater': ['scarlet', 'sclater'], 'sclaw': ['scawl', 'sclaw'], 'sclera': ['sarcle', 'scaler', 'sclera'], 'sclere': ['sclere', 'screel'], 'scleria': ['scleria', 'sercial'], 'sclerite': ['sclerite', 'silcrete'], 'sclerodermite': ['dermosclerite', 'sclerodermite'], 'scleromata': ['clamatores', 'scleromata'], 'sclerose': ['coreless', 'sclerose'], 'sclerospora': ['prolacrosse', 'sclerospora'], 'sclerote': ['corselet', 'sclerote', 'selector'], 'sclerotia': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sclerotial': ['cloisteral', 'sclerotial'], 'sclerotinia': ['intersocial', 'orleanistic', 'sclerotinia'], 'sclerotium': ['closterium', 'sclerotium'], 'sclerotomy': ['mycosterol', 'sclerotomy'], 'scoad': ['cados', 'scoad'], 'scob': ['bosc', 'scob'], 'scobicular': ['scobicular', 'scrobicula'], 'scolia': ['colias', 'scolia', 'social'], 'scolion': ['scolion', 'solonic'], 'scombrine': ['becrimson', 'scombrine'], 'scone': ['cones', 'scone'], 'scooper': ['coprose', 'scooper'], 'scoot': ['coost', 'scoot'], 'scopa': ['posca', 'scopa'], 'scoparin': ['parsonic', 'scoparin'], 'scope': ['copse', 'pecos', 'scope'], 'scopidae': ['diascope', 'psocidae', 'scopidae'], 'scopine': ['psocine', 'scopine'], 'scopiped': ['podiceps', 'scopiped'], 'scopoline': ['niloscope', 'scopoline'], 'scorbutical': ['scorbutical', 'subcortical'], 'scorbutically': ['scorbutically', 'subcortically'], 'score': ['corse', 'score'], 'scorer': ['scorer', 'sorcer'], 'scoriae': ['coraise', 'scoriae'], 'scorpidae': ['carpiodes', 'scorpidae'], 'scorpiones': ['procession', 'scorpiones'], 'scorpionic': ['orniscopic', 'scorpionic'], 'scorse': ['cessor', 'crosse', 'scorse'], 'scortation': ['cartoonist', 'scortation'], 'scot': ['cost', 'scot'], 'scotale': ['alecost', 'lactose', 'scotale', 'talcose'], 'scote': ['coset', 'estoc', 'scote'], 'scoter': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'scotia': ['isotac', 'scotia'], 'scotism': ['cosmist', 'scotism'], 'scotomatic': ['osmotactic', 'scotomatic'], 'scotty': ['cytost', 'scotty'], 'scoup': ['copus', 'scoup'], 'scour': ['cours', 'scour'], 'scoured': ['coursed', 'scoured'], 'scourer': ['courser', 'scourer'], 'scourge': ['scourge', 'scrouge'], 'scourger': ['scourger', 'scrouger'], 'scouring': ['coursing', 'scouring'], 'scouth': ['schout', 'scouth'], 'scrabble': ['scabbler', 'scrabble'], 'scrabe': ['braces', 'scrabe'], 'scrae': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scraily': ['scarily', 'scraily'], 'scramble': ['scambler', 'scramble'], 'scran': ['scarn', 'scran'], 'scrap': ['craps', 'scarp', 'scrap'], 'scrape': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'scrapie': ['epacris', 'scrapie', 'serapic'], 'scraping': ['scarping', 'scraping'], 'scraplet': ['sceptral', 'scraplet', 'spectral'], 'scrapple': ['scappler', 'scrapple'], 'scrat': ['scart', 'scrat'], 'scratcher': ['rescratch', 'scratcher'], 'scrath': ['scarth', 'scrath', 'starch'], 'scray': ['ascry', 'scary', 'scray'], 'screak': ['resack', 'sacker', 'screak'], 'screaming': ['germanics', 'screaming'], 'screamy': ['armscye', 'screamy'], 'scree': ['scree', 'secre'], 'screel': ['sclere', 'screel'], 'screen': ['censer', 'scerne', 'screen', 'secern'], 'screenless': ['censerless', 'screenless'], 'screeny': ['scenery', 'screeny'], 'screet': ['resect', 'screet', 'secret'], 'screwdrive': ['drivescrew', 'screwdrive'], 'scrieve': ['cerevis', 'scrieve', 'service'], 'scrike': ['scrike', 'sicker'], 'scrip': ['crisp', 'scrip'], 'scripee': ['precise', 'scripee'], 'scripula': ['scripula', 'spicular'], 'scrobicula': ['scobicular', 'scrobicula'], 'scrota': ['arctos', 'castor', 'costar', 'scrota'], 'scrouge': ['scourge', 'scrouge'], 'scrouger': ['scourger', 'scrouger'], 'scrout': ['scrout', 'scruto'], 'scroyle': ['cryosel', 'scroyle'], 'scruf': ['scruf', 'scurf'], 'scruffle': ['scruffle', 'scuffler'], 'scruple': ['scruple', 'sculper'], 'scrutate': ['crustate', 'scrutate'], 'scrutation': ['crustation', 'scrutation'], 'scrutinant': ['incrustant', 'scrutinant'], 'scrutinate': ['incrustate', 'scaturient', 'scrutinate'], 'scruto': ['scrout', 'scruto'], 'scudi': ['scudi', 'sudic'], 'scuffler': ['scruffle', 'scuffler'], 'sculper': ['scruple', 'sculper'], 'sculpin': ['insculp', 'sculpin'], 'scup': ['cusp', 'scup'], 'scur': ['crus', 'scur'], 'scurf': ['scruf', 'scurf'], 'scusation': ['cosustain', 'scusation'], 'scuta': ['scaut', 'scuta'], 'scutal': ['scutal', 'suclat'], 'scute': ['cetus', 'scute'], 'scutifer': ['fusteric', 'scutifer'], 'scutigeral': ['gesticular', 'scutigeral'], 'scutula': ['auscult', 'scutula'], 'scye': ['scye', 'syce'], 'scylliidae': ['salicylide', 'scylliidae'], 'scyllium': ['clumsily', 'scyllium'], 'scyphi': ['physic', 'scyphi'], 'scyphomancy': ['psychomancy', 'scyphomancy'], 'scyt': ['cyst', 'scyt'], 'scythe': ['chesty', 'scythe'], 'scytitis': ['cystitis', 'scytitis'], 'se': ['es', 'se'], 'sea': ['aes', 'ase', 'sea'], 'seadog': ['dosage', 'seadog'], 'seagirt': ['seagirt', 'strigae'], 'seah': ['seah', 'shea'], 'seak': ['sake', 'seak'], 'seal': ['elsa', 'sale', 'seal', 'slae'], 'sealable': ['leasable', 'sealable'], 'sealch': ['cashel', 'laches', 'sealch'], 'sealer': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'sealet': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'sealing': ['leasing', 'sealing'], 'sealwort': ['restowal', 'sealwort'], 'seam': ['asem', 'mesa', 'same', 'seam'], 'seamanite': ['anamesite', 'seamanite'], 'seamark': ['kamares', 'seamark'], 'seamer': ['reseam', 'seamer'], 'seamlet': ['maltese', 'seamlet'], 'seamlike': ['mesalike', 'seamlike'], 'seamrend': ['redesman', 'seamrend'], 'seamster': ['masseter', 'seamster'], 'seamus': ['assume', 'seamus'], 'sean': ['anes', 'sane', 'sean'], 'seance': ['encase', 'seance', 'seneca'], 'seaplane': ['seaplane', 'spelaean'], 'seaport': ['esparto', 'petrosa', 'seaport'], 'sear': ['arse', 'rase', 'sare', 'sear', 'sera'], 'searce': ['cesare', 'crease', 'recase', 'searce'], 'searcer': ['creaser', 'searcer'], 'search': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'searcher': ['rechaser', 'research', 'searcher'], 'searchment': ['manchester', 'searchment'], 'searcloth': ['clathrose', 'searcloth'], 'seared': ['erased', 'reseda', 'seared'], 'searer': ['eraser', 'searer'], 'searing': ['searing', 'seringa'], 'seary': ['reasy', 'resay', 'sayer', 'seary'], 'seaside': ['disease', 'seaside'], 'seat': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'seated': ['seated', 'sedate'], 'seater': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'seating': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'seatless': ['sateless', 'seatless'], 'seatrain': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'seatron': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'seave': ['eaves', 'evase', 'seave'], 'seax': ['axes', 'saxe', 'seax'], 'seba': ['base', 'besa', 'sabe', 'seba'], 'sebastian': ['bassanite', 'sebastian'], 'sebilla': ['sabelli', 'sebilla'], 'sebum': ['embus', 'sebum'], 'secalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'secaline': ['salience', 'secaline'], 'secant': ['ascent', 'secant', 'stance'], 'secern': ['censer', 'scerne', 'screen', 'secern'], 'secernent': ['secernent', 'sentencer'], 'secondar': ['endosarc', 'secondar'], 'secos': ['cosse', 'secos'], 'secpar': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'secre': ['scree', 'secre'], 'secret': ['resect', 'screet', 'secret'], 'secretarian': ['ascertainer', 'reascertain', 'secretarian'], 'secretion': ['resection', 'secretion'], 'secretional': ['resectional', 'secretional'], 'sect': ['cest', 'sect'], 'sectarian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'sectarianism': ['cartesianism', 'sectarianism'], 'section': ['contise', 'noetics', 'section'], 'sectism': ['sectism', 'smectis'], 'sector': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'sectorial': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sectroid': ['decorist', 'sectroid'], 'securable': ['rescuable', 'securable'], 'securance': ['recusance', 'securance'], 'secure': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'securer': ['recurse', 'rescuer', 'securer'], 'sedan': ['sedan', 'snead'], 'sedanier': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'sedat': ['sedat', 'stade', 'stead'], 'sedate': ['seated', 'sedate'], 'sedation': ['astonied', 'sedation'], 'sederunt': ['sederunt', 'underset', 'undesert', 'unrested'], 'sedile': ['diesel', 'sedile', 'seidel'], 'sedimetric': ['sedimetric', 'semidirect'], 'sedimetrical': ['decimestrial', 'sedimetrical'], 'sedition': ['desition', 'sedition'], 'sedulity': ['dysluite', 'sedulity'], 'sedum': ['mused', 'sedum'], 'seedbird': ['birdseed', 'seedbird'], 'seeded': ['deseed', 'seeded'], 'seeder': ['reseed', 'seeder'], 'seedlip': ['pelides', 'seedlip'], 'seeing': ['seeing', 'signee'], 'seek': ['kees', 'seek', 'skee'], 'seeker': ['reseek', 'seeker'], 'seel': ['else', 'lees', 'seel', 'sele', 'slee'], 'seem': ['mese', 'seem', 'seme', 'smee'], 'seemer': ['emerse', 'seemer'], 'seen': ['ense', 'esne', 'nese', 'seen', 'snee'], 'seenu': ['ensue', 'seenu', 'unsee'], 'seer': ['erse', 'rees', 'seer', 'sere'], 'seerband': ['seerband', 'serabend'], 'seerhand': ['denshare', 'seerhand'], 'seerhood': ['rhodeose', 'seerhood'], 'seership': ['hesperis', 'seership'], 'seething': ['seething', 'sheeting'], 'seg': ['ges', 'seg'], 'seggar': ['sagger', 'seggar'], 'seggard': ['daggers', 'seggard'], 'sego': ['goes', 'sego'], 'segolate': ['gelatose', 'segolate'], 'segreant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'seid': ['desi', 'ides', 'seid', 'side'], 'seidel': ['diesel', 'sedile', 'seidel'], 'seignioral': ['seignioral', 'seignorial'], 'seignoral': ['gasoliner', 'seignoral'], 'seignorial': ['seignioral', 'seignorial'], 'seine': ['insee', 'seine'], 'seiner': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'seise': ['essie', 'seise'], 'seism': ['seism', 'semis'], 'seismal': ['aimless', 'melissa', 'seismal'], 'seismotic': ['seismotic', 'societism'], 'seit': ['seit', 'site'], 'seizable': ['seizable', 'sizeable'], 'seizer': ['resize', 'seizer'], 'sekane': ['sakeen', 'sekane'], 'sekani': ['kinase', 'sekani'], 'sekar': ['asker', 'reask', 'saker', 'sekar'], 'seker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'selagite': ['elegiast', 'selagite'], 'selah': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'selamin': ['malines', 'salmine', 'selamin', 'seminal'], 'selbergite': ['gilbertese', 'selbergite'], 'seldor': ['dorsel', 'seldor', 'solder'], 'seldseen': ['needless', 'seldseen'], 'sele': ['else', 'lees', 'seel', 'sele', 'slee'], 'selector': ['corselet', 'sclerote', 'selector'], 'selenic': ['license', 'selenic', 'silence'], 'selenion': ['leonines', 'selenion'], 'selenitic': ['insectile', 'selenitic'], 'selenium': ['selenium', 'semilune', 'seminule'], 'selenosis': ['noiseless', 'selenosis'], 'seleucian': ['sauceline', 'seleucian'], 'self': ['fels', 'self'], 'selfsame': ['fameless', 'selfsame'], 'selfsameness': ['famelessness', 'selfsameness'], 'selictar': ['altrices', 'selictar'], 'selina': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'selion': ['insole', 'leonis', 'lesion', 'selion'], 'seljukian': ['januslike', 'seljukian'], 'sella': ['salle', 'sella'], 'sellably': ['sellably', 'syllable'], 'sellate': ['estella', 'sellate'], 'seller': ['resell', 'seller'], 'selli': ['lisle', 'selli'], 'sellie': ['leslie', 'sellie'], 'sellout': ['outsell', 'sellout'], 'selt': ['lest', 'selt'], 'selter': ['lester', 'selter', 'streel'], 'selung': ['gunsel', 'selung', 'slunge'], 'selva': ['salve', 'selva', 'slave', 'valse'], 'semang': ['magnes', 'semang'], 'semantic': ['amnestic', 'semantic'], 'semaphore': ['mesohepar', 'semaphore'], 'sematic': ['cameist', 'etacism', 'sematic'], 'sematrope': ['perosmate', 'sematrope'], 'seme': ['mese', 'seem', 'seme', 'smee'], 'semen': ['mense', 'mesne', 'semen'], 'semeostoma': ['semeostoma', 'semostomae'], 'semi': ['mise', 'semi', 'sime'], 'semiarch': ['semiarch', 'smachrie'], 'semibald': ['bedismal', 'semibald'], 'semiball': ['mislabel', 'semiball'], 'semic': ['mesic', 'semic'], 'semicircle': ['semicircle', 'semicleric'], 'semicleric': ['semicircle', 'semicleric'], 'semicone': ['nicesome', 'semicone'], 'semicoronet': ['oncosimeter', 'semicoronet'], 'semicrome': ['mesomeric', 'microseme', 'semicrome'], 'semidirect': ['sedimetric', 'semidirect'], 'semidormant': ['memorandist', 'moderantism', 'semidormant'], 'semihard': ['dreamish', 'semihard'], 'semihiant': ['histamine', 'semihiant'], 'semilimber': ['immersible', 'semilimber'], 'semilunar': ['semilunar', 'unrealism'], 'semilune': ['selenium', 'semilune', 'seminule'], 'semiminor': ['immersion', 'semiminor'], 'semimoron': ['monroeism', 'semimoron'], 'seminal': ['malines', 'salmine', 'selamin', 'seminal'], 'seminar': ['remains', 'seminar'], 'seminasal': ['messalian', 'seminasal'], 'seminomadic': ['demoniacism', 'seminomadic'], 'seminomata': ['mastomenia', 'seminomata'], 'seminule': ['selenium', 'semilune', 'seminule'], 'semiopal': ['malpoise', 'semiopal'], 'semiorb': ['boreism', 'semiorb'], 'semiovaloid': ['semiovaloid', 'semiovoidal'], 'semiovoidal': ['semiovaloid', 'semiovoidal'], 'semipolar': ['perisomal', 'semipolar'], 'semipro': ['imposer', 'promise', 'semipro'], 'semipronation': ['impersonation', 'prosemination', 'semipronation'], 'semiquote': ['quietsome', 'semiquote'], 'semirotund': ['semirotund', 'unmortised'], 'semis': ['seism', 'semis'], 'semispan': ['menaspis', 'semispan'], 'semisteel': ['messelite', 'semisteel', 'teleseism'], 'semistill': ['limitless', 'semistill'], 'semistriated': ['disastimeter', 'semistriated'], 'semita': ['samite', 'semita', 'tamise', 'teaism'], 'semitae': ['amesite', 'mesitae', 'semitae'], 'semitour': ['moisture', 'semitour'], 'semiurban': ['semiurban', 'submarine'], 'semiurn': ['neurism', 'semiurn'], 'semivector': ['semivector', 'viscometer'], 'semnae': ['enseam', 'semnae'], 'semola': ['melosa', 'salome', 'semola'], 'semolella': ['lamellose', 'semolella'], 'semolina': ['laminose', 'lemonias', 'semolina'], 'semological': ['mesological', 'semological'], 'semology': ['mesology', 'semology'], 'semostomae': ['semeostoma', 'semostomae'], 'sempiternous': ['sempiternous', 'supermoisten'], 'semuncia': ['muscinae', 'semuncia'], 'semuncial': ['masculine', 'semuncial', 'simulance'], 'sen': ['ens', 'sen'], 'senaite': ['etesian', 'senaite'], 'senam': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'senarius': ['anuresis', 'senarius'], 'senate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'senator': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'senatorian': ['arsenation', 'senatorian', 'sonneratia'], 'senatrices': ['resistance', 'senatrices'], 'sence': ['cense', 'scene', 'sence'], 'senci': ['senci', 'since'], 'send': ['send', 'sned'], 'sender': ['resend', 'sender'], 'seneca': ['encase', 'seance', 'seneca'], 'senega': ['sagene', 'senega'], 'senesce': ['essence', 'senesce'], 'senile': ['enisle', 'ensile', 'senile', 'silene'], 'senilism': ['liminess', 'senilism'], 'senior': ['rosine', 'senior', 'soneri'], 'senlac': ['lances', 'senlac'], 'senna': ['nanes', 'senna'], 'sennit': ['innest', 'sennit', 'sinnet', 'tennis'], 'sennite': ['intense', 'sennite'], 'senocular': ['larcenous', 'senocular'], 'senones': ['oneness', 'senones'], 'sensable': ['ableness', 'blaeness', 'sensable'], 'sensatorial': ['assertional', 'sensatorial'], 'sensical': ['laciness', 'sensical'], 'sensilia': ['sensilia', 'silesian'], 'sensilla': ['nailless', 'sensilla'], 'sension': ['neossin', 'sension'], 'sensuism': ['sensuism', 'senusism'], 'sent': ['nest', 'sent', 'sten'], 'sentencer': ['secernent', 'sentencer'], 'sentition': ['sentition', 'tenonitis'], 'senusism': ['sensuism', 'senusism'], 'sepad': ['depas', 'sepad', 'spade'], 'sepal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sepaled': ['delapse', 'sepaled'], 'sepaloid': ['episodal', 'lapidose', 'sepaloid'], 'separable': ['separable', 'spareable'], 'separate': ['asperate', 'separate'], 'separation': ['anisoptera', 'asperation', 'separation'], 'sephardi': ['diphaser', 'parished', 'raphides', 'sephardi'], 'sephen': ['sephen', 'sphene'], 'sepian': ['sepian', 'spinae'], 'sepic': ['sepic', 'spice'], 'sepion': ['espino', 'sepion'], 'sepoy': ['poesy', 'posey', 'sepoy'], 'seps': ['pess', 'seps'], 'sepsis': ['sepsis', 'speiss'], 'sept': ['pest', 'sept', 'spet', 'step'], 'septa': ['paste', 'septa', 'spate'], 'septal': ['pastel', 'septal', 'staple'], 'septane': ['penates', 'septane'], 'septarium': ['impasture', 'septarium'], 'septenar': ['entrepas', 'septenar'], 'septennium': ['pennisetum', 'septennium'], 'septentrio': ['septentrio', 'tripestone'], 'septerium': ['misrepute', 'septerium'], 'septi': ['septi', 'spite', 'stipe'], 'septicemia': ['episematic', 'septicemia'], 'septicidal': ['pesticidal', 'septicidal'], 'septicopyemia': ['pyosepticemia', 'septicopyemia'], 'septicopyemic': ['pyosepticemic', 'septicopyemic'], 'septier': ['respite', 'septier'], 'septiferous': ['pestiferous', 'septiferous'], 'septile': ['epistle', 'septile'], 'septimal': ['petalism', 'septimal'], 'septocosta': ['septocosta', 'statoscope'], 'septoic': ['poetics', 'septoic'], 'septonasal': ['nasoseptal', 'septonasal'], 'septoria': ['isoptera', 'septoria'], 'septum': ['septum', 'upstem'], 'septuor': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sequential': ['latinesque', 'sequential'], 'sequin': ['quinse', 'sequin'], 'ser': ['ers', 'ser'], 'sera': ['arse', 'rase', 'sare', 'sear', 'sera'], 'serab': ['barse', 'besra', 'saber', 'serab'], 'serabend': ['seerband', 'serabend'], 'seraglio': ['girasole', 'seraglio'], 'serai': ['aries', 'arise', 'raise', 'serai'], 'serail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'seral': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'serang': ['angers', 'sanger', 'serang'], 'serape': ['parsee', 'persae', 'persea', 'serape'], 'seraph': ['phrase', 'seraph', 'shaper', 'sherpa'], 'seraphic': ['parchesi', 'seraphic'], 'seraphim': ['samphire', 'seraphim'], 'seraphina': ['pharisean', 'seraphina'], 'seraphine': ['hesperian', 'phrenesia', 'seraphine'], 'seraphism': ['misphrase', 'seraphism'], 'serapic': ['epacris', 'scrapie', 'serapic'], 'serapis': ['paresis', 'serapis'], 'serapist': ['piratess', 'serapist', 'tarsipes'], 'serau': ['serau', 'urase'], 'seraw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sercial': ['scleria', 'sercial'], 'sere': ['erse', 'rees', 'seer', 'sere'], 'serean': ['serean', 'serena'], 'sereh': ['herse', 'sereh', 'sheer', 'shree'], 'serena': ['serean', 'serena'], 'serenata': ['arsenate', 'serenata'], 'serene': ['resene', 'serene'], 'serenoa': ['arenose', 'serenoa'], 'serge': ['reges', 'serge'], 'sergeant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sergei': ['sergei', 'sieger'], 'serger': ['gerres', 'serger'], 'serging': ['serging', 'snigger'], 'sergiu': ['guiser', 'sergiu'], 'seri': ['reis', 'rise', 'seri', 'sier', 'sire'], 'serial': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'serialist': ['eristalis', 'serialist'], 'serian': ['arisen', 'arsine', 'resina', 'serian'], 'sericate': ['ecrasite', 'sericate'], 'sericated': ['discreate', 'sericated'], 'sericin': ['irenics', 'resinic', 'sericin', 'sirenic'], 'serific': ['friesic', 'serific'], 'serin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'serine': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'serinette': ['retistene', 'serinette'], 'seringa': ['searing', 'seringa'], 'seringal': ['resignal', 'seringal', 'signaler'], 'serinus': ['russine', 'serinus', 'sunrise'], 'serio': ['osier', 'serio'], 'seriola': ['rosalie', 'seriola'], 'serioludicrous': ['ludicroserious', 'serioludicrous'], 'sermo': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'sermonist': ['monitress', 'sermonist'], 'sero': ['eros', 'rose', 'sero', 'sore'], 'serofibrous': ['fibroserous', 'serofibrous'], 'serolin': ['resinol', 'serolin'], 'seromucous': ['mucoserous', 'seromucous'], 'seron': ['norse', 'noser', 'seron', 'snore'], 'seroon': ['nooser', 'seroon', 'sooner'], 'seroot': ['seroot', 'sooter', 'torose'], 'serotina': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'serotinal': ['lairstone', 'orleanist', 'serotinal'], 'serotine': ['serotine', 'torinese'], 'serous': ['serous', 'souser'], 'serow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'serpari': ['aspirer', 'praiser', 'serpari'], 'serpent': ['penster', 'present', 'serpent', 'strepen'], 'serpentian': ['serpentian', 'serpentina'], 'serpentid': ['president', 'serpentid'], 'serpentina': ['serpentian', 'serpentina'], 'serpentinous': ['serpentinous', 'supertension'], 'serpently': ['presently', 'serpently'], 'serpiginous': ['serpiginous', 'spinigerous'], 'serpolet': ['proteles', 'serpolet'], 'serpula': ['perusal', 'serpula'], 'serpulae': ['pleasure', 'serpulae'], 'serpulan': ['purslane', 'serpulan', 'supernal'], 'serpulidae': ['serpulidae', 'superideal'], 'serpuline': ['serpuline', 'superline'], 'serra': ['ersar', 'raser', 'serra'], 'serrage': ['argeers', 'greaser', 'serrage'], 'serran': ['serran', 'snarer'], 'serrano': ['serrano', 'sornare'], 'serratic': ['crateris', 'serratic'], 'serratodentate': ['dentatoserrate', 'serratodentate'], 'serrature': ['serrature', 'treasurer'], 'serried': ['derries', 'desirer', 'resider', 'serried'], 'serriped': ['presider', 'serriped'], 'sert': ['rest', 'sert', 'stre'], 'serta': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'sertum': ['muster', 'sertum', 'stumer'], 'serum': ['muser', 'remus', 'serum'], 'serut': ['serut', 'strue', 'turse', 'uster'], 'servable': ['beslaver', 'servable', 'versable'], 'servage': ['gervase', 'greaves', 'servage'], 'serval': ['salver', 'serval', 'slaver', 'versal'], 'servant': ['servant', 'versant'], 'servation': ['overstain', 'servation', 'versation'], 'serve': ['serve', 'sever', 'verse'], 'server': ['revers', 'server', 'verser'], 'servet': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'servetian': ['invertase', 'servetian'], 'servian': ['servian', 'vansire'], 'service': ['cerevis', 'scrieve', 'service'], 'serviceable': ['receivables', 'serviceable'], 'servient': ['reinvest', 'servient'], 'serviential': ['inversatile', 'serviential'], 'servilize': ['servilize', 'silverize'], 'servite': ['restive', 'servite'], 'servitor': ['overstir', 'servitor'], 'servitude': ['detrusive', 'divesture', 'servitude'], 'servo': ['servo', 'verso'], 'sesma': ['masse', 'sesma'], 'sestertium': ['sestertium', 'trusteeism'], 'sestet': ['sestet', 'testes', 'tsetse'], 'sestiad': ['disseat', 'sestiad'], 'sestian': ['entasis', 'sestian', 'sestina'], 'sestina': ['entasis', 'sestian', 'sestina'], 'sestole': ['osselet', 'sestole', 'toeless'], 'sestuor': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'sesuto': ['sesuto', 'setous'], 'seta': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'setae': ['setae', 'tease'], 'setal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'setaria': ['asarite', 'asteria', 'atresia', 'setaria'], 'setback': ['backset', 'setback'], 'setdown': ['downset', 'setdown'], 'seth': ['esth', 'hest', 'seth'], 'sethead': ['headset', 'sethead'], 'sethian': ['sethian', 'sthenia'], 'sethic': ['ethics', 'sethic'], 'setibo': ['setibo', 'sobeit'], 'setirostral': ['latirostres', 'setirostral'], 'setline': ['leisten', 'setline', 'tensile'], 'setoff': ['offset', 'setoff'], 'seton': ['onset', 'seton', 'steno', 'stone'], 'setous': ['sesuto', 'setous'], 'setout': ['outset', 'setout'], 'setover': ['overset', 'setover'], 'sett': ['sett', 'stet', 'test'], 'settable': ['settable', 'testable'], 'settaine': ['anisette', 'atestine', 'settaine'], 'settee': ['settee', 'testee'], 'setter': ['retest', 'setter', 'street', 'tester'], 'setting': ['setting', 'testing'], 'settler': ['settler', 'sterlet', 'trestle'], 'settlor': ['settlor', 'slotter'], 'setula': ['salute', 'setula'], 'setup': ['setup', 'stupe', 'upset'], 'setwall': ['setwall', 'swallet'], 'seven': ['evens', 'seven'], 'sevener': ['sevener', 'veneres'], 'sever': ['serve', 'sever', 'verse'], 'severer': ['reserve', 'resever', 'reverse', 'severer'], 'sew': ['sew', 'wes'], 'sewed': ['sewed', 'swede'], 'sewer': ['resew', 'sewer', 'sweer'], 'sewered': ['sewered', 'sweered'], 'sewing': ['sewing', 'swinge'], 'sewn': ['news', 'sewn', 'snew'], 'sewround': ['sewround', 'undersow'], 'sexed': ['desex', 'sexed'], 'sextan': ['saxten', 'sextan'], 'sextipartition': ['extirpationist', 'sextipartition'], 'sextodecimo': ['decimosexto', 'sextodecimo'], 'sextry': ['sextry', 'xyster'], 'sexuale': ['esexual', 'sexuale'], 'sey': ['sey', 'sye', 'yes'], 'seymour': ['mousery', 'seymour'], 'sfoot': ['foots', 'sfoot', 'stoof'], 'sgad': ['dags', 'sgad'], 'sha': ['ash', 'sah', 'sha'], 'shab': ['bash', 'shab'], 'shabbily': ['babishly', 'shabbily'], 'shabbiness': ['babishness', 'shabbiness'], 'shabunder': ['husbander', 'shabunder'], 'shad': ['dash', 'sadh', 'shad'], 'shade': ['deash', 'hades', 'sadhe', 'shade'], 'shaded': ['dashed', 'shaded'], 'shader': ['dasher', 'shader', 'sheard'], 'shadily': ['ladyish', 'shadily'], 'shading': ['dashing', 'shading'], 'shadkan': ['dashnak', 'shadkan'], 'shady': ['dashy', 'shady'], 'shafting': ['shafting', 'tangfish'], 'shag': ['gash', 'shag'], 'shagrag': ['ragshag', 'shagrag'], 'shah': ['hash', 'sahh', 'shah'], 'shahi': ['shahi', 'shiah'], 'shaitan': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'shaivism': ['shaivism', 'shivaism'], 'shaka': ['kasha', 'khasa', 'sakha', 'shaka'], 'shakeout': ['outshake', 'shakeout'], 'shaker': ['kasher', 'shaker'], 'shakil': ['lakish', 'shakil'], 'shaku': ['kusha', 'shaku', 'ushak'], 'shaky': ['hasky', 'shaky'], 'shale': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shalt': ['shalt', 'slath'], 'sham': ['mash', 'samh', 'sham'], 'shama': ['hamsa', 'masha', 'shama'], 'shamable': ['baalshem', 'shamable'], 'shamal': ['mashal', 'shamal'], 'shaman': ['ashman', 'shaman'], 'shamba': ['ambash', 'shamba'], 'shambrier': ['herbarism', 'shambrier'], 'shambu': ['ambush', 'shambu'], 'shame': ['sahme', 'shame'], 'shamer': ['masher', 'ramesh', 'shamer'], 'shamir': ['marish', 'shamir'], 'shammish': ['mishmash', 'shammish'], 'shan': ['hans', 'nash', 'shan'], 'shane': ['ashen', 'hanse', 'shane', 'shean'], 'shang': ['gnash', 'shang'], 'shant': ['shant', 'snath'], 'shap': ['hasp', 'pash', 'psha', 'shap'], 'shape': ['heaps', 'pesah', 'phase', 'shape'], 'shapeless': ['phaseless', 'shapeless'], 'shaper': ['phrase', 'seraph', 'shaper', 'sherpa'], 'shapometer': ['atmosphere', 'shapometer'], 'shapy': ['physa', 'shapy'], 'shardana': ['darshana', 'shardana'], 'share': ['asher', 'share', 'shear'], 'shareman': ['shareman', 'shearman'], 'sharer': ['rasher', 'sharer'], 'sharesman': ['sharesman', 'shearsman'], 'shargar': ['shargar', 'sharrag'], 'shari': ['ashir', 'shari'], 'sharon': ['rhason', 'sharon', 'shoran'], 'sharp': ['sharp', 'shrap'], 'sharpener': ['resharpen', 'sharpener'], 'sharper': ['phraser', 'sharper'], 'sharpy': ['phrasy', 'sharpy'], 'sharrag': ['shargar', 'sharrag'], 'shasta': ['shasta', 'tassah'], 'shaster': ['hatress', 'shaster'], 'shastraik': ['katharsis', 'shastraik'], 'shastri': ['sartish', 'shastri'], 'shat': ['shat', 'tash'], 'shatter': ['rathest', 'shatter'], 'shatterer': ['ratherest', 'shatterer'], 'shattering': ['shattering', 'straighten'], 'shauri': ['shauri', 'surahi'], 'shave': ['shave', 'sheva'], 'shavee': ['shavee', 'sheave'], 'shaver': ['havers', 'shaver', 'shrave'], 'shavery': ['shavery', 'shravey'], 'shaw': ['shaw', 'wash'], 'shawano': ['shawano', 'washoan'], 'shawl': ['shawl', 'walsh'], 'shawy': ['shawy', 'washy'], 'shay': ['ashy', 'shay'], 'shea': ['seah', 'shea'], 'sheal': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shean': ['ashen', 'hanse', 'shane', 'shean'], 'shear': ['asher', 'share', 'shear'], 'shearbill': ['shearbill', 'shillaber'], 'sheard': ['dasher', 'shader', 'sheard'], 'shearer': ['reshare', 'reshear', 'shearer'], 'shearman': ['shareman', 'shearman'], 'shearsman': ['sharesman', 'shearsman'], 'sheat': ['ashet', 'haste', 'sheat'], 'sheave': ['shavee', 'sheave'], 'shebeen': ['benshee', 'shebeen'], 'shechem': ['meshech', 'shechem'], 'sheder': ['hersed', 'sheder'], 'sheely': ['sheely', 'sheyle'], 'sheer': ['herse', 'sereh', 'sheer', 'shree'], 'sheering': ['greenish', 'sheering'], 'sheet': ['sheet', 'these'], 'sheeter': ['sheeter', 'therese'], 'sheeting': ['seething', 'sheeting'], 'sheila': ['elisha', 'hailse', 'sheila'], 'shela': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shelf': ['flesh', 'shelf'], 'shelfful': ['fleshful', 'shelfful'], 'shelflist': ['filthless', 'shelflist'], 'shelfy': ['fleshy', 'shelfy'], 'shelta': ['haslet', 'lesath', 'shelta'], 'shelty': ['shelty', 'thysel'], 'shelve': ['shelve', 'shevel'], 'shemitic': ['ethicism', 'shemitic'], 'shen': ['nesh', 'shen'], 'sheol': ['hosel', 'sheol', 'shole'], 'sher': ['hers', 'resh', 'sher'], 'sherani': ['arshine', 'nearish', 'rhesian', 'sherani'], 'sheratan': ['hanaster', 'sheratan'], 'sheriat': ['atheris', 'sheriat'], 'sherif': ['fisher', 'sherif'], 'sherifate': ['fisheater', 'sherifate'], 'sherify': ['fishery', 'sherify'], 'sheriyat': ['hysteria', 'sheriyat'], 'sherpa': ['phrase', 'seraph', 'shaper', 'sherpa'], 'sherri': ['hersir', 'sherri'], 'sheugh': ['hughes', 'sheugh'], 'sheva': ['shave', 'sheva'], 'shevel': ['shelve', 'shevel'], 'shevri': ['shevri', 'shiver', 'shrive'], 'shewa': ['hawse', 'shewa', 'whase'], 'sheyle': ['sheely', 'sheyle'], 'shi': ['his', 'hsi', 'shi'], 'shiah': ['shahi', 'shiah'], 'shibar': ['barish', 'shibar'], 'shice': ['echis', 'shice'], 'shicer': ['riches', 'shicer'], 'shide': ['shide', 'shied', 'sidhe'], 'shied': ['shide', 'shied', 'sidhe'], 'shiel': ['liesh', 'shiel'], 'shieldable': ['deshabille', 'shieldable'], 'shier': ['hirse', 'shier', 'shire'], 'shiest': ['shiest', 'thesis'], 'shifter': ['reshift', 'shifter'], 'shih': ['hish', 'shih'], 'shiite': ['histie', 'shiite'], 'shik': ['kish', 'shik', 'sikh'], 'shikar': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shikara': ['shikara', 'sikhara'], 'shikari': ['rikisha', 'shikari'], 'shikra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shillaber': ['shearbill', 'shillaber'], 'shimal': ['lamish', 'shimal'], 'shimmery': ['misrhyme', 'shimmery'], 'shin': ['hisn', 'shin', 'sinh'], 'shina': ['naish', 'shina'], 'shine': ['eshin', 'shine'], 'shiner': ['renish', 'shiner', 'shrine'], 'shingle': ['english', 'shingle'], 'shinto': ['histon', 'shinto', 'tonish'], 'shinty': ['shinty', 'snithy'], 'ship': ['pish', 'ship'], 'shipboy': ['boyship', 'shipboy'], 'shipkeeper': ['keepership', 'shipkeeper'], 'shiplap': ['lappish', 'shiplap'], 'shipman': ['manship', 'shipman'], 'shipmaster': ['mastership', 'shipmaster'], 'shipmate': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'shipowner': ['ownership', 'shipowner'], 'shippage': ['pageship', 'shippage'], 'shipper': ['preship', 'shipper'], 'shippo': ['popish', 'shippo'], 'shipward': ['shipward', 'wardship'], 'shipwork': ['shipwork', 'workship'], 'shipworm': ['shipworm', 'wormship'], 'shire': ['hirse', 'shier', 'shire'], 'shirker': ['shirker', 'skirreh'], 'shirley': ['relishy', 'shirley'], 'shirty': ['shirty', 'thyris'], 'shirvan': ['shirvan', 'varnish'], 'shita': ['shita', 'thais'], 'shivaism': ['shaivism', 'shivaism'], 'shive': ['hives', 'shive'], 'shiver': ['shevri', 'shiver', 'shrive'], 'shlu': ['lush', 'shlu', 'shul'], 'sho': ['sho', 'soh'], 'shoa': ['saho', 'shoa'], 'shoal': ['shoal', 'shola'], 'shoat': ['hoast', 'hosta', 'shoat'], 'shockable': ['shockable', 'shoeblack'], 'shode': ['hosed', 'shode'], 'shoder': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoe': ['hose', 'shoe'], 'shoeblack': ['shockable', 'shoeblack'], 'shoebrush': ['shoebrush', 'shorebush'], 'shoeless': ['hoseless', 'shoeless'], 'shoeman': ['hoseman', 'shoeman'], 'shoer': ['horse', 'shoer', 'shore'], 'shog': ['gosh', 'shog'], 'shoji': ['joshi', 'shoji'], 'shola': ['shoal', 'shola'], 'shole': ['hosel', 'sheol', 'shole'], 'shoo': ['shoo', 'soho'], 'shoot': ['shoot', 'sooth', 'sotho', 'toosh'], 'shooter': ['orthose', 'reshoot', 'shooter', 'soother'], 'shooting': ['shooting', 'soothing'], 'shop': ['phos', 'posh', 'shop', 'soph'], 'shopbook': ['bookshop', 'shopbook'], 'shopmaid': ['phasmoid', 'shopmaid'], 'shopper': ['hoppers', 'shopper'], 'shopwork': ['shopwork', 'workshop'], 'shoran': ['rhason', 'sharon', 'shoran'], 'shore': ['horse', 'shoer', 'shore'], 'shorea': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'shorebush': ['shoebrush', 'shorebush'], 'shored': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoreless': ['horseless', 'shoreless'], 'shoreman': ['horseman', 'rhamnose', 'shoreman'], 'shorer': ['horser', 'shorer'], 'shoreward': ['drawhorse', 'shoreward'], 'shoreweed': ['horseweed', 'shoreweed'], 'shoring': ['horsing', 'shoring'], 'short': ['horst', 'short'], 'shortage': ['hostager', 'shortage'], 'shorten': ['shorten', 'threnos'], 'shot': ['host', 'shot', 'thos', 'tosh'], 'shote': ['ethos', 'shote', 'those'], 'shotgun': ['gunshot', 'shotgun', 'uhtsong'], 'shotless': ['hostless', 'shotless'], 'shotstar': ['shotstar', 'starshot'], 'shou': ['huso', 'shou'], 'shoulderer': ['reshoulder', 'shoulderer'], 'shout': ['shout', 'south'], 'shouter': ['shouter', 'souther'], 'shouting': ['shouting', 'southing'], 'shover': ['shover', 'shrove'], 'showerer': ['reshower', 'showerer'], 'shrab': ['brash', 'shrab'], 'shram': ['marsh', 'shram'], 'shrap': ['sharp', 'shrap'], 'shrave': ['havers', 'shaver', 'shrave'], 'shravey': ['shavery', 'shravey'], 'shree': ['herse', 'sereh', 'sheer', 'shree'], 'shrewly': ['shrewly', 'welshry'], 'shriek': ['shriek', 'shrike'], 'shrieval': ['lavisher', 'shrieval'], 'shrike': ['shriek', 'shrike'], 'shrine': ['renish', 'shiner', 'shrine'], 'shrite': ['shrite', 'theirs'], 'shrive': ['shevri', 'shiver', 'shrive'], 'shriven': ['nervish', 'shriven'], 'shroudy': ['hydrous', 'shroudy'], 'shrove': ['shover', 'shrove'], 'shrub': ['brush', 'shrub'], 'shrubbery': ['berrybush', 'shrubbery'], 'shrubland': ['brushland', 'shrubland'], 'shrubless': ['brushless', 'shrubless'], 'shrublet': ['brushlet', 'shrublet'], 'shrublike': ['brushlike', 'shrublike'], 'shrubwood': ['brushwood', 'shrubwood'], 'shrug': ['grush', 'shrug'], 'shu': ['shu', 'ush'], 'shuba': ['shuba', 'subah'], 'shug': ['gush', 'shug', 'sugh'], 'shul': ['lush', 'shlu', 'shul'], 'shulamite': ['hamulites', 'shulamite'], 'shuler': ['lusher', 'shuler'], 'shunless': ['lushness', 'shunless'], 'shunter': ['reshunt', 'shunter'], 'shure': ['shure', 'usher'], 'shurf': ['frush', 'shurf'], 'shut': ['shut', 'thus', 'tush'], 'shutness': ['shutness', 'thusness'], 'shutout': ['outshut', 'shutout'], 'shuttering': ['hurtingest', 'shuttering'], 'shyam': ['mashy', 'shyam'], 'si': ['is', 'si'], 'sia': ['sai', 'sia'], 'siak': ['saki', 'siak', 'sika'], 'sial': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sialagogic': ['isagogical', 'sialagogic'], 'sialic': ['sialic', 'silica'], 'sialid': ['asilid', 'sialid'], 'sialidae': ['asilidae', 'sialidae'], 'siam': ['mias', 'saim', 'siam', 'sima'], 'siamese': ['misease', 'siamese'], 'sib': ['bis', 'sib'], 'sibyl': ['sibyl', 'sybil'], 'sibylla': ['sibylla', 'syllabi'], 'sicana': ['ascian', 'sacian', 'scania', 'sicana'], 'sicani': ['anisic', 'sicani', 'sinaic'], 'sicarius': ['acrisius', 'sicarius'], 'siccate': ['ascetic', 'castice', 'siccate'], 'siccation': ['cocainist', 'siccation'], 'sice': ['cise', 'sice'], 'sicel': ['sicel', 'slice'], 'sicilian': ['anisilic', 'sicilian'], 'sickbed': ['bedsick', 'sickbed'], 'sicker': ['scrike', 'sicker'], 'sickerly': ['sickerly', 'slickery'], 'sickle': ['sickle', 'skelic'], 'sickler': ['sickler', 'slicker'], 'sicklied': ['disclike', 'sicklied'], 'sickling': ['sickling', 'slicking'], 'sicula': ['caulis', 'clusia', 'sicula'], 'siculian': ['luscinia', 'siculian'], 'sid': ['dis', 'sid'], 'sida': ['dais', 'dasi', 'disa', 'said', 'sida'], 'sidalcea': ['diaclase', 'sidalcea'], 'side': ['desi', 'ides', 'seid', 'side'], 'sidearm': ['misread', 'sidearm'], 'sideboard': ['broadside', 'sideboard'], 'sideburns': ['burnsides', 'sideburns'], 'sidecar': ['diceras', 'radices', 'sidecar'], 'sidehill': ['hillside', 'sidehill'], 'siderean': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'siderin': ['insider', 'siderin'], 'sideronatrite': ['endoarteritis', 'sideronatrite'], 'siderous': ['desirous', 'siderous'], 'sidership': ['sidership', 'spiderish'], 'sidesway': ['sidesway', 'sideways'], 'sidetrack': ['sidetrack', 'trackside'], 'sidewalk': ['sidewalk', 'walkside'], 'sideway': ['sideway', 'wayside'], 'sideways': ['sidesway', 'sideways'], 'sidhe': ['shide', 'shied', 'sidhe'], 'sidle': ['sidle', 'slide'], 'sidler': ['sidler', 'slider'], 'sidling': ['sidling', 'sliding'], 'sidlingly': ['sidlingly', 'slidingly'], 'sieger': ['sergei', 'sieger'], 'siena': ['anise', 'insea', 'siena', 'sinae'], 'sienna': ['insane', 'sienna'], 'sier': ['reis', 'rise', 'seri', 'sier', 'sire'], 'sierra': ['raiser', 'sierra'], 'siesta': ['siesta', 'tassie'], 'siever': ['revise', 'siever'], 'sife': ['feis', 'fise', 'sife'], 'sift': ['fist', 'sift'], 'sifted': ['fisted', 'sifted'], 'sifter': ['fister', 'resift', 'sifter', 'strife'], 'sifting': ['fisting', 'sifting'], 'sigh': ['gish', 'sigh'], 'sigher': ['resigh', 'sigher'], 'sighted': ['desight', 'sighted'], 'sightlily': ['sightlily', 'slightily'], 'sightliness': ['sightliness', 'slightiness'], 'sightly': ['sightly', 'slighty'], 'sigillated': ['distillage', 'sigillated'], 'sigla': ['gisla', 'ligas', 'sigla'], 'sigmatism': ['astigmism', 'sigmatism'], 'sigmoidal': ['dialogism', 'sigmoidal'], 'sign': ['sign', 'sing', 'snig'], 'signable': ['signable', 'singable'], 'signalee': ['ensilage', 'genesial', 'signalee'], 'signaler': ['resignal', 'seringal', 'signaler'], 'signalese': ['agileness', 'signalese'], 'signally': ['signally', 'singally', 'slangily'], 'signary': ['signary', 'syringa'], 'signate': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'signator': ['orangist', 'organist', 'roasting', 'signator'], 'signee': ['seeing', 'signee'], 'signer': ['resign', 'resing', 'signer', 'singer'], 'signet': ['ingest', 'signet', 'stinge'], 'signorial': ['sailoring', 'signorial'], 'signpost': ['postsign', 'signpost'], 'signum': ['musing', 'signum'], 'sika': ['saki', 'siak', 'sika'], 'sikar': ['kisra', 'sikar', 'skair'], 'siket': ['siket', 'skite'], 'sikh': ['kish', 'shik', 'sikh'], 'sikhara': ['shikara', 'sikhara'], 'sikhra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'sil': ['lis', 'sil'], 'silane': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'silas': ['silas', 'sisal'], 'silcrete': ['sclerite', 'silcrete'], 'sile': ['isle', 'lise', 'sile'], 'silen': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'silence': ['license', 'selenic', 'silence'], 'silenced': ['licensed', 'silenced'], 'silencer': ['licenser', 'silencer'], 'silene': ['enisle', 'ensile', 'senile', 'silene'], 'silent': ['enlist', 'listen', 'silent', 'tinsel'], 'silently': ['silently', 'tinselly'], 'silenus': ['insulse', 'silenus'], 'silesian': ['sensilia', 'silesian'], 'silica': ['sialic', 'silica'], 'silicam': ['islamic', 'laicism', 'silicam'], 'silicane': ['silicane', 'silicean'], 'silicean': ['silicane', 'silicean'], 'siliceocalcareous': ['calcareosiliceous', 'siliceocalcareous'], 'silicoaluminate': ['aluminosilicate', 'silicoaluminate'], 'silicone': ['isocline', 'silicone'], 'silicotitanate': ['silicotitanate', 'titanosilicate'], 'silicotungstate': ['silicotungstate', 'tungstosilicate'], 'silicotungstic': ['silicotungstic', 'tungstosilicic'], 'silk': ['lisk', 'silk', 'skil'], 'silkaline': ['silkaline', 'snaillike'], 'silkman': ['klanism', 'silkman'], 'silkness': ['silkness', 'sinkless', 'skinless'], 'silly': ['silly', 'silyl'], 'sillyhow': ['lowishly', 'owlishly', 'sillyhow'], 'silo': ['lois', 'silo', 'siol', 'soil', 'soli'], 'silpha': ['palish', 'silpha'], 'silt': ['list', 'silt', 'slit'], 'silting': ['listing', 'silting'], 'siltlike': ['siltlike', 'slitlike'], 'silva': ['silva', 'slavi'], 'silver': ['silver', 'sliver'], 'silvered': ['desilver', 'silvered'], 'silverer': ['resilver', 'silverer', 'sliverer'], 'silverize': ['servilize', 'silverize'], 'silverlike': ['silverlike', 'sliverlike'], 'silverwood': ['silverwood', 'woodsilver'], 'silvery': ['silvery', 'slivery'], 'silvester': ['rivetless', 'silvester'], 'silyl': ['silly', 'silyl'], 'sim': ['ism', 'sim'], 'sima': ['mias', 'saim', 'siam', 'sima'], 'simal': ['islam', 'ismal', 'simal'], 'simar': ['maris', 'marsi', 'samir', 'simar'], 'sime': ['mise', 'semi', 'sime'], 'simeon': ['eonism', 'mesion', 'oneism', 'simeon'], 'simeonism': ['misoneism', 'simeonism'], 'simiad': ['idiasm', 'simiad'], 'simile': ['milsie', 'simile'], 'simity': ['myitis', 'simity'], 'simling': ['simling', 'smiling'], 'simmer': ['merism', 'mermis', 'simmer'], 'simmon': ['monism', 'nomism', 'simmon'], 'simon': ['minos', 'osmin', 'simon'], 'simonian': ['insomnia', 'simonian'], 'simonist': ['simonist', 'sintoism'], 'simony': ['isonym', 'myosin', 'simony'], 'simple': ['mespil', 'simple'], 'simpleton': ['simpleton', 'spoilment'], 'simplicist': ['simplicist', 'simplistic'], 'simplistic': ['simplicist', 'simplistic'], 'simply': ['limpsy', 'simply'], 'simson': ['nosism', 'simson'], 'simulance': ['masculine', 'semuncial', 'simulance'], 'simulcast': ['masculist', 'simulcast'], 'simuler': ['misrule', 'simuler'], 'sina': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sinae': ['anise', 'insea', 'siena', 'sinae'], 'sinaean': ['nisaean', 'sinaean'], 'sinaic': ['anisic', 'sicani', 'sinaic'], 'sinaitic': ['isatinic', 'sinaitic'], 'sinal': ['sinal', 'slain', 'snail'], 'sinapic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'since': ['senci', 'since'], 'sincere': ['ceresin', 'sincere'], 'sinecure': ['insecure', 'sinecure'], 'sinew': ['sinew', 'swine', 'wisen'], 'sinewed': ['endwise', 'sinewed'], 'sinewy': ['sinewy', 'swiney'], 'sinfonia': ['sainfoin', 'sinfonia'], 'sinfonietta': ['festination', 'infestation', 'sinfonietta'], 'sing': ['sign', 'sing', 'snig'], 'singable': ['signable', 'singable'], 'singally': ['signally', 'singally', 'slangily'], 'singarip': ['aspiring', 'praising', 'singarip'], 'singed': ['design', 'singed'], 'singer': ['resign', 'resing', 'signer', 'singer'], 'single': ['single', 'slinge'], 'singler': ['singler', 'slinger'], 'singles': ['essling', 'singles'], 'singlet': ['glisten', 'singlet'], 'sinh': ['hisn', 'shin', 'sinh'], 'sinico': ['inosic', 'sinico'], 'sinister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sinistrodextral': ['dextrosinistral', 'sinistrodextral'], 'sink': ['inks', 'sink', 'skin'], 'sinker': ['resink', 'reskin', 'sinker'], 'sinkhead': ['headskin', 'nakedish', 'sinkhead'], 'sinkless': ['silkness', 'sinkless', 'skinless'], 'sinklike': ['sinklike', 'skinlike'], 'sinnet': ['innest', 'sennit', 'sinnet', 'tennis'], 'sinoatrial': ['sinoatrial', 'solitarian'], 'sinogram': ['orangism', 'organism', 'sinogram'], 'sinolog': ['loosing', 'sinolog'], 'sinopia': ['pisonia', 'sinopia'], 'sinople': ['epsilon', 'sinople'], 'sinter': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sinto': ['sinto', 'stion'], 'sintoc': ['nostic', 'sintoc', 'tocsin'], 'sintoism': ['simonist', 'sintoism'], 'sintu': ['sintu', 'suint'], 'sinuatodentate': ['dentatosinuate', 'sinuatodentate'], 'sinuose': ['sinuose', 'suiones'], 'sinus': ['nisus', 'sinus'], 'sinward': ['inwards', 'sinward'], 'siol': ['lois', 'silo', 'siol', 'soil', 'soli'], 'sionite': ['inosite', 'sionite'], 'sip': ['psi', 'sip'], 'sipe': ['pise', 'sipe'], 'siper': ['siper', 'spier', 'spire'], 'siphonal': ['nailshop', 'siphonal'], 'siphuncle': ['siphuncle', 'uncleship'], 'sipling': ['sipling', 'spiling'], 'sipylite': ['pyelitis', 'sipylite'], 'sir': ['sir', 'sri'], 'sire': ['reis', 'rise', 'seri', 'sier', 'sire'], 'siredon': ['indorse', 'ordines', 'siredon', 'sordine'], 'siren': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'sirene': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'sirenic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'sirenize': ['resinize', 'sirenize'], 'sirenlike': ['resinlike', 'sirenlike'], 'sirenoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'sireny': ['resiny', 'sireny'], 'sirian': ['raisin', 'sirian'], 'sirih': ['irish', 'rishi', 'sirih'], 'sirky': ['risky', 'sirky'], 'sirmian': ['iranism', 'sirmian'], 'sirpea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'sirple': ['lisper', 'pliers', 'sirple', 'spiler'], 'sirrah': ['arrish', 'harris', 'rarish', 'sirrah'], 'sirree': ['rerise', 'sirree'], 'siruelas': ['russelia', 'siruelas'], 'sirup': ['prius', 'sirup'], 'siruper': ['siruper', 'upriser'], 'siryan': ['siryan', 'syrian'], 'sis': ['sis', 'ssi'], 'sisal': ['silas', 'sisal'], 'sish': ['hiss', 'sish'], 'sisham': ['samish', 'sisham'], 'sisi': ['isis', 'sisi'], 'sisseton': ['sisseton', 'stenosis'], 'sistani': ['nasitis', 'sistani'], 'sister': ['resist', 'restis', 'sister'], 'sisterin': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sistering': ['resisting', 'sistering'], 'sisterless': ['resistless', 'sisterless'], 'sistrum': ['sistrum', 'trismus'], 'sit': ['ist', 'its', 'sit'], 'sita': ['atis', 'sita', 'tsia'], 'sitao': ['sitao', 'staio'], 'sitar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'sitch': ['sitch', 'stchi', 'stich'], 'site': ['seit', 'site'], 'sith': ['hist', 'sith', 'this', 'tshi'], 'sithens': ['sithens', 'thissen'], 'sitient': ['sitient', 'sittine'], 'sitology': ['sitology', 'tsiology'], 'sittinae': ['satinite', 'sittinae'], 'sittine': ['sitient', 'sittine'], 'situal': ['situal', 'situla', 'tulasi'], 'situate': ['situate', 'usitate'], 'situla': ['situal', 'situla', 'tulasi'], 'situs': ['situs', 'suist'], 'siva': ['avis', 'siva', 'visa'], 'sivaism': ['saivism', 'sivaism'], 'sivan': ['savin', 'sivan'], 'siwan': ['siwan', 'swain'], 'siwash': ['sawish', 'siwash'], 'sixte': ['exist', 'sixte'], 'sixty': ['sixty', 'xysti'], 'sizeable': ['seizable', 'sizeable'], 'sizeman': ['sizeman', 'zamenis'], 'skair': ['kisra', 'sikar', 'skair'], 'skal': ['lask', 'skal'], 'skance': ['sacken', 'skance'], 'skanda': ['sandak', 'skanda'], 'skart': ['karst', 'skart', 'stark'], 'skat': ['skat', 'task'], 'skate': ['skate', 'stake', 'steak'], 'skater': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'skating': ['gitksan', 'skating', 'takings'], 'skean': ['skean', 'snake', 'sneak'], 'skee': ['kees', 'seek', 'skee'], 'skeel': ['skeel', 'sleek'], 'skeeling': ['skeeling', 'sleeking'], 'skeely': ['skeely', 'sleeky'], 'skeen': ['skeen', 'skene'], 'skeer': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'skeery': ['kersey', 'skeery'], 'skeet': ['keest', 'skeet', 'skete', 'steek'], 'skeeter': ['skeeter', 'teskere'], 'skeletin': ['nestlike', 'skeletin'], 'skelic': ['sickle', 'skelic'], 'skelp': ['skelp', 'spelk'], 'skelter': ['kestrel', 'skelter'], 'skene': ['skeen', 'skene'], 'skeo': ['skeo', 'soke'], 'skeptic': ['skeptic', 'spicket'], 'skere': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'sketcher': ['resketch', 'sketcher'], 'skete': ['keest', 'skeet', 'skete', 'steek'], 'skey': ['skey', 'skye'], 'skid': ['disk', 'kids', 'skid'], 'skier': ['kreis', 'skier'], 'skil': ['lisk', 'silk', 'skil'], 'skin': ['inks', 'sink', 'skin'], 'skinch': ['chinks', 'skinch'], 'skinless': ['silkness', 'sinkless', 'skinless'], 'skinlike': ['sinklike', 'skinlike'], 'skip': ['pisk', 'skip'], 'skippel': ['skippel', 'skipple'], 'skipple': ['skippel', 'skipple'], 'skirmish': ['skirmish', 'smirkish'], 'skirreh': ['shirker', 'skirreh'], 'skirret': ['skirret', 'skirter', 'striker'], 'skirt': ['skirt', 'stirk'], 'skirter': ['skirret', 'skirter', 'striker'], 'skirting': ['skirting', 'striking'], 'skirtingly': ['skirtingly', 'strikingly'], 'skirty': ['kirsty', 'skirty'], 'skit': ['kist', 'skit'], 'skite': ['siket', 'skite'], 'skiter': ['skiter', 'strike'], 'skittle': ['kittles', 'skittle'], 'sklate': ['lasket', 'sklate'], 'sklater': ['sklater', 'stalker'], 'sklinter': ['sklinter', 'strinkle'], 'skoal': ['skoal', 'sloka'], 'skoo': ['koso', 'skoo', 'sook'], 'skua': ['kusa', 'skua'], 'skun': ['skun', 'sunk'], 'skye': ['skey', 'skye'], 'sla': ['las', 'sal', 'sla'], 'slab': ['blas', 'slab'], 'slacken': ['slacken', 'snackle'], 'slade': ['leads', 'slade'], 'slae': ['elsa', 'sale', 'seal', 'slae'], 'slain': ['sinal', 'slain', 'snail'], 'slainte': ['elastin', 'salient', 'saltine', 'slainte'], 'slait': ['alist', 'litas', 'slait', 'talis'], 'slake': ['alkes', 'sakel', 'slake'], 'slam': ['alms', 'salm', 'slam'], 'slamp': ['plasm', 'psalm', 'slamp'], 'slandering': ['sanderling', 'slandering'], 'slane': ['ansel', 'slane'], 'slang': ['glans', 'slang'], 'slangily': ['signally', 'singally', 'slangily'], 'slangish': ['slangish', 'slashing'], 'slangishly': ['slangishly', 'slashingly'], 'slangster': ['slangster', 'strangles'], 'slap': ['salp', 'slap'], 'slape': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'slare': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'slasher': ['reslash', 'slasher'], 'slashing': ['slangish', 'slashing'], 'slashingly': ['slangishly', 'slashingly'], 'slat': ['last', 'salt', 'slat'], 'slate': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'slater': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'slath': ['shalt', 'slath'], 'slather': ['hastler', 'slather'], 'slatiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'slating': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'slatish': ['saltish', 'slatish'], 'slatter': ['rattles', 'slatter', 'starlet', 'startle'], 'slaty': ['lasty', 'salty', 'slaty'], 'slaughter': ['lethargus', 'slaughter'], 'slaughterman': ['manslaughter', 'slaughterman'], 'slaum': ['lamus', 'malus', 'musal', 'slaum'], 'slave': ['salve', 'selva', 'slave', 'valse'], 'slaver': ['salver', 'serval', 'slaver', 'versal'], 'slaverer': ['reserval', 'reversal', 'slaverer'], 'slavey': ['slavey', 'sylvae'], 'slavi': ['silva', 'slavi'], 'slavian': ['salivan', 'slavian'], 'slavic': ['clavis', 'slavic'], 'slavonic': ['slavonic', 'volscian'], 'slay': ['lyas', 'slay'], 'slayer': ['reslay', 'slayer'], 'sleave': ['leaves', 'sleave'], 'sledger': ['redlegs', 'sledger'], 'slee': ['else', 'lees', 'seel', 'sele', 'slee'], 'sleech': ['lesche', 'sleech'], 'sleek': ['skeel', 'sleek'], 'sleeking': ['skeeling', 'sleeking'], 'sleeky': ['skeely', 'sleeky'], 'sleep': ['sleep', 'speel'], 'sleepless': ['sleepless', 'speelless'], 'sleepry': ['presley', 'sleepry'], 'sleet': ['sleet', 'slete', 'steel', 'stele'], 'sleetiness': ['sleetiness', 'steeliness'], 'sleeting': ['sleeting', 'steeling'], 'sleetproof': ['sleetproof', 'steelproof'], 'sleety': ['sleety', 'steely'], 'slept': ['slept', 'spelt', 'splet'], 'slete': ['sleet', 'slete', 'steel', 'stele'], 'sleuth': ['hustle', 'sleuth'], 'slew': ['slew', 'wels'], 'slewing': ['slewing', 'swingle'], 'sley': ['lyse', 'sley'], 'slice': ['sicel', 'slice'], 'slicht': ['slicht', 'slitch'], 'slicken': ['slicken', 'snickle'], 'slicker': ['sickler', 'slicker'], 'slickery': ['sickerly', 'slickery'], 'slicking': ['sickling', 'slicking'], 'slidable': ['sabellid', 'slidable'], 'slidden': ['slidden', 'sniddle'], 'slide': ['sidle', 'slide'], 'slider': ['sidler', 'slider'], 'sliding': ['sidling', 'sliding'], 'slidingly': ['sidlingly', 'slidingly'], 'slifter': ['slifter', 'stifler'], 'slightily': ['sightlily', 'slightily'], 'slightiness': ['sightliness', 'slightiness'], 'slighty': ['sightly', 'slighty'], 'slime': ['limes', 'miles', 'slime', 'smile'], 'slimeman': ['melanism', 'slimeman'], 'slimer': ['slimer', 'smiler'], 'slimy': ['limsy', 'slimy', 'smily'], 'sline': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'slinge': ['single', 'slinge'], 'slinger': ['singler', 'slinger'], 'slink': ['links', 'slink'], 'slip': ['lisp', 'slip'], 'slipcoat': ['postical', 'slipcoat'], 'slipe': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'slipover': ['overslip', 'slipover'], 'slipway': ['slipway', 'waspily'], 'slit': ['list', 'silt', 'slit'], 'slitch': ['slicht', 'slitch'], 'slite': ['islet', 'istle', 'slite', 'stile'], 'slithy': ['hylist', 'slithy'], 'slitless': ['listless', 'slitless'], 'slitlike': ['siltlike', 'slitlike'], 'slitted': ['slitted', 'stilted'], 'slitter': ['litster', 'slitter', 'stilter', 'testril'], 'slitty': ['slitty', 'stilty'], 'slive': ['elvis', 'levis', 'slive'], 'sliver': ['silver', 'sliver'], 'sliverer': ['resilver', 'silverer', 'sliverer'], 'sliverlike': ['silverlike', 'sliverlike'], 'slivery': ['silvery', 'slivery'], 'sloan': ['salon', 'sloan', 'solan'], 'slod': ['slod', 'sold'], 'sloe': ['lose', 'sloe', 'sole'], 'sloka': ['skoal', 'sloka'], 'slone': ['slone', 'solen'], 'sloo': ['sloo', 'solo', 'sool'], 'sloom': ['mools', 'sloom'], 'sloop': ['polos', 'sloop', 'spool'], 'slope': ['elops', 'slope', 'spole'], 'sloper': ['sloper', 'splore'], 'slot': ['lost', 'lots', 'slot'], 'slote': ['slote', 'stole'], 'sloted': ['sloted', 'stoled'], 'slotter': ['settlor', 'slotter'], 'slouch': ['holcus', 'lochus', 'slouch'], 'slouchiness': ['cushionless', 'slouchiness'], 'slouchy': ['chylous', 'slouchy'], 'slovenian': ['slovenian', 'venosinal'], 'slow': ['slow', 'sowl'], 'slud': ['slud', 'suld'], 'slue': ['lues', 'slue'], 'sluit': ['litus', 'sluit', 'tulsi'], 'slunge': ['gunsel', 'selung', 'slunge'], 'slurp': ['slurp', 'spurl'], 'slut': ['lust', 'slut'], 'sluther': ['hulster', 'hustler', 'sluther'], 'slutter': ['slutter', 'trustle'], 'sly': ['lys', 'sly'], 'sma': ['mas', 'sam', 'sma'], 'smachrie': ['semiarch', 'smachrie'], 'smallen': ['ensmall', 'smallen'], 'smalltime': ['metallism', 'smalltime'], 'smaltine': ['mentalis', 'smaltine', 'stileman'], 'smaltite': ['metalist', 'smaltite'], 'smart': ['smart', 'stram'], 'smarten': ['sarment', 'smarten'], 'smashage': ['gamashes', 'smashage'], 'smeary': ['ramsey', 'smeary'], 'smectis': ['sectism', 'smectis'], 'smee': ['mese', 'seem', 'seme', 'smee'], 'smeech': ['scheme', 'smeech'], 'smeek': ['meeks', 'smeek'], 'smeer': ['merse', 'smeer'], 'smeeth': ['smeeth', 'smethe'], 'smeller': ['resmell', 'smeller'], 'smelly': ['mysell', 'smelly'], 'smelter': ['melters', 'resmelt', 'smelter'], 'smethe': ['smeeth', 'smethe'], 'smilax': ['laxism', 'smilax'], 'smile': ['limes', 'miles', 'slime', 'smile'], 'smiler': ['slimer', 'smiler'], 'smilet': ['mistle', 'smilet'], 'smiling': ['simling', 'smiling'], 'smily': ['limsy', 'slimy', 'smily'], 'sminthian': ['mitannish', 'sminthian'], 'smirch': ['chrism', 'smirch'], 'smirkish': ['skirmish', 'smirkish'], 'smit': ['mist', 'smit', 'stim'], 'smite': ['metis', 'smite', 'stime', 'times'], 'smiter': ['merist', 'mister', 'smiter'], 'smither': ['rhemist', 'smither'], 'smithian': ['isthmian', 'smithian'], 'smoker': ['mosker', 'smoker'], 'smoot': ['moost', 'smoot'], 'smoother': ['resmooth', 'romeshot', 'smoother'], 'smoothingly': ['hymnologist', 'smoothingly'], 'smore': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'smote': ['moste', 'smote'], 'smother': ['smother', 'thermos'], 'smouse': ['mousse', 'smouse'], 'smouser': ['osmerus', 'smouser'], 'smuggle': ['muggles', 'smuggle'], 'smut': ['must', 'smut', 'stum'], 'smyrniot': ['smyrniot', 'tyronism'], 'smyrniote': ['myristone', 'smyrniote'], 'snab': ['nabs', 'snab'], 'snackle': ['slacken', 'snackle'], 'snag': ['sang', 'snag'], 'snagrel': ['sangrel', 'snagrel'], 'snail': ['sinal', 'slain', 'snail'], 'snaillike': ['silkaline', 'snaillike'], 'snaily': ['anisyl', 'snaily'], 'snaith': ['snaith', 'tahsin'], 'snake': ['skean', 'snake', 'sneak'], 'snap': ['snap', 'span'], 'snape': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'snaper': ['resnap', 'respan', 'snaper'], 'snapless': ['snapless', 'spanless'], 'snapy': ['pansy', 'snapy'], 'snare': ['anser', 'nares', 'rasen', 'snare'], 'snarer': ['serran', 'snarer'], 'snaste': ['assent', 'snaste'], 'snatch': ['chanst', 'snatch', 'stanch'], 'snatchable': ['snatchable', 'stanchable'], 'snatcher': ['resnatch', 'snatcher', 'stancher'], 'snath': ['shant', 'snath'], 'snathe': ['athens', 'hasten', 'snathe', 'sneath'], 'snaw': ['sawn', 'snaw', 'swan'], 'snead': ['sedan', 'snead'], 'sneak': ['skean', 'snake', 'sneak'], 'sneaker': ['keresan', 'sneaker'], 'sneaksman': ['masskanne', 'sneaksman'], 'sneap': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'sneath': ['athens', 'hasten', 'snathe', 'sneath'], 'sneathe': ['sneathe', 'thesean'], 'sned': ['send', 'sned'], 'snee': ['ense', 'esne', 'nese', 'seen', 'snee'], 'sneer': ['renes', 'sneer'], 'snew': ['news', 'sewn', 'snew'], 'snib': ['nibs', 'snib'], 'snickle': ['slicken', 'snickle'], 'sniddle': ['slidden', 'sniddle'], 'snide': ['denis', 'snide'], 'snig': ['sign', 'sing', 'snig'], 'snigger': ['serging', 'snigger'], 'snip': ['snip', 'spin'], 'snipe': ['penis', 'snipe', 'spine'], 'snipebill': ['snipebill', 'spinebill'], 'snipelike': ['snipelike', 'spinelike'], 'sniper': ['pernis', 'respin', 'sniper'], 'snipocracy': ['conspiracy', 'snipocracy'], 'snipper': ['nippers', 'snipper'], 'snippet': ['snippet', 'stippen'], 'snipy': ['snipy', 'spiny'], 'snitcher': ['christen', 'snitcher'], 'snite': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'snithy': ['shinty', 'snithy'], 'sniveler': ['ensilver', 'sniveler'], 'snively': ['snively', 'sylvine'], 'snob': ['bosn', 'nobs', 'snob'], 'snocker': ['conkers', 'snocker'], 'snod': ['snod', 'sond'], 'snoek': ['snoek', 'snoke', 'soken'], 'snog': ['snog', 'song'], 'snoke': ['snoek', 'snoke', 'soken'], 'snook': ['onkos', 'snook'], 'snoop': ['snoop', 'spoon'], 'snooper': ['snooper', 'spooner'], 'snoopy': ['snoopy', 'spoony'], 'snoot': ['snoot', 'stoon'], 'snore': ['norse', 'noser', 'seron', 'snore'], 'snorer': ['snorer', 'sorner'], 'snoring': ['snoring', 'sorning'], 'snork': ['norsk', 'snork'], 'snotter': ['snotter', 'stentor', 'torsten'], 'snout': ['notus', 'snout', 'stoun', 'tonus'], 'snouter': ['snouter', 'tonsure', 'unstore'], 'snow': ['snow', 'sown'], 'snowie': ['nowise', 'snowie'], 'snowish': ['snowish', 'whisson'], 'snowy': ['snowy', 'wyson'], 'snug': ['snug', 'sung'], 'snup': ['snup', 'spun'], 'snurp': ['snurp', 'spurn'], 'snurt': ['snurt', 'turns'], 'so': ['os', 'so'], 'soak': ['asok', 'soak', 'soka'], 'soaker': ['arkose', 'resoak', 'soaker'], 'soally': ['soally', 'sollya'], 'soam': ['amos', 'soam', 'soma'], 'soap': ['asop', 'sapo', 'soap'], 'soaper': ['resoap', 'soaper'], 'soar': ['asor', 'rosa', 'soar', 'sora'], 'sob': ['bos', 'sob'], 'sobeit': ['setibo', 'sobeit'], 'sober': ['boser', 'brose', 'sober'], 'sobralite': ['sobralite', 'strobilae'], 'soc': ['cos', 'osc', 'soc'], 'socager': ['corsage', 'socager'], 'social': ['colias', 'scolia', 'social'], 'socialite': ['aeolistic', 'socialite'], 'societal': ['cosalite', 'societal'], 'societism': ['seismotic', 'societism'], 'socinian': ['oscinian', 'socinian'], 'sociobiological': ['biosociological', 'sociobiological'], 'sociolegal': ['oligoclase', 'sociolegal'], 'socius': ['scious', 'socius'], 'socle': ['close', 'socle'], 'soco': ['coos', 'soco'], 'socotran': ['ostracon', 'socotran'], 'socotrine': ['certosino', 'cortisone', 'socotrine'], 'socratean': ['ostracean', 'socratean'], 'socratic': ['acrostic', 'sarcotic', 'socratic'], 'socratical': ['acrostical', 'socratical'], 'socratically': ['acrostically', 'socratically'], 'socraticism': ['acrosticism', 'socraticism'], 'socratism': ['ostracism', 'socratism'], 'socratize': ['ostracize', 'socratize'], 'sod': ['dos', 'ods', 'sod'], 'soda': ['dosa', 'sado', 'soda'], 'sodalite': ['diastole', 'isolated', 'sodalite', 'solidate'], 'sodium': ['modius', 'sodium'], 'sodom': ['dooms', 'sodom'], 'sodomitic': ['diosmotic', 'sodomitic'], 'soe': ['oes', 'ose', 'soe'], 'soft': ['soft', 'stof'], 'soften': ['oftens', 'soften'], 'softener': ['resoften', 'softener'], 'sog': ['gos', 'sog'], 'soga': ['sago', 'soga'], 'soger': ['gorse', 'soger'], 'soh': ['sho', 'soh'], 'soho': ['shoo', 'soho'], 'soil': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soiled': ['isolde', 'soiled'], 'sojourner': ['resojourn', 'sojourner'], 'sok': ['kos', 'sok'], 'soka': ['asok', 'soak', 'soka'], 'soke': ['skeo', 'soke'], 'soken': ['snoek', 'snoke', 'soken'], 'sola': ['also', 'sola'], 'solacer': ['escolar', 'solacer'], 'solan': ['salon', 'sloan', 'solan'], 'solar': ['rosal', 'solar', 'soral'], 'solaristics': ['scissortail', 'solaristics'], 'solate': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'sold': ['slod', 'sold'], 'solder': ['dorsel', 'seldor', 'solder'], 'solderer': ['resolder', 'solderer'], 'soldi': ['soldi', 'solid'], 'soldo': ['soldo', 'solod'], 'sole': ['lose', 'sloe', 'sole'], 'solea': ['alose', 'osela', 'solea'], 'solecist': ['solecist', 'solstice'], 'solen': ['slone', 'solen'], 'soleness': ['noseless', 'soleness'], 'solenial': ['lesional', 'solenial'], 'solenite': ['noselite', 'solenite'], 'solenium': ['emulsion', 'solenium'], 'solenopsis': ['poisonless', 'solenopsis'], 'solent': ['solent', 'stolen', 'telson'], 'solentine': ['nelsonite', 'solentine'], 'soler': ['loser', 'orsel', 'rosel', 'soler'], 'solera': ['roseal', 'solera'], 'soles': ['loess', 'soles'], 'soli': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soliative': ['isolative', 'soliative'], 'solicit': ['colitis', 'solicit'], 'solicitation': ['coalitionist', 'solicitation'], 'soliciter': ['resolicit', 'soliciter'], 'soliciting': ['ignicolist', 'soliciting'], 'solicitude': ['isodulcite', 'solicitude'], 'solid': ['soldi', 'solid'], 'solidate': ['diastole', 'isolated', 'sodalite', 'solidate'], 'solidus': ['dissoul', 'dulosis', 'solidus'], 'solilunar': ['lunisolar', 'solilunar'], 'soliped': ['despoil', 'soliped', 'spoiled'], 'solitarian': ['sinoatrial', 'solitarian'], 'solitary': ['royalist', 'solitary'], 'soliterraneous': ['salinoterreous', 'soliterraneous'], 'solitude': ['outslide', 'solitude'], 'sollya': ['soally', 'sollya'], 'solmizate': ['solmizate', 'zealotism'], 'solo': ['sloo', 'solo', 'sool'], 'solod': ['soldo', 'solod'], 'solon': ['olson', 'solon'], 'solonic': ['scolion', 'solonic'], 'soloth': ['soloth', 'tholos'], 'solotink': ['solotink', 'solotnik'], 'solotnik': ['solotink', 'solotnik'], 'solstice': ['solecist', 'solstice'], 'solum': ['mosul', 'mouls', 'solum'], 'solute': ['lutose', 'solute', 'tousle'], 'solutioner': ['resolution', 'solutioner'], 'soma': ['amos', 'soam', 'soma'], 'somacule': ['maculose', 'somacule'], 'somal': ['salmo', 'somal'], 'somali': ['limosa', 'somali'], 'somasthenia': ['anhematosis', 'somasthenia'], 'somatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'somatics': ['acosmist', 'massicot', 'somatics'], 'somatism': ['osmatism', 'somatism'], 'somatophyte': ['hepatostomy', 'somatophyte'], 'somatophytic': ['hypostomatic', 'somatophytic'], 'somatopleuric': ['micropetalous', 'somatopleuric'], 'somatopsychic': ['psychosomatic', 'somatopsychic'], 'somatosplanchnic': ['somatosplanchnic', 'splanchnosomatic'], 'somatous': ['astomous', 'somatous'], 'somber': ['somber', 'sombre'], 'sombre': ['somber', 'sombre'], 'some': ['meso', 'mose', 'some'], 'someday': ['samoyed', 'someday'], 'somers': ['messor', 'mosser', 'somers'], 'somnambule': ['somnambule', 'summonable'], 'somnial': ['malison', 'manolis', 'osmanli', 'somnial'], 'somnopathy': ['phytomonas', 'somnopathy'], 'somnorific': ['onisciform', 'somnorific'], 'son': ['ons', 'son'], 'sonant': ['santon', 'sonant', 'stanno'], 'sonantic': ['canonist', 'sanction', 'sonantic'], 'sonar': ['arson', 'saron', 'sonar'], 'sonatina': ['ansation', 'sonatina'], 'sond': ['snod', 'sond'], 'sondation': ['anisodont', 'sondation'], 'sondeli': ['indoles', 'sondeli'], 'soneri': ['rosine', 'senior', 'soneri'], 'song': ['snog', 'song'], 'songoi': ['isogon', 'songoi'], 'songy': ['gonys', 'songy'], 'sonic': ['oscin', 'scion', 'sonic'], 'sonja': ['janos', 'jason', 'jonas', 'sonja'], 'sonneratia': ['arsenation', 'senatorian', 'sonneratia'], 'sonnet': ['sonnet', 'stonen', 'tenson'], 'sonnetwise': ['sonnetwise', 'swinestone'], 'sonrai': ['arsino', 'rasion', 'sonrai'], 'sontag': ['sontag', 'tongas'], 'soodle': ['dolose', 'oodles', 'soodle'], 'sook': ['koso', 'skoo', 'sook'], 'sool': ['sloo', 'solo', 'sool'], 'soon': ['oons', 'soon'], 'sooner': ['nooser', 'seroon', 'sooner'], 'sooter': ['seroot', 'sooter', 'torose'], 'sooth': ['shoot', 'sooth', 'sotho', 'toosh'], 'soother': ['orthose', 'reshoot', 'shooter', 'soother'], 'soothing': ['shooting', 'soothing'], 'sootiness': ['enostosis', 'sootiness'], 'sooty': ['sooty', 'soyot'], 'sope': ['epos', 'peso', 'pose', 'sope'], 'soph': ['phos', 'posh', 'shop', 'soph'], 'sophister': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'sophistical': ['postischial', 'sophistical'], 'sophomore': ['osmophore', 'sophomore'], 'sopition': ['position', 'sopition'], 'sopor': ['poros', 'proso', 'sopor', 'spoor'], 'soprani': ['parison', 'soprani'], 'sopranist': ['postnaris', 'sopranist'], 'soprano': ['pronaos', 'soprano'], 'sora': ['asor', 'rosa', 'soar', 'sora'], 'sorabian': ['abrasion', 'sorabian'], 'soral': ['rosal', 'solar', 'soral'], 'sorbate': ['barotse', 'boaster', 'reboast', 'sorbate'], 'sorbin': ['insorb', 'sorbin'], 'sorcer': ['scorer', 'sorcer'], 'sorchin': ['cornish', 'cronish', 'sorchin'], 'sorda': ['sarod', 'sorda'], 'sordes': ['dosser', 'sordes'], 'sordine': ['indorse', 'ordines', 'siredon', 'sordine'], 'sordino': ['indoors', 'sordino'], 'sore': ['eros', 'rose', 'sero', 'sore'], 'soredia': ['ardoise', 'aroides', 'soredia'], 'sorediate': ['oestridae', 'ostreidae', 'sorediate'], 'soredium': ['dimerous', 'soredium'], 'soree': ['erose', 'soree'], 'sorefoot': ['footsore', 'sorefoot'], 'sorehead': ['rosehead', 'sorehead'], 'sorehon': ['onshore', 'sorehon'], 'sorema': ['amores', 'ramose', 'sorema'], 'soricid': ['cirsoid', 'soricid'], 'soricident': ['discretion', 'soricident'], 'soricine': ['recision', 'soricine'], 'sorite': ['restio', 'sorite', 'sortie', 'triose'], 'sorites': ['rossite', 'sorites'], 'sornare': ['serrano', 'sornare'], 'sorner': ['snorer', 'sorner'], 'sorning': ['snoring', 'sorning'], 'sororial': ['rosorial', 'sororial'], 'sorption': ['notropis', 'positron', 'sorption'], 'sortable': ['sortable', 'storable'], 'sorted': ['sorted', 'strode'], 'sorter': ['resort', 'roster', 'sorter', 'storer'], 'sortie': ['restio', 'sorite', 'sortie', 'triose'], 'sortilegus': ['sortilegus', 'strigulose'], 'sortiment': ['sortiment', 'trimstone'], 'sortly': ['sortly', 'styrol'], 'sorty': ['sorty', 'story', 'stroy'], 'sorva': ['savor', 'sorva'], 'sory': ['rosy', 'sory'], 'sosia': ['oasis', 'sosia'], 'sostenuto': ['ostentous', 'sostenuto'], 'soter': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'soterial': ['soterial', 'striolae'], 'sotho': ['shoot', 'sooth', 'sotho', 'toosh'], 'sotie': ['sotie', 'toise'], 'sotnia': ['sotnia', 'tinosa'], 'sotol': ['sotol', 'stool'], 'sots': ['sots', 'toss'], 'sotter': ['sotter', 'testor'], 'soucar': ['acorus', 'soucar'], 'souchet': ['souchet', 'techous', 'tousche'], 'souly': ['lousy', 'souly'], 'soum': ['soum', 'sumo'], 'soumansite': ['soumansite', 'stamineous'], 'sound': ['nodus', 'ounds', 'sound'], 'sounder': ['resound', 'sounder', 'unrosed'], 'soup': ['opus', 'soup'], 'souper': ['poseur', 'pouser', 'souper', 'uprose'], 'sour': ['ours', 'sour'], 'source': ['cerous', 'course', 'crouse', 'source'], 'soured': ['douser', 'soured'], 'souredness': ['rousedness', 'souredness'], 'souren': ['souren', 'unsore', 'ursone'], 'sourer': ['rouser', 'sourer'], 'souring': ['nigrous', 'rousing', 'souring'], 'sourly': ['lusory', 'sourly'], 'soursop': ['psorous', 'soursop', 'sporous'], 'soury': ['soury', 'yours'], 'souser': ['serous', 'souser'], 'souter': ['ouster', 'souter', 'touser', 'trouse'], 'souterrain': ['souterrain', 'ternarious', 'trouserian'], 'south': ['shout', 'south'], 'souther': ['shouter', 'souther'], 'southerland': ['southerland', 'southlander'], 'southing': ['shouting', 'southing'], 'southlander': ['southerland', 'southlander'], 'soviet': ['soviet', 'sovite'], 'sovite': ['soviet', 'sovite'], 'sowdones': ['sowdones', 'woodness'], 'sowel': ['sowel', 'sowle'], 'sower': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'sowl': ['slow', 'sowl'], 'sowle': ['sowel', 'sowle'], 'sown': ['snow', 'sown'], 'sowt': ['sowt', 'stow', 'swot', 'wots'], 'soyot': ['sooty', 'soyot'], 'spa': ['asp', 'sap', 'spa'], 'space': ['capes', 'scape', 'space'], 'spaceless': ['scapeless', 'spaceless'], 'spacer': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'spade': ['depas', 'sepad', 'spade'], 'spader': ['rasped', 'spader', 'spread'], 'spadiceous': ['dipsaceous', 'spadiceous'], 'spadone': ['espadon', 'spadone'], 'spadonic': ['spadonic', 'spondaic', 'spondiac'], 'spadrone': ['parsoned', 'spadrone'], 'spae': ['apse', 'pesa', 'spae'], 'spaer': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spahi': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'spaid': ['sapid', 'spaid'], 'spaik': ['askip', 'spaik'], 'spairge': ['prisage', 'spairge'], 'spalacine': ['asclepian', 'spalacine'], 'spale': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spalt': ['spalt', 'splat'], 'span': ['snap', 'span'], 'spancel': ['enclasp', 'spancel'], 'spane': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spanemia': ['paeanism', 'spanemia'], 'spangler': ['spangler', 'sprangle'], 'spangolite': ['postgenial', 'spangolite'], 'spaniel': ['espinal', 'pinales', 'spaniel'], 'spaniol': ['sanpoil', 'spaniol'], 'spanless': ['snapless', 'spanless'], 'spar': ['rasp', 'spar'], 'sparable': ['parsable', 'prebasal', 'sparable'], 'spare': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spareable': ['separable', 'spareable'], 'sparely': ['parsley', 'pyrales', 'sparely', 'splayer'], 'sparer': ['parser', 'rasper', 'sparer'], 'sparerib': ['ribspare', 'sparerib'], 'sparge': ['gasper', 'sparge'], 'sparger': ['grasper', 'regrasp', 'sparger'], 'sparidae': ['paradise', 'sparidae'], 'sparing': ['aspring', 'rasping', 'sparing'], 'sparingly': ['raspingly', 'sparingly'], 'sparingness': ['raspingness', 'sparingness'], 'sparling': ['laspring', 'sparling', 'springal'], 'sparoid': ['prasoid', 'sparoid'], 'sparse': ['passer', 'repass', 'sparse'], 'spart': ['spart', 'sprat', 'strap', 'traps'], 'spartanic': ['sacripant', 'spartanic'], 'sparteine': ['pistareen', 'sparteine'], 'sparterie': ['periaster', 'sparterie'], 'spartina': ['aspirant', 'partisan', 'spartina'], 'spartle': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'spary': ['raspy', 'spary', 'spray'], 'spat': ['past', 'spat', 'stap', 'taps'], 'spate': ['paste', 'septa', 'spate'], 'spathal': ['asphalt', 'spathal', 'taplash'], 'spathe': ['spathe', 'thapes'], 'spathic': ['haptics', 'spathic'], 'spatling': ['spatling', 'stapling'], 'spatter': ['spatter', 'tapster'], 'spattering': ['spattering', 'tapestring'], 'spattle': ['peltast', 'spattle'], 'spatular': ['pastural', 'spatular'], 'spatule': ['pulsate', 'spatule', 'upsteal'], 'spave': ['spave', 'vespa'], 'speak': ['sapek', 'speak'], 'speaker': ['respeak', 'speaker'], 'speal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spean': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spear': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spearman': ['parmesan', 'spearman'], 'spearmint': ['spearmint', 'spermatin'], 'speary': ['presay', 'speary'], 'spec': ['ceps', 'spec'], 'spectatorial': ['poetastrical', 'spectatorial'], 'specter': ['respect', 'scepter', 'specter'], 'spectered': ['sceptered', 'spectered'], 'spectra': ['precast', 'spectra'], 'spectral': ['sceptral', 'scraplet', 'spectral'], 'spectromicroscope': ['microspectroscope', 'spectromicroscope'], 'spectrotelescope': ['spectrotelescope', 'telespectroscope'], 'spectrous': ['spectrous', 'susceptor', 'suspector'], 'spectry': ['precyst', 'sceptry', 'spectry'], 'specula': ['capsule', 'specula', 'upscale'], 'specular': ['capsuler', 'specular'], 'speed': ['pedes', 'speed'], 'speel': ['sleep', 'speel'], 'speelless': ['sleepless', 'speelless'], 'speer': ['peres', 'perse', 'speer', 'spree'], 'speerity': ['perseity', 'speerity'], 'speiss': ['sepsis', 'speiss'], 'spelaean': ['seaplane', 'spelaean'], 'spelk': ['skelp', 'spelk'], 'speller': ['presell', 'respell', 'speller'], 'spelt': ['slept', 'spelt', 'splet'], 'spenerism': ['primeness', 'spenerism'], 'speos': ['posse', 'speos'], 'sperate': ['perates', 'repaste', 'sperate'], 'sperity': ['pyrites', 'sperity'], 'sperling': ['sperling', 'springle'], 'spermalist': ['psalmister', 'spermalist'], 'spermathecal': ['chapelmaster', 'spermathecal'], 'spermatid': ['predatism', 'spermatid'], 'spermatin': ['spearmint', 'spermatin'], 'spermatogonium': ['protomagnesium', 'spermatogonium'], 'spermatozoic': ['spermatozoic', 'zoospermatic'], 'spermiogenesis': ['geissospermine', 'spermiogenesis'], 'spermocarp': ['carposperm', 'spermocarp'], 'spet': ['pest', 'sept', 'spet', 'step'], 'spew': ['spew', 'swep'], 'sphacelation': ['lipsanotheca', 'sphacelation'], 'sphecidae': ['cheapside', 'sphecidae'], 'sphene': ['sephen', 'sphene'], 'sphenoethmoid': ['ethmosphenoid', 'sphenoethmoid'], 'sphenoethmoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'sphenotic': ['phonetics', 'sphenotic'], 'spheral': ['plasher', 'spheral'], 'spheration': ['opisthenar', 'spheration'], 'sphere': ['herpes', 'hesper', 'sphere'], 'sphery': ['sphery', 'sypher'], 'sphyraenid': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'sphyrnidae': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'spica': ['aspic', 'spica'], 'spicate': ['aseptic', 'spicate'], 'spice': ['sepic', 'spice'], 'spicer': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'spiciferous': ['pisciferous', 'spiciferous'], 'spiciform': ['pisciform', 'spiciform'], 'spicket': ['skeptic', 'spicket'], 'spicular': ['scripula', 'spicular'], 'spiculate': ['euplastic', 'spiculate'], 'spiculated': ['disculpate', 'spiculated'], 'spicule': ['clipeus', 'spicule'], 'spider': ['spider', 'spired', 'spried'], 'spiderish': ['sidership', 'spiderish'], 'spiderlike': ['predislike', 'spiderlike'], 'spiel': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spier': ['siper', 'spier', 'spire'], 'spikelet': ['spikelet', 'steplike'], 'spiking': ['pigskin', 'spiking'], 'spiky': ['pisky', 'spiky'], 'spile': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spiler': ['lisper', 'pliers', 'sirple', 'spiler'], 'spiling': ['sipling', 'spiling'], 'spiloma': ['imposal', 'spiloma'], 'spilt': ['spilt', 'split'], 'spin': ['snip', 'spin'], 'spina': ['pisan', 'sapin', 'spina'], 'spinae': ['sepian', 'spinae'], 'spinales': ['painless', 'spinales'], 'spinate': ['panties', 'sapient', 'spinate'], 'spindled': ['spindled', 'splendid'], 'spindler': ['spindler', 'splinder'], 'spine': ['penis', 'snipe', 'spine'], 'spinebill': ['snipebill', 'spinebill'], 'spinel': ['spinel', 'spline'], 'spinelike': ['snipelike', 'spinelike'], 'spinet': ['instep', 'spinet'], 'spinigerous': ['serpiginous', 'spinigerous'], 'spinigrade': ['despairing', 'spinigrade'], 'spinoid': ['spinoid', 'spionid'], 'spinoneural': ['spinoneural', 'unipersonal'], 'spinotectal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'spiny': ['snipy', 'spiny'], 'spionid': ['spinoid', 'spionid'], 'spiracle': ['calipers', 'spiracle'], 'spiracula': ['auriscalp', 'spiracula'], 'spiral': ['prisal', 'spiral'], 'spiralism': ['misprisal', 'spiralism'], 'spiraloid': ['spiraloid', 'sporidial'], 'spiran': ['spiran', 'sprain'], 'spirant': ['spirant', 'spraint'], 'spirate': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'spire': ['siper', 'spier', 'spire'], 'spirea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'spired': ['spider', 'spired', 'spried'], 'spirelet': ['epistler', 'spirelet'], 'spireme': ['emprise', 'imprese', 'premise', 'spireme'], 'spiritally': ['pistillary', 'spiritally'], 'spiriter': ['respirit', 'spiriter'], 'spirometer': ['prisometer', 'spirometer'], 'spironema': ['mesropian', 'promnesia', 'spironema'], 'spirt': ['spirt', 'sprit', 'stirp', 'strip'], 'spirula': ['parulis', 'spirula', 'uprisal'], 'spit': ['pist', 'spit'], 'spital': ['alpist', 'pastil', 'spital'], 'spite': ['septi', 'spite', 'stipe'], 'spithame': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'spitter': ['spitter', 'tipster'], 'splairge': ['aspergil', 'splairge'], 'splanchnosomatic': ['somatosplanchnic', 'splanchnosomatic'], 'splasher': ['harpless', 'splasher'], 'splat': ['spalt', 'splat'], 'splay': ['palsy', 'splay'], 'splayed': ['pylades', 'splayed'], 'splayer': ['parsley', 'pyrales', 'sparely', 'splayer'], 'spleet': ['pestle', 'spleet'], 'splender': ['resplend', 'splender'], 'splendid': ['spindled', 'splendid'], 'splenium': ['splenium', 'unsimple'], 'splenolaparotomy': ['laparosplenotomy', 'splenolaparotomy'], 'splenoma': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'splenomegalia': ['megalosplenia', 'splenomegalia'], 'splenonephric': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splenophrenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splet': ['slept', 'spelt', 'splet'], 'splice': ['clipse', 'splice'], 'spliceable': ['eclipsable', 'spliceable'], 'splinder': ['spindler', 'splinder'], 'spline': ['spinel', 'spline'], 'split': ['spilt', 'split'], 'splitter': ['splitter', 'striplet'], 'splore': ['sloper', 'splore'], 'spogel': ['gospel', 'spogel'], 'spoil': ['polis', 'spoil'], 'spoilage': ['pelasgoi', 'spoilage'], 'spoilation': ['positional', 'spoilation', 'spoliation'], 'spoiled': ['despoil', 'soliped', 'spoiled'], 'spoiler': ['leporis', 'spoiler'], 'spoilment': ['simpleton', 'spoilment'], 'spoilt': ['pistol', 'postil', 'spoilt'], 'spole': ['elops', 'slope', 'spole'], 'spoliation': ['positional', 'spoilation', 'spoliation'], 'spondaic': ['spadonic', 'spondaic', 'spondiac'], 'spondiac': ['spadonic', 'spondaic', 'spondiac'], 'spongily': ['posingly', 'spongily'], 'sponsal': ['plasson', 'sponsal'], 'sponsalia': ['passional', 'sponsalia'], 'spool': ['polos', 'sloop', 'spool'], 'spoon': ['snoop', 'spoon'], 'spooner': ['snooper', 'spooner'], 'spoony': ['snoopy', 'spoony'], 'spoonyism': ['spoonyism', 'symposion'], 'spoor': ['poros', 'proso', 'sopor', 'spoor'], 'spoot': ['spoot', 'stoop'], 'sporangia': ['agapornis', 'sporangia'], 'spore': ['poser', 'prose', 'ropes', 'spore'], 'sporidial': ['spiraloid', 'sporidial'], 'sporification': ['antisoporific', 'prosification', 'sporification'], 'sporogeny': ['gynospore', 'sporogeny'], 'sporoid': ['psoroid', 'sporoid'], 'sporotrichum': ['sporotrichum', 'trichosporum'], 'sporous': ['psorous', 'soursop', 'sporous'], 'sporozoic': ['sporozoic', 'zoosporic'], 'sport': ['sport', 'strop'], 'sporter': ['sporter', 'strepor'], 'sportula': ['postural', 'pulsator', 'sportula'], 'sportulae': ['opulaster', 'sportulae', 'sporulate'], 'sporulate': ['opulaster', 'sportulae', 'sporulate'], 'sporule': ['leprous', 'pelorus', 'sporule'], 'sposhy': ['hyssop', 'phossy', 'sposhy'], 'spot': ['post', 'spot', 'stop', 'tops'], 'spotless': ['postless', 'spotless', 'stopless'], 'spotlessness': ['spotlessness', 'stoplessness'], 'spotlike': ['postlike', 'spotlike'], 'spottedly': ['spottedly', 'spotteldy'], 'spotteldy': ['spottedly', 'spotteldy'], 'spotter': ['protest', 'spotter'], 'spouse': ['esopus', 'spouse'], 'spout': ['spout', 'stoup'], 'spouter': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sprag': ['grasp', 'sprag'], 'sprain': ['spiran', 'sprain'], 'spraint': ['spirant', 'spraint'], 'sprangle': ['spangler', 'sprangle'], 'sprat': ['spart', 'sprat', 'strap', 'traps'], 'spray': ['raspy', 'spary', 'spray'], 'sprayer': ['respray', 'sprayer'], 'spread': ['rasped', 'spader', 'spread'], 'spreadboard': ['broadspread', 'spreadboard'], 'spreader': ['respread', 'spreader'], 'spreadover': ['overspread', 'spreadover'], 'spree': ['peres', 'perse', 'speer', 'spree'], 'spret': ['prest', 'spret'], 'spried': ['spider', 'spired', 'spried'], 'sprier': ['risper', 'sprier'], 'spriest': ['persist', 'spriest'], 'springal': ['laspring', 'sparling', 'springal'], 'springe': ['presign', 'springe'], 'springer': ['respring', 'springer'], 'springhead': ['headspring', 'springhead'], 'springhouse': ['springhouse', 'surgeonship'], 'springle': ['sperling', 'springle'], 'sprit': ['spirt', 'sprit', 'stirp', 'strip'], 'sprite': ['priest', 'pteris', 'sprite', 'stripe'], 'spritehood': ['priesthood', 'spritehood'], 'sproat': ['asport', 'pastor', 'sproat'], 'sprocket': ['prestock', 'sprocket'], 'sprout': ['sprout', 'stroup', 'stupor'], 'sprouter': ['posturer', 'resprout', 'sprouter'], 'sprouting': ['outspring', 'sprouting'], 'sprue': ['purse', 'resup', 'sprue', 'super'], 'spruer': ['purser', 'spruer'], 'spruit': ['purist', 'spruit', 'uprist', 'upstir'], 'spun': ['snup', 'spun'], 'spunkie': ['spunkie', 'unspike'], 'spuriae': ['spuriae', 'uparise', 'upraise'], 'spurl': ['slurp', 'spurl'], 'spurlet': ['purslet', 'spurlet', 'spurtle'], 'spurn': ['snurp', 'spurn'], 'spurt': ['spurt', 'turps'], 'spurtive': ['spurtive', 'upstrive'], 'spurtle': ['purslet', 'spurlet', 'spurtle'], 'sputa': ['sputa', 'staup', 'stupa'], 'sputumary': ['sputumary', 'sumptuary'], 'sputumous': ['sputumous', 'sumptuous'], 'spyer': ['pryse', 'spyer'], 'spyros': ['prossy', 'spyros'], 'squail': ['squail', 'squali'], 'squali': ['squail', 'squali'], 'squamatine': ['antimasque', 'squamatine'], 'squame': ['masque', 'squame', 'squeam'], 'squameous': ['squameous', 'squeamous'], 'squamopetrosal': ['petrosquamosal', 'squamopetrosal'], 'squamosoparietal': ['parietosquamosal', 'squamosoparietal'], 'squareman': ['marquesan', 'squareman'], 'squeaker': ['resqueak', 'squeaker'], 'squeal': ['lasque', 'squeal'], 'squeam': ['masque', 'squame', 'squeam'], 'squeamous': ['squameous', 'squeamous'], 'squillian': ['nisqualli', 'squillian'], 'squire': ['risque', 'squire'], 'squiret': ['querist', 'squiret'], 'squit': ['quits', 'squit'], 'sramana': ['ramanas', 'sramana'], 'sri': ['sir', 'sri'], 'srivatsan': ['ravissant', 'srivatsan'], 'ssi': ['sis', 'ssi'], 'ssu': ['ssu', 'sus'], 'staab': ['basta', 'staab'], 'stab': ['bast', 'bats', 'stab'], 'stabile': ['astilbe', 'bestial', 'blastie', 'stabile'], 'stable': ['ablest', 'stable', 'tables'], 'stableful': ['bullfeast', 'stableful'], 'stabler': ['blaster', 'reblast', 'stabler'], 'stabling': ['blasting', 'stabling'], 'stably': ['blasty', 'stably'], 'staccato': ['staccato', 'stoccata'], 'stacey': ['cytase', 'stacey'], 'stacher': ['stacher', 'thraces'], 'stacker': ['restack', 'stacker'], 'stackman': ['stackman', 'tacksman'], 'stacy': ['stacy', 'styca'], 'stade': ['sedat', 'stade', 'stead'], 'stadic': ['dicast', 'stadic'], 'stadium': ['dumaist', 'stadium'], 'staffer': ['restaff', 'staffer'], 'stag': ['gast', 'stag'], 'stager': ['gaster', 'stager'], 'stagily': ['stagily', 'stygial'], 'stagnation': ['antagonist', 'stagnation'], 'stagnum': ['mustang', 'stagnum'], 'stain': ['saint', 'satin', 'stain'], 'stainable': ['balanites', 'basaltine', 'stainable'], 'stainer': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stainful': ['inflatus', 'stainful'], 'stainless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'staio': ['sitao', 'staio'], 'stair': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'staircase': ['caesarist', 'staircase'], 'staired': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'staithman': ['staithman', 'thanatism'], 'staiver': ['staiver', 'taivers'], 'stake': ['skate', 'stake', 'steak'], 'staker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'stalagmitic': ['stalagmitic', 'stigmatical'], 'stale': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'staling': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'stalker': ['sklater', 'stalker'], 'staller': ['staller', 'stellar'], 'stam': ['mast', 'mats', 'stam'], 'stamen': ['mantes', 'stamen'], 'stamin': ['manist', 'mantis', 'matins', 'stamin'], 'stamina': ['amanist', 'stamina'], 'staminal': ['staminal', 'tailsman', 'talisman'], 'staminate': ['emanatist', 'staminate', 'tasmanite'], 'stamineous': ['soumansite', 'stamineous'], 'staminode': ['ademonist', 'demoniast', 'staminode'], 'stammer': ['stammer', 'stremma'], 'stampede': ['stampede', 'stepdame'], 'stamper': ['restamp', 'stamper'], 'stampian': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'stan': ['nast', 'sant', 'stan'], 'stance': ['ascent', 'secant', 'stance'], 'stanch': ['chanst', 'snatch', 'stanch'], 'stanchable': ['snatchable', 'stanchable'], 'stancher': ['resnatch', 'snatcher', 'stancher'], 'stand': ['dasnt', 'stand'], 'standage': ['dagestan', 'standage'], 'standee': ['edestan', 'standee'], 'stander': ['stander', 'sternad'], 'standout': ['outstand', 'standout'], 'standstill': ['standstill', 'stillstand'], 'stane': ['antes', 'nates', 'stane', 'stean'], 'stang': ['angst', 'stang', 'tangs'], 'stangeria': ['agrestian', 'gerastian', 'stangeria'], 'stanine': ['ensaint', 'stanine'], 'stanly': ['nylast', 'stanly'], 'stanno': ['santon', 'sonant', 'stanno'], 'stap': ['past', 'spat', 'stap', 'taps'], 'staple': ['pastel', 'septal', 'staple'], 'stapler': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'stapling': ['spatling', 'stapling'], 'star': ['sart', 'star', 'stra', 'tars', 'tsar'], 'starch': ['scarth', 'scrath', 'starch'], 'stardom': ['stardom', 'tsardom'], 'stare': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'staree': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'starer': ['arrest', 'astrer', 'raster', 'starer'], 'starful': ['flustra', 'starful'], 'staring': ['gastrin', 'staring'], 'staringly': ['staringly', 'strayling'], 'stark': ['karst', 'skart', 'stark'], 'starky': ['starky', 'straky'], 'starlet': ['rattles', 'slatter', 'starlet', 'startle'], 'starlit': ['starlit', 'trisalt'], 'starlite': ['starlite', 'taistrel'], 'starnel': ['saltern', 'starnel', 'sternal'], 'starnie': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'starnose': ['assentor', 'essorant', 'starnose'], 'starship': ['starship', 'tsarship'], 'starshot': ['shotstar', 'starshot'], 'starter': ['restart', 'starter'], 'startle': ['rattles', 'slatter', 'starlet', 'startle'], 'starve': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'starwise': ['starwise', 'waitress'], 'stary': ['satyr', 'stary', 'stray', 'trasy'], 'stases': ['assets', 'stases'], 'stasis': ['assist', 'stasis'], 'statable': ['statable', 'tastable'], 'state': ['state', 'taste', 'tates', 'testa'], 'stated': ['stated', 'tasted'], 'stateful': ['stateful', 'tasteful'], 'statefully': ['statefully', 'tastefully'], 'statefulness': ['statefulness', 'tastefulness'], 'stateless': ['stateless', 'tasteless'], 'statelich': ['athletics', 'statelich'], 'stately': ['stately', 'stylate'], 'statement': ['statement', 'testament'], 'stater': ['stater', 'taster', 'testar'], 'statesider': ['dissertate', 'statesider'], 'static': ['static', 'sticta'], 'statice': ['etacist', 'statice'], 'stational': ['saltation', 'stational'], 'stationarily': ['antiroyalist', 'stationarily'], 'stationer': ['nitrosate', 'stationer'], 'statoscope': ['septocosta', 'statoscope'], 'statue': ['astute', 'statue'], 'stature': ['stature', 'stauter'], 'staumer': ['staumer', 'strumae'], 'staun': ['staun', 'suant'], 'staunch': ['canthus', 'staunch'], 'staup': ['sputa', 'staup', 'stupa'], 'staurion': ['staurion', 'sutorian'], 'stauter': ['stature', 'stauter'], 'stave': ['stave', 'vesta'], 'staver': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'staw': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'stawn': ['stawn', 'wasnt'], 'stayable': ['stayable', 'teasably'], 'stayed': ['stayed', 'steady'], 'stayer': ['atresy', 'estray', 'reasty', 'stayer'], 'staynil': ['nastily', 'saintly', 'staynil'], 'stchi': ['sitch', 'stchi', 'stich'], 'stead': ['sedat', 'stade', 'stead'], 'steady': ['stayed', 'steady'], 'steak': ['skate', 'stake', 'steak'], 'steal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stealer': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'stealing': ['galenist', 'genitals', 'stealing'], 'stealy': ['alytes', 'astely', 'lysate', 'stealy'], 'steam': ['steam', 'stema'], 'steaming': ['misagent', 'steaming'], 'stean': ['antes', 'nates', 'stane', 'stean'], 'stearic': ['atresic', 'stearic'], 'stearin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stearone': ['orestean', 'resonate', 'stearone'], 'stearyl': ['saltery', 'stearyl'], 'steatin': ['atenist', 'instate', 'satient', 'steatin'], 'steatoma': ['atmostea', 'steatoma'], 'steatornis': ['steatornis', 'treasonist'], 'stech': ['chest', 'stech'], 'steek': ['keest', 'skeet', 'skete', 'steek'], 'steel': ['sleet', 'slete', 'steel', 'stele'], 'steeler': ['reestle', 'resteel', 'steeler'], 'steeliness': ['sleetiness', 'steeliness'], 'steeling': ['sleeting', 'steeling'], 'steelproof': ['sleetproof', 'steelproof'], 'steely': ['sleety', 'steely'], 'steen': ['steen', 'teens', 'tense'], 'steep': ['peste', 'steep'], 'steeper': ['estrepe', 'resteep', 'steeper'], 'steepy': ['steepy', 'typees'], 'steer': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'steerer': ['reester', 'steerer'], 'steering': ['energist', 'steering'], 'steerling': ['esterling', 'steerling'], 'steeve': ['steeve', 'vestee'], 'stefan': ['fasten', 'nefast', 'stefan'], 'steg': ['gest', 'steg'], 'stegodon': ['dogstone', 'stegodon'], 'steid': ['deist', 'steid'], 'steigh': ['gesith', 'steigh'], 'stein': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stela': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stelae': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'stelai': ['isleta', 'litsea', 'salite', 'stelai'], 'stelar': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'stele': ['sleet', 'slete', 'steel', 'stele'], 'stella': ['sallet', 'stella', 'talles'], 'stellar': ['staller', 'stellar'], 'stellaria': ['lateralis', 'stellaria'], 'stema': ['steam', 'stema'], 'stemlike': ['meletski', 'stemlike'], 'sten': ['nest', 'sent', 'sten'], 'stenar': ['astern', 'enstar', 'stenar', 'sterna'], 'stencil': ['lentisc', 'scintle', 'stencil'], 'stenciler': ['crestline', 'stenciler'], 'stenion': ['stenion', 'tension'], 'steno': ['onset', 'seton', 'steno', 'stone'], 'stenopaic': ['aspection', 'stenopaic'], 'stenosis': ['sisseton', 'stenosis'], 'stenotic': ['stenotic', 'tonetics'], 'stentor': ['snotter', 'stentor', 'torsten'], 'step': ['pest', 'sept', 'spet', 'step'], 'stepaunt': ['nettapus', 'stepaunt'], 'stepbairn': ['breastpin', 'stepbairn'], 'stepdame': ['stampede', 'stepdame'], 'stephana': ['pheasant', 'stephana'], 'stephanic': ['cathepsin', 'stephanic'], 'steplike': ['spikelet', 'steplike'], 'sterculia': ['sterculia', 'urticales'], 'stere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'stereograph': ['preshortage', 'stereograph'], 'stereometric': ['crestmoreite', 'stereometric'], 'stereophotograph': ['photostereograph', 'stereophotograph'], 'stereotelescope': ['stereotelescope', 'telestereoscope'], 'stereotomic': ['osteometric', 'stereotomic'], 'stereotomical': ['osteometrical', 'stereotomical'], 'stereotomy': ['osteometry', 'stereotomy'], 'steric': ['certis', 'steric'], 'sterigma': ['gemarist', 'magister', 'sterigma'], 'sterigmata': ['magistrate', 'sterigmata'], 'sterile': ['leister', 'sterile'], 'sterilize': ['listerize', 'sterilize'], 'sterin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sterlet': ['settler', 'sterlet', 'trestle'], 'stern': ['ernst', 'stern'], 'sterna': ['astern', 'enstar', 'stenar', 'sterna'], 'sternad': ['stander', 'sternad'], 'sternage': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sternal': ['saltern', 'starnel', 'sternal'], 'sternalis': ['sternalis', 'trainless'], 'sternite': ['insetter', 'interest', 'interset', 'sternite'], 'sterno': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'sternocostal': ['costosternal', 'sternocostal'], 'sternovertebral': ['sternovertebral', 'vertebrosternal'], 'stero': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'steroid': ['oestrid', 'steroid', 'storied'], 'sterol': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'stert': ['stert', 'stret', 'trest'], 'sterve': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'stet': ['sett', 'stet', 'test'], 'stevan': ['stevan', 'svante'], 'stevel': ['stevel', 'svelte'], 'stevia': ['itaves', 'stevia'], 'stew': ['stew', 'west'], 'stewart': ['stewart', 'swatter'], 'stewed': ['stewed', 'wedset'], 'stewy': ['stewy', 'westy'], 'stey': ['stey', 'yest'], 'sthenia': ['sethian', 'sthenia'], 'stich': ['sitch', 'stchi', 'stich'], 'stichid': ['distich', 'stichid'], 'sticker': ['rickets', 'sticker'], 'stickler': ['stickler', 'strickle'], 'sticta': ['static', 'sticta'], 'stife': ['feist', 'stife'], 'stiffener': ['restiffen', 'stiffener'], 'stifle': ['itself', 'stifle'], 'stifler': ['slifter', 'stifler'], 'stigmai': ['imagist', 'stigmai'], 'stigmatical': ['stalagmitic', 'stigmatical'], 'stilbene': ['nebelist', 'stilbene', 'tensible'], 'stile': ['islet', 'istle', 'slite', 'stile'], 'stileman': ['mentalis', 'smaltine', 'stileman'], 'stillage': ['legalist', 'stillage'], 'stiller': ['stiller', 'trellis'], 'stillstand': ['standstill', 'stillstand'], 'stilted': ['slitted', 'stilted'], 'stilter': ['litster', 'slitter', 'stilter', 'testril'], 'stilty': ['slitty', 'stilty'], 'stim': ['mist', 'smit', 'stim'], 'stime': ['metis', 'smite', 'stime', 'times'], 'stimulancy': ['stimulancy', 'unmystical'], 'stimy': ['misty', 'stimy'], 'stine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stinge': ['ingest', 'signet', 'stinge'], 'stinger': ['resting', 'stinger'], 'stinker': ['kirsten', 'kristen', 'stinker'], 'stinkstone': ['knottiness', 'stinkstone'], 'stinted': ['dentist', 'distent', 'stinted'], 'stion': ['sinto', 'stion'], 'stipa': ['piast', 'stipa', 'tapis'], 'stipe': ['septi', 'spite', 'stipe'], 'stipel': ['pistle', 'stipel'], 'stippen': ['snippet', 'stippen'], 'stipula': ['paulist', 'stipula'], 'stir': ['rist', 'stir'], 'stirk': ['skirt', 'stirk'], 'stirp': ['spirt', 'sprit', 'stirp', 'strip'], 'stitcher': ['restitch', 'stitcher'], 'stiver': ['stiver', 'strive', 'verist'], 'stoa': ['oast', 'stoa', 'taos'], 'stoach': ['stoach', 'stocah'], 'stoat': ['stoat', 'toast'], 'stoater': ['retoast', 'rosetta', 'stoater', 'toaster'], 'stocah': ['stoach', 'stocah'], 'stoccata': ['staccato', 'stoccata'], 'stocker': ['restock', 'stocker'], 'stoep': ['estop', 'stoep', 'stope'], 'stof': ['soft', 'stof'], 'stog': ['stog', 'togs'], 'stogie': ['egoist', 'stogie'], 'stoic': ['ostic', 'sciot', 'stoic'], 'stoically': ['callosity', 'stoically'], 'stoker': ['stoker', 'stroke'], 'stolae': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'stole': ['slote', 'stole'], 'stoled': ['sloted', 'stoled'], 'stolen': ['solent', 'stolen', 'telson'], 'stoma': ['atmos', 'stoma', 'tomas'], 'stomatode': ['mootstead', 'stomatode'], 'stomatomy': ['mastotomy', 'stomatomy'], 'stomatopoda': ['podostomata', 'stomatopoda'], 'stomatopodous': ['podostomatous', 'stomatopodous'], 'stomper': ['pomster', 'stomper'], 'stone': ['onset', 'seton', 'steno', 'stone'], 'stonebird': ['birdstone', 'stonebird'], 'stonebreak': ['breakstone', 'stonebreak'], 'stoned': ['doesnt', 'stoned'], 'stonegall': ['gallstone', 'stonegall'], 'stonehand': ['handstone', 'stonehand'], 'stonehead': ['headstone', 'stonehead'], 'stonen': ['sonnet', 'stonen', 'tenson'], 'stoner': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stonewood': ['stonewood', 'woodstone'], 'stong': ['stong', 'tongs'], 'stonker': ['stonker', 'storken'], 'stoof': ['foots', 'sfoot', 'stoof'], 'stool': ['sotol', 'stool'], 'stoon': ['snoot', 'stoon'], 'stoop': ['spoot', 'stoop'], 'stop': ['post', 'spot', 'stop', 'tops'], 'stopback': ['backstop', 'stopback'], 'stope': ['estop', 'stoep', 'stope'], 'stoper': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'stoping': ['posting', 'stoping'], 'stopless': ['postless', 'spotless', 'stopless'], 'stoplessness': ['spotlessness', 'stoplessness'], 'stoppeur': ['pteropus', 'stoppeur'], 'storable': ['sortable', 'storable'], 'storage': ['storage', 'tagsore'], 'store': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'storeen': ['enstore', 'estrone', 'storeen', 'tornese'], 'storeman': ['monaster', 'monstera', 'nearmost', 'storeman'], 'storer': ['resort', 'roster', 'sorter', 'storer'], 'storeship': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'storesman': ['nosesmart', 'storesman'], 'storge': ['groset', 'storge'], 'storiate': ['astroite', 'ostraite', 'storiate'], 'storied': ['oestrid', 'steroid', 'storied'], 'storier': ['roister', 'storier'], 'stork': ['stork', 'torsk'], 'storken': ['stonker', 'storken'], 'storm': ['storm', 'strom'], 'stormwind': ['stormwind', 'windstorm'], 'story': ['sorty', 'story', 'stroy'], 'stot': ['stot', 'tost'], 'stotter': ['stotter', 'stretto'], 'stoun': ['notus', 'snout', 'stoun', 'tonus'], 'stoup': ['spout', 'stoup'], 'stour': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'stouring': ['rousting', 'stouring'], 'stoutly': ['stoutly', 'tylotus'], 'stove': ['ovest', 'stove'], 'stover': ['stover', 'strove'], 'stow': ['sowt', 'stow', 'swot', 'wots'], 'stowable': ['bestowal', 'stowable'], 'stower': ['restow', 'stower', 'towser', 'worset'], 'stra': ['sart', 'star', 'stra', 'tars', 'tsar'], 'strad': ['darst', 'darts', 'strad'], 'stradine': ['stradine', 'strained', 'tarnside'], 'strae': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'strafe': ['farset', 'faster', 'strafe'], 'stragular': ['gastrular', 'stragular'], 'straighten': ['shattering', 'straighten'], 'straightener': ['restraighten', 'straightener'], 'straightup': ['straightup', 'upstraight'], 'straik': ['rastik', 'sarkit', 'straik'], 'strain': ['instar', 'santir', 'strain'], 'strained': ['stradine', 'strained', 'tarnside'], 'strainer': ['restrain', 'strainer', 'transire'], 'strainerman': ['strainerman', 'transmarine'], 'straint': ['straint', 'transit', 'tristan'], 'strait': ['artist', 'strait', 'strati'], 'strake': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'straky': ['starky', 'straky'], 'stram': ['smart', 'stram'], 'strange': ['angster', 'garnets', 'nagster', 'strange'], 'strangles': ['slangster', 'strangles'], 'strap': ['spart', 'sprat', 'strap', 'traps'], 'strapless': ['psaltress', 'strapless'], 'strata': ['astart', 'strata'], 'strategi': ['strategi', 'strigate'], 'strath': ['strath', 'thrast'], 'strati': ['artist', 'strait', 'strati'], 'stratic': ['astrict', 'cartist', 'stratic'], 'stratonic': ['narcotist', 'stratonic'], 'stratonical': ['intracostal', 'stratonical'], 'strave': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'straw': ['straw', 'swart', 'warst'], 'strawy': ['strawy', 'swarty'], 'stray': ['satyr', 'stary', 'stray', 'trasy'], 'strayling': ['staringly', 'strayling'], 'stre': ['rest', 'sert', 'stre'], 'streak': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'streakily': ['satyrlike', 'streakily'], 'stream': ['martes', 'master', 'remast', 'stream'], 'streamer': ['masterer', 'restream', 'streamer'], 'streamful': ['masterful', 'streamful'], 'streamhead': ['headmaster', 'headstream', 'streamhead'], 'streaming': ['germanist', 'streaming'], 'streamless': ['masterless', 'streamless'], 'streamlike': ['masterlike', 'streamlike'], 'streamline': ['eternalism', 'streamline'], 'streamling': ['masterling', 'streamling'], 'streamside': ['mediatress', 'streamside'], 'streamwort': ['masterwort', 'streamwort'], 'streamy': ['mastery', 'streamy'], 'stree': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'streek': ['streek', 'streke'], 'streel': ['lester', 'selter', 'streel'], 'streen': ['ernest', 'nester', 'resent', 'streen'], 'streep': ['pester', 'preset', 'restep', 'streep'], 'street': ['retest', 'setter', 'street', 'tester'], 'streetcar': ['scatterer', 'streetcar'], 'streke': ['streek', 'streke'], 'strelitz': ['strelitz', 'streltzi'], 'streltzi': ['strelitz', 'streltzi'], 'stremma': ['stammer', 'stremma'], 'strengthener': ['restrengthen', 'strengthener'], 'strepen': ['penster', 'present', 'serpent', 'strepen'], 'strepera': ['pasterer', 'strepera'], 'strepor': ['sporter', 'strepor'], 'strepsinema': ['esperantism', 'strepsinema'], 'streptothricosis': ['streptothricosis', 'streptotrichosis'], 'streptotrichosis': ['streptothricosis', 'streptotrichosis'], 'stresser': ['restress', 'stresser'], 'stret': ['stert', 'stret', 'trest'], 'stretcher': ['restretch', 'stretcher'], 'stretcherman': ['stretcherman', 'trenchmaster'], 'stretto': ['stotter', 'stretto'], 'strew': ['strew', 'trews', 'wrest'], 'strewer': ['strewer', 'wrester'], 'strey': ['resty', 'strey'], 'streyne': ['streyne', 'styrene', 'yestern'], 'stria': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'striae': ['satire', 'striae'], 'strial': ['latris', 'strial'], 'striatal': ['altarist', 'striatal'], 'striate': ['artiste', 'striate'], 'striated': ['distater', 'striated'], 'strich': ['christ', 'strich'], 'strickle': ['stickler', 'strickle'], 'stride': ['driest', 'stride'], 'strife': ['fister', 'resift', 'sifter', 'strife'], 'strig': ['grist', 'grits', 'strig'], 'striga': ['gratis', 'striga'], 'strigae': ['seagirt', 'strigae'], 'strigate': ['strategi', 'strigate'], 'striges': ['striges', 'tigress'], 'strigulose': ['sortilegus', 'strigulose'], 'strike': ['skiter', 'strike'], 'striker': ['skirret', 'skirter', 'striker'], 'striking': ['skirting', 'striking'], 'strikingly': ['skirtingly', 'strikingly'], 'stringer': ['restring', 'ringster', 'stringer'], 'strinkle': ['sklinter', 'strinkle'], 'striola': ['aristol', 'oralist', 'ortalis', 'striola'], 'striolae': ['soterial', 'striolae'], 'strip': ['spirt', 'sprit', 'stirp', 'strip'], 'stripe': ['priest', 'pteris', 'sprite', 'stripe'], 'stripeless': ['priestless', 'stripeless'], 'striper': ['restrip', 'striper'], 'striplet': ['splitter', 'striplet'], 'strippit': ['strippit', 'trippist'], 'strit': ['strit', 'trist'], 'strive': ['stiver', 'strive', 'verist'], 'stroam': ['stroam', 'stroma'], 'strobila': ['laborist', 'strobila'], 'strobilae': ['sobralite', 'strobilae'], 'strobilate': ['brasiletto', 'strobilate'], 'strode': ['sorted', 'strode'], 'stroke': ['stoker', 'stroke'], 'strom': ['storm', 'strom'], 'stroma': ['stroam', 'stroma'], 'stromatic': ['microstat', 'stromatic'], 'strone': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stronghead': ['headstrong', 'stronghead'], 'strontian': ['strontian', 'trisonant'], 'strontianite': ['interstation', 'strontianite'], 'strop': ['sport', 'strop'], 'strophaic': ['actorship', 'strophaic'], 'strophiolate': ['strophiolate', 'theatropolis'], 'strophomena': ['nephrostoma', 'strophomena'], 'strounge': ['strounge', 'sturgeon'], 'stroup': ['sprout', 'stroup', 'stupor'], 'strove': ['stover', 'strove'], 'strow': ['strow', 'worst'], 'stroy': ['sorty', 'story', 'stroy'], 'strub': ['burst', 'strub'], 'struck': ['struck', 'trucks'], 'strue': ['serut', 'strue', 'turse', 'uster'], 'strumae': ['staumer', 'strumae'], 'strut': ['strut', 'sturt', 'trust'], 'struth': ['struth', 'thrust'], 'struthian': ['struthian', 'unathirst'], 'stu': ['stu', 'ust'], 'stuart': ['astrut', 'rattus', 'stuart'], 'stub': ['bust', 'stub'], 'stuber': ['berust', 'buster', 'stuber'], 'stud': ['dust', 'stud'], 'studdie': ['studdie', 'studied'], 'student': ['student', 'stunted'], 'studia': ['aditus', 'studia'], 'studied': ['studdie', 'studied'], 'study': ['dusty', 'study'], 'stue': ['stue', 'suet'], 'stuffer': ['restuff', 'stuffer'], 'stug': ['gust', 'stug'], 'stuiver': ['revuist', 'stuiver'], 'stum': ['must', 'smut', 'stum'], 'stumer': ['muster', 'sertum', 'stumer'], 'stumper': ['stumper', 'sumpter'], 'stun': ['stun', 'sunt', 'tsun'], 'stunner': ['stunner', 'unstern'], 'stunted': ['student', 'stunted'], 'stunter': ['entrust', 'stunter', 'trusten'], 'stupa': ['sputa', 'staup', 'stupa'], 'stupe': ['setup', 'stupe', 'upset'], 'stupor': ['sprout', 'stroup', 'stupor'], 'stuprate': ['stuprate', 'upstater'], 'stupulose': ['pustulose', 'stupulose'], 'sturdiness': ['sturdiness', 'undistress'], 'sturgeon': ['strounge', 'sturgeon'], 'sturine': ['intruse', 'sturine'], 'sturionine': ['reunionist', 'sturionine'], 'sturmian': ['naturism', 'sturmian', 'turanism'], 'sturnidae': ['disnature', 'sturnidae', 'truandise'], 'sturninae': ['neustrian', 'saturnine', 'sturninae'], 'sturnus': ['sturnus', 'untruss'], 'sturt': ['strut', 'sturt', 'trust'], 'sturtin': ['intrust', 'sturtin'], 'stut': ['stut', 'tuts'], 'stutter': ['stutter', 'tutster'], 'styan': ['nasty', 'styan', 'tansy'], 'styca': ['stacy', 'styca'], 'stycerin': ['nycteris', 'stycerin'], 'stygial': ['stagily', 'stygial'], 'stylate': ['stately', 'stylate'], 'styledom': ['modestly', 'styledom'], 'stylite': ['stylite', 'testily'], 'styloid': ['odylist', 'styloid'], 'stylometer': ['metrostyle', 'stylometer'], 'stylopidae': ['ideoplasty', 'stylopidae'], 'styphelia': ['physalite', 'styphelia'], 'styrene': ['streyne', 'styrene', 'yestern'], 'styrol': ['sortly', 'styrol'], 'stythe': ['stythe', 'tethys'], 'styx': ['styx', 'xyst'], 'suability': ['suability', 'usability'], 'suable': ['suable', 'usable'], 'sualocin': ['sualocin', 'unsocial'], 'suant': ['staun', 'suant'], 'suasible': ['basileus', 'issuable', 'suasible'], 'suasion': ['sanious', 'suasion'], 'suasory': ['ossuary', 'suasory'], 'suave': ['sauve', 'suave'], 'sub': ['bus', 'sub'], 'subah': ['shuba', 'subah'], 'subalpine': ['subalpine', 'unspiable'], 'subanal': ['balanus', 'nabalus', 'subanal'], 'subcaecal': ['accusable', 'subcaecal'], 'subcantor': ['obscurant', 'subcantor'], 'subcapsular': ['subcapsular', 'subscapular'], 'subcenter': ['rubescent', 'subcenter'], 'subchela': ['chasuble', 'subchela'], 'subcool': ['colobus', 'subcool'], 'subcortical': ['scorbutical', 'subcortical'], 'subcortically': ['scorbutically', 'subcortically'], 'subdealer': ['subdealer', 'subleader'], 'subdean': ['subdean', 'unbased'], 'subdeltaic': ['discutable', 'subdeltaic', 'subdialect'], 'subdialect': ['discutable', 'subdeltaic', 'subdialect'], 'subdie': ['busied', 'subdie'], 'suber': ['burse', 'rebus', 'suber'], 'subessential': ['subessential', 'suitableness'], 'subherd': ['brushed', 'subherd'], 'subhero': ['herbous', 'subhero'], 'subhuman': ['subhuman', 'unambush'], 'subimago': ['bigamous', 'subimago'], 'sublanate': ['sublanate', 'unsatable'], 'sublate': ['balteus', 'sublate'], 'sublative': ['sublative', 'vestibula'], 'subleader': ['subdealer', 'subleader'], 'sublet': ['bustle', 'sublet', 'subtle'], 'sublinear': ['insurable', 'sublinear'], 'sublumbar': ['sublumbar', 'subumbral'], 'submaid': ['misdaub', 'submaid'], 'subman': ['busman', 'subman'], 'submarine': ['semiurban', 'submarine'], 'subnarcotic': ['obscurantic', 'subnarcotic'], 'subnitrate': ['subnitrate', 'subtertian'], 'subnote': ['subnote', 'subtone', 'unbesot'], 'suboval': ['suboval', 'subvola'], 'subpeltate': ['subpeltate', 'upsettable'], 'subplat': ['subplat', 'upblast'], 'subra': ['abrus', 'bursa', 'subra'], 'subscapular': ['subcapsular', 'subscapular'], 'subserve': ['subserve', 'subverse'], 'subsider': ['disburse', 'subsider'], 'substernal': ['substernal', 'turbanless'], 'substraction': ['obscurantist', 'substraction'], 'subtack': ['sackbut', 'subtack'], 'subterraneal': ['subterraneal', 'unarrestable'], 'subtertian': ['subnitrate', 'subtertian'], 'subtle': ['bustle', 'sublet', 'subtle'], 'subtone': ['subnote', 'subtone', 'unbesot'], 'subtread': ['daubster', 'subtread'], 'subtutor': ['outburst', 'subtutor'], 'subulate': ['baetulus', 'subulate'], 'subumbral': ['sublumbar', 'subumbral'], 'subverse': ['subserve', 'subverse'], 'subvola': ['suboval', 'subvola'], 'succade': ['accused', 'succade'], 'succeeder': ['resucceed', 'succeeder'], 'succin': ['cnicus', 'succin'], 'succinate': ['encaustic', 'succinate'], 'succor': ['crocus', 'succor'], 'such': ['cush', 'such'], 'suck': ['cusk', 'suck'], 'sucker': ['resuck', 'sucker'], 'suckling': ['lungsick', 'suckling'], 'suclat': ['scutal', 'suclat'], 'sucramine': ['muscarine', 'sucramine'], 'sucre': ['cruse', 'curse', 'sucre'], 'suction': ['cotinus', 'suction', 'unstoic'], 'suctional': ['suctional', 'sulcation', 'unstoical'], 'suctoria': ['cotarius', 'octarius', 'suctoria'], 'suctorial': ['ocularist', 'suctorial'], 'sud': ['sud', 'uds'], 'sudamen': ['medusan', 'sudamen'], 'sudan': ['sudan', 'unsad'], 'sudanese': ['danseuse', 'sudanese'], 'sudani': ['sudani', 'unsaid'], 'sudation': ['adustion', 'sudation'], 'sudic': ['scudi', 'sudic'], 'sudra': ['rudas', 'sudra'], 'sue': ['sue', 'use'], 'suer': ['ruse', 'suer', 'sure', 'user'], 'suet': ['stue', 'suet'], 'sufferer': ['resuffer', 'sufferer'], 'sufflate': ['feastful', 'sufflate'], 'suffocate': ['offuscate', 'suffocate'], 'suffocation': ['offuscation', 'suffocation'], 'sugamo': ['amusgo', 'sugamo'], 'sugan': ['agnus', 'angus', 'sugan'], 'sugar': ['argus', 'sugar'], 'sugared': ['desugar', 'sugared'], 'sugarlike': ['arguslike', 'sugarlike'], 'suggester': ['resuggest', 'suggester'], 'suggestionism': ['missuggestion', 'suggestionism'], 'sugh': ['gush', 'shug', 'sugh'], 'suidae': ['asideu', 'suidae'], 'suimate': ['metusia', 'suimate', 'timaeus'], 'suina': ['ianus', 'suina'], 'suint': ['sintu', 'suint'], 'suiones': ['sinuose', 'suiones'], 'suist': ['situs', 'suist'], 'suitable': ['sabulite', 'suitable'], 'suitableness': ['subessential', 'suitableness'], 'suitor': ['suitor', 'tursio'], 'sula': ['saul', 'sula'], 'sulcal': ['callus', 'sulcal'], 'sulcar': ['cursal', 'sulcar'], 'sulcation': ['suctional', 'sulcation', 'unstoical'], 'suld': ['slud', 'suld'], 'sulfamide': ['feudalism', 'sulfamide'], 'sulfonium': ['fulminous', 'sulfonium'], 'sulfuret': ['frustule', 'sulfuret'], 'sulk': ['lusk', 'sulk'], 'sulka': ['klaus', 'lukas', 'sulka'], 'sulky': ['lusky', 'sulky'], 'sulphinide': ['delphinius', 'sulphinide'], 'sulphohydrate': ['hydrosulphate', 'sulphohydrate'], 'sulphoproteid': ['protosulphide', 'sulphoproteid'], 'sulphurea': ['elaphurus', 'sulphurea'], 'sultan': ['sultan', 'unsalt'], 'sultane': ['sultane', 'unslate'], 'sultanian': ['annualist', 'sultanian'], 'sultanin': ['insulant', 'sultanin'], 'sultone': ['lentous', 'sultone'], 'sultry': ['rustly', 'sultry'], 'sum': ['mus', 'sum'], 'sumac': ['camus', 'musca', 'scaum', 'sumac'], 'sumak': ['kusam', 'sumak'], 'sumatra': ['artamus', 'sumatra'], 'sumerian': ['aneurism', 'arsenium', 'sumerian'], 'sumitro': ['sumitro', 'tourism'], 'summit': ['mutism', 'summit'], 'summonable': ['somnambule', 'summonable'], 'summoner': ['resummon', 'summoner'], 'sumo': ['soum', 'sumo'], 'sumpit': ['misput', 'sumpit'], 'sumpitan': ['putanism', 'sumpitan'], 'sumpter': ['stumper', 'sumpter'], 'sumptuary': ['sputumary', 'sumptuary'], 'sumptuous': ['sputumous', 'sumptuous'], 'sunbeamed': ['sunbeamed', 'unembased'], 'sundar': ['nardus', 'sundar', 'sundra'], 'sundek': ['dusken', 'sundek'], 'sundra': ['nardus', 'sundar', 'sundra'], 'sung': ['snug', 'sung'], 'sunil': ['linus', 'sunil'], 'sunk': ['skun', 'sunk'], 'sunlighted': ['sunlighted', 'unslighted'], 'sunlit': ['insult', 'sunlit', 'unlist', 'unslit'], 'sunni': ['sunni', 'unsin'], 'sunray': ['sunray', 'surnay', 'synura'], 'sunrise': ['russine', 'serinus', 'sunrise'], 'sunshade': ['sunshade', 'unsashed'], 'sunt': ['stun', 'sunt', 'tsun'], 'sunup': ['sunup', 'upsun'], 'sunweed': ['sunweed', 'unsewed'], 'suomic': ['musico', 'suomic'], 'sup': ['pus', 'sup'], 'supa': ['apus', 'supa', 'upas'], 'super': ['purse', 'resup', 'sprue', 'super'], 'superable': ['perusable', 'superable'], 'supercarpal': ['prescapular', 'supercarpal'], 'superclaim': ['premusical', 'superclaim'], 'supercontrol': ['preconsultor', 'supercontrol'], 'supercool': ['escropulo', 'supercool'], 'superheater': ['resuperheat', 'superheater'], 'superideal': ['serpulidae', 'superideal'], 'superintender': ['superintender', 'unenterprised'], 'superline': ['serpuline', 'superline'], 'supermoisten': ['sempiternous', 'supermoisten'], 'supernacular': ['supernacular', 'supranuclear'], 'supernal': ['purslane', 'serpulan', 'supernal'], 'superoanterior': ['anterosuperior', 'superoanterior'], 'superoposterior': ['posterosuperior', 'superoposterior'], 'superpose': ['resuppose', 'superpose'], 'superposition': ['resupposition', 'superposition'], 'supersaint': ['presustain', 'puritaness', 'supersaint'], 'supersalt': ['pertussal', 'supersalt'], 'superservice': ['repercussive', 'superservice'], 'supersonic': ['croupiness', 'percussion', 'supersonic'], 'supertare': ['repasture', 'supertare'], 'supertension': ['serpentinous', 'supertension'], 'supertotal': ['supertotal', 'tetraplous'], 'supertrain': ['rupestrian', 'supertrain'], 'supinator': ['rainspout', 'supinator'], 'supine': ['puisne', 'supine'], 'supper': ['supper', 'uppers'], 'supple': ['peplus', 'supple'], 'suppletory': ['polypterus', 'suppletory'], 'supplier': ['periplus', 'supplier'], 'supporter': ['resupport', 'supporter'], 'suppresser': ['resuppress', 'suppresser'], 'suprahyoid': ['hyporadius', 'suprahyoid'], 'supranuclear': ['supernacular', 'supranuclear'], 'supreme': ['presume', 'supreme'], 'sur': ['rus', 'sur', 'urs'], 'sura': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'surah': ['ashur', 'surah'], 'surahi': ['shauri', 'surahi'], 'sural': ['larus', 'sural', 'ursal'], 'surat': ['astur', 'surat', 'sutra'], 'surbase': ['rubasse', 'surbase'], 'surbate': ['bursate', 'surbate'], 'surcrue': ['crureus', 'surcrue'], 'sure': ['ruse', 'suer', 'sure', 'user'], 'suresh': ['rhesus', 'suresh'], 'surette': ['surette', 'trustee'], 'surge': ['grues', 'surge'], 'surgent': ['gunster', 'surgent'], 'surgeonship': ['springhouse', 'surgeonship'], 'surgy': ['gyrus', 'surgy'], 'suriana': ['saurian', 'suriana'], 'surinam': ['surinam', 'uranism'], 'surma': ['musar', 'ramus', 'rusma', 'surma'], 'surmisant': ['saturnism', 'surmisant'], 'surmise': ['misuser', 'surmise'], 'surnap': ['surnap', 'unspar'], 'surnay': ['sunray', 'surnay', 'synura'], 'surprisement': ['surprisement', 'trumperiness'], 'surrenderer': ['resurrender', 'surrenderer'], 'surrogate': ['surrogate', 'urogaster'], 'surrounder': ['resurround', 'surrounder'], 'surya': ['saury', 'surya'], 'sus': ['ssu', 'sus'], 'susan': ['nasus', 'susan'], 'suscept': ['suscept', 'suspect'], 'susceptible': ['susceptible', 'suspectible'], 'susceptor': ['spectrous', 'susceptor', 'suspector'], 'susie': ['issue', 'susie'], 'suspect': ['suscept', 'suspect'], 'suspecter': ['resuspect', 'suspecter'], 'suspectible': ['susceptible', 'suspectible'], 'suspector': ['spectrous', 'susceptor', 'suspector'], 'suspender': ['resuspend', 'suspender', 'unpressed'], 'sustain': ['issuant', 'sustain'], 'suther': ['reshut', 'suther', 'thurse', 'tusher'], 'sutler': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'suto': ['otus', 'oust', 'suto'], 'sutor': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'sutorian': ['staurion', 'sutorian'], 'sutorious': ['sutorious', 'ustorious'], 'sutra': ['astur', 'surat', 'sutra'], 'suttin': ['suttin', 'tunist'], 'suture': ['suture', 'uterus'], 'svante': ['stevan', 'svante'], 'svelte': ['stevel', 'svelte'], 'swa': ['saw', 'swa', 'was'], 'swage': ['swage', 'wages'], 'swain': ['siwan', 'swain'], 'swale': ['swale', 'sweal', 'wasel'], 'swaler': ['swaler', 'warsel', 'warsle'], 'swallet': ['setwall', 'swallet'], 'swallo': ['sallow', 'swallo'], 'swallower': ['reswallow', 'swallower'], 'swami': ['aswim', 'swami'], 'swan': ['sawn', 'snaw', 'swan'], 'swap': ['swap', 'wasp'], 'swarbie': ['barwise', 'swarbie'], 'sware': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swarmer': ['reswarm', 'swarmer'], 'swart': ['straw', 'swart', 'warst'], 'swarty': ['strawy', 'swarty'], 'swarve': ['swarve', 'swaver'], 'swat': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'swath': ['swath', 'whats'], 'swathe': ['swathe', 'sweath'], 'swati': ['swati', 'waist'], 'swatter': ['stewart', 'swatter'], 'swaver': ['swarve', 'swaver'], 'sway': ['sway', 'ways', 'yaws'], 'swayer': ['sawyer', 'swayer'], 'sweal': ['swale', 'sweal', 'wasel'], 'swear': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swearer': ['resawer', 'reswear', 'swearer'], 'sweat': ['awest', 'sweat', 'tawse', 'waste'], 'sweater': ['resweat', 'sweater'], 'sweatful': ['sweatful', 'wasteful'], 'sweath': ['swathe', 'sweath'], 'sweatily': ['sweatily', 'tileways'], 'sweatless': ['sweatless', 'wasteless'], 'sweatproof': ['sweatproof', 'wasteproof'], 'swede': ['sewed', 'swede'], 'sweep': ['sweep', 'weeps'], 'sweeper': ['resweep', 'sweeper'], 'sweer': ['resew', 'sewer', 'sweer'], 'sweered': ['sewered', 'sweered'], 'sweet': ['sweet', 'weste'], 'sweetbread': ['breastweed', 'sweetbread'], 'sweller': ['reswell', 'sweller'], 'swelter': ['swelter', 'wrestle'], 'swep': ['spew', 'swep'], 'swertia': ['swertia', 'waister'], 'swile': ['lewis', 'swile'], 'swiller': ['reswill', 'swiller'], 'swindle': ['swindle', 'windles'], 'swine': ['sinew', 'swine', 'wisen'], 'swinestone': ['sonnetwise', 'swinestone'], 'swiney': ['sinewy', 'swiney'], 'swingback': ['backswing', 'swingback'], 'swinge': ['sewing', 'swinge'], 'swingle': ['slewing', 'swingle'], 'swingtree': ['swingtree', 'westering'], 'swipy': ['swipy', 'wispy'], 'swire': ['swire', 'wiser'], 'swith': ['swith', 'whist', 'whits', 'wisht'], 'swithe': ['swithe', 'whites'], 'swither': ['swither', 'whister', 'withers'], 'swoon': ['swoon', 'woons'], 'swordman': ['sandworm', 'swordman', 'wordsman'], 'swordmanship': ['swordmanship', 'wordsmanship'], 'swore': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'swot': ['sowt', 'stow', 'swot', 'wots'], 'sybarite': ['bestiary', 'sybarite'], 'sybil': ['sibyl', 'sybil'], 'syce': ['scye', 'syce'], 'sycones': ['coyness', 'sycones'], 'syconoid': ['syconoid', 'syodicon'], 'sye': ['sey', 'sye', 'yes'], 'syenitic': ['cytisine', 'syenitic'], 'syllabi': ['sibylla', 'syllabi'], 'syllable': ['sellably', 'syllable'], 'sylva': ['salvy', 'sylva'], 'sylvae': ['slavey', 'sylvae'], 'sylvine': ['snively', 'sylvine'], 'sylvite': ['levyist', 'sylvite'], 'symbol': ['blosmy', 'symbol'], 'symmetric': ['mycterism', 'symmetric'], 'sympathy': ['sympathy', 'symphyta'], 'symphonic': ['cyphonism', 'symphonic'], 'symphyta': ['sympathy', 'symphyta'], 'symposion': ['spoonyism', 'symposion'], 'synapse': ['synapse', 'yapness'], 'synaptera': ['peasantry', 'synaptera'], 'syncopator': ['antroscopy', 'syncopator'], 'syndicate': ['asyndetic', 'cystidean', 'syndicate'], 'synedral': ['lysander', 'synedral'], 'syngamic': ['gymnasic', 'syngamic'], 'syngenic': ['ensigncy', 'syngenic'], 'synura': ['sunray', 'surnay', 'synura'], 'syodicon': ['syconoid', 'syodicon'], 'sypher': ['sphery', 'sypher'], 'syphiloid': ['hypsiloid', 'syphiloid'], 'syrian': ['siryan', 'syrian'], 'syringa': ['signary', 'syringa'], 'syringeful': ['refusingly', 'syringeful'], 'syrup': ['pursy', 'pyrus', 'syrup'], 'system': ['mystes', 'system'], 'systole': ['systole', 'toyless'], 'ta': ['at', 'ta'], 'taa': ['ata', 'taa'], 'taal': ['lata', 'taal', 'tala'], 'taar': ['rata', 'taar', 'tara'], 'tab': ['bat', 'tab'], 'tabanus': ['sabanut', 'sabutan', 'tabanus'], 'tabaret': ['baretta', 'rabatte', 'tabaret'], 'tabber': ['barbet', 'rabbet', 'tabber'], 'tabella': ['ballate', 'tabella'], 'tabes': ['baste', 'beast', 'tabes'], 'tabet': ['betta', 'tabet'], 'tabinet': ['bettina', 'tabinet', 'tibetan'], 'tabira': ['arabit', 'tabira'], 'tabitha': ['habitat', 'tabitha'], 'tabitude': ['dubitate', 'tabitude'], 'table': ['batel', 'blate', 'bleat', 'table'], 'tabled': ['dablet', 'tabled'], 'tablemaker': ['marketable', 'tablemaker'], 'tabler': ['albert', 'balter', 'labret', 'tabler'], 'tables': ['ablest', 'stable', 'tables'], 'tablet': ['battel', 'battle', 'tablet'], 'tabletary': ['tabletary', 'treatably'], 'tabling': ['batling', 'tabling'], 'tabophobia': ['batophobia', 'tabophobia'], 'tabor': ['abort', 'tabor'], 'taborer': ['arboret', 'roberta', 'taborer'], 'taboret': ['abettor', 'taboret'], 'taborin': ['abortin', 'taborin'], 'tabour': ['outbar', 'rubato', 'tabour'], 'tabouret': ['obturate', 'tabouret'], 'tabret': ['batter', 'bertat', 'tabret', 'tarbet'], 'tabu': ['abut', 'tabu', 'tuba'], 'tabula': ['ablaut', 'tabula'], 'tabulare': ['bataleur', 'tabulare'], 'tabule': ['batule', 'betula', 'tabule'], 'taccaceae': ['cactaceae', 'taccaceae'], 'taccaceous': ['cactaceous', 'taccaceous'], 'tach': ['chat', 'tach'], 'tache': ['cheat', 'tache', 'teach', 'theca'], 'tacheless': ['tacheless', 'teachless'], 'tachina': ['ithacan', 'tachina'], 'tachinidae': ['anthicidae', 'tachinidae'], 'tachograph': ['cathograph', 'tachograph'], 'tacit': ['attic', 'catti', 'tacit'], 'tacitly': ['cattily', 'tacitly'], 'tacitness': ['cattiness', 'tacitness'], 'taciturn': ['taciturn', 'urticant'], 'tacker': ['racket', 'retack', 'tacker'], 'tacksman': ['stackman', 'tacksman'], 'taconian': ['catonian', 'taconian'], 'taconic': ['cantico', 'catonic', 'taconic'], 'tacso': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tacsonia': ['acontias', 'tacsonia'], 'tactile': ['lattice', 'tactile'], 'tade': ['adet', 'date', 'tade', 'tead', 'teda'], 'tadpole': ['platode', 'tadpole'], 'tae': ['ate', 'eat', 'eta', 'tae', 'tea'], 'tael': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taen': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'taenia': ['aetian', 'antiae', 'taenia'], 'taeniada': ['anatidae', 'taeniada'], 'taenial': ['laniate', 'natalie', 'taenial'], 'taenian': ['ananite', 'anatine', 'taenian'], 'taenicide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'taeniform': ['forminate', 'fremontia', 'taeniform'], 'taenioid': ['ideation', 'iodinate', 'taenioid'], 'taetsia': ['isatate', 'satiate', 'taetsia'], 'tag': ['gat', 'tag'], 'tagetes': ['gestate', 'tagetes'], 'tagetol': ['lagetto', 'tagetol'], 'tagged': ['gadget', 'tagged'], 'tagger': ['garget', 'tagger'], 'tagilite': ['litigate', 'tagilite'], 'tagish': ['ghaist', 'tagish'], 'taglike': ['glaiket', 'taglike'], 'tagrag': ['ragtag', 'tagrag'], 'tagsore': ['storage', 'tagsore'], 'taheen': ['ethane', 'taheen'], 'tahil': ['ihlat', 'tahil'], 'tahin': ['ahint', 'hiant', 'tahin'], 'tahr': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tahsil': ['latish', 'tahsil'], 'tahsin': ['snaith', 'tahsin'], 'tai': ['ait', 'ati', 'ita', 'tai'], 'taich': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'taigle': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tail': ['alit', 'tail', 'tali'], 'tailage': ['agalite', 'tailage', 'taliage'], 'tailboard': ['broadtail', 'tailboard'], 'tailed': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'tailer': ['lirate', 'retail', 'retial', 'tailer'], 'tailet': ['latite', 'tailet', 'tailte', 'talite'], 'tailge': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tailing': ['gitalin', 'tailing'], 'taille': ['taille', 'telial'], 'tailoring': ['gratiolin', 'largition', 'tailoring'], 'tailorman': ['antimoral', 'tailorman'], 'tailory': ['orality', 'tailory'], 'tailpin': ['pintail', 'tailpin'], 'tailsman': ['staminal', 'tailsman', 'talisman'], 'tailte': ['latite', 'tailet', 'tailte', 'talite'], 'taily': ['laity', 'taily'], 'taimen': ['etamin', 'inmate', 'taimen', 'tamein'], 'tain': ['aint', 'anti', 'tain', 'tina'], 'tainan': ['naiant', 'tainan'], 'taino': ['niota', 'taino'], 'taint': ['taint', 'tanti', 'tinta', 'titan'], 'tainture': ['tainture', 'unattire'], 'taipan': ['aptian', 'patina', 'taipan'], 'taipo': ['patio', 'taipo', 'topia'], 'tairge': ['gaiter', 'tairge', 'triage'], 'tairn': ['riant', 'tairn', 'tarin', 'train'], 'taise': ['saite', 'taise'], 'taistrel': ['starlite', 'taistrel'], 'taistril': ['taistril', 'trialist'], 'taivers': ['staiver', 'taivers'], 'taj': ['jat', 'taj'], 'tajik': ['jatki', 'tajik'], 'takar': ['katar', 'takar'], 'take': ['kate', 'keta', 'take', 'teak'], 'takedown': ['downtake', 'takedown'], 'taker': ['kerat', 'taker'], 'takin': ['kitan', 'takin'], 'takings': ['gitksan', 'skating', 'takings'], 'taky': ['katy', 'kyat', 'taky'], 'tal': ['alt', 'lat', 'tal'], 'tala': ['lata', 'taal', 'tala'], 'talapoin': ['palation', 'talapoin'], 'talar': ['altar', 'artal', 'ratal', 'talar'], 'talari': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'talc': ['clat', 'talc'], 'talcer': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'talcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'talcoid': ['cotidal', 'lactoid', 'talcoid'], 'talcose': ['alecost', 'lactose', 'scotale', 'talcose'], 'talcous': ['costula', 'locusta', 'talcous'], 'tald': ['dalt', 'tald'], 'tale': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taled': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'talent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'taler': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'tales': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'tali': ['alit', 'tail', 'tali'], 'taliage': ['agalite', 'tailage', 'taliage'], 'taligrade': ['taligrade', 'tragedial'], 'talinum': ['multani', 'talinum'], 'talion': ['italon', 'lation', 'talion'], 'taliped': ['plaited', 'taliped'], 'talipedic': ['talipedic', 'talpicide'], 'talipes': ['aliptes', 'pastile', 'talipes'], 'talipot': ['ptilota', 'talipot', 'toptail'], 'talis': ['alist', 'litas', 'slait', 'talis'], 'talisman': ['staminal', 'tailsman', 'talisman'], 'talite': ['latite', 'tailet', 'tailte', 'talite'], 'talker': ['kartel', 'retalk', 'talker'], 'tallage': ['gallate', 'tallage'], 'tallero': ['reallot', 'rotella', 'tallero'], 'talles': ['sallet', 'stella', 'talles'], 'talliage': ['allagite', 'alligate', 'talliage'], 'tallier': ['literal', 'tallier'], 'tallyho': ['loathly', 'tallyho'], 'talon': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'taloned': ['taloned', 'toledan'], 'talonid': ['itoland', 'talonid', 'tindalo'], 'talose': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'talpa': ['aptal', 'palta', 'talpa'], 'talpicide': ['talipedic', 'talpicide'], 'talpidae': ['lapidate', 'talpidae'], 'talpine': ['pantile', 'pentail', 'platine', 'talpine'], 'talpoid': ['platoid', 'talpoid'], 'taluche': ['auchlet', 'cutheal', 'taluche'], 'taluka': ['latuka', 'taluka'], 'talus': ['latus', 'sault', 'talus'], 'tam': ['amt', 'mat', 'tam'], 'tama': ['atma', 'tama'], 'tamale': ['malate', 'meatal', 'tamale'], 'tamanac': ['matacan', 'tamanac'], 'tamanaca': ['atacaman', 'tamanaca'], 'tamanoir': ['animator', 'tamanoir'], 'tamanu': ['anatum', 'mantua', 'tamanu'], 'tamara': ['armata', 'matara', 'tamara'], 'tamarao': ['tamarao', 'tamaroa'], 'tamarin': ['martian', 'tamarin'], 'tamaroa': ['tamarao', 'tamaroa'], 'tambor': ['tambor', 'tromba'], 'tamboura': ['marabout', 'marabuto', 'tamboura'], 'tambourer': ['arboretum', 'tambourer'], 'tambreet': ['ambrette', 'tambreet'], 'tamburan': ['rambutan', 'tamburan'], 'tame': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'tamein': ['etamin', 'inmate', 'taimen', 'tamein'], 'tameless': ['mateless', 'meatless', 'tameless', 'teamless'], 'tamelessness': ['matelessness', 'tamelessness'], 'tamely': ['mately', 'tamely'], 'tamer': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'tamise': ['samite', 'semita', 'tamise', 'teaism'], 'tampin': ['pitman', 'tampin', 'tipman'], 'tampion': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tampioned': ['ademption', 'tampioned'], 'tampon': ['potman', 'tampon', 'topman'], 'tamul': ['lamut', 'tamul'], 'tamus': ['matsu', 'tamus', 'tsuma'], 'tan': ['ant', 'nat', 'tan'], 'tana': ['anat', 'anta', 'tana'], 'tanach': ['acanth', 'anchat', 'tanach'], 'tanager': ['argante', 'granate', 'tanager'], 'tanagridae': ['tanagridae', 'tangaridae'], 'tanagrine': ['argentina', 'tanagrine'], 'tanagroid': ['gradation', 'indagator', 'tanagroid'], 'tanak': ['kanat', 'tanak', 'tanka'], 'tanaka': ['nataka', 'tanaka'], 'tanala': ['atalan', 'tanala'], 'tanan': ['annat', 'tanan'], 'tanbur': ['tanbur', 'turban'], 'tancel': ['cantle', 'cental', 'lancet', 'tancel'], 'tanchoir': ['anorthic', 'anthroic', 'tanchoir'], 'tandemist': ['misattend', 'tandemist'], 'tandle': ['dental', 'tandle'], 'tandour': ['rotunda', 'tandour'], 'tane': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'tang': ['gant', 'gnat', 'tang'], 'tanga': ['ganta', 'tanga'], 'tangaridae': ['tanagridae', 'tangaridae'], 'tangelo': ['angelot', 'tangelo'], 'tanger': ['argent', 'garnet', 'garten', 'tanger'], 'tangerine': ['argentine', 'tangerine'], 'tangfish': ['shafting', 'tangfish'], 'tangi': ['giant', 'tangi', 'tiang'], 'tangibile': ['bigential', 'tangibile'], 'tangible': ['bleating', 'tangible'], 'tangie': ['eating', 'ingate', 'tangie'], 'tangier': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tangle': ['tangle', 'telang'], 'tangling': ['gnatling', 'tangling'], 'tango': ['tango', 'tonga'], 'tangs': ['angst', 'stang', 'tangs'], 'tangue': ['gunate', 'tangue'], 'tangum': ['tangum', 'tugman'], 'tangun': ['tangun', 'tungan'], 'tanh': ['hant', 'tanh', 'than'], 'tanha': ['atnah', 'tanha', 'thana'], 'tania': ['anita', 'niata', 'tania'], 'tanica': ['actian', 'natica', 'tanica'], 'tanier': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'tanist': ['astint', 'tanist'], 'tanitic': ['tanitic', 'titanic'], 'tanka': ['kanat', 'tanak', 'tanka'], 'tankle': ['anklet', 'lanket', 'tankle'], 'tanling': ['antling', 'tanling'], 'tannaic': ['cantina', 'tannaic'], 'tannase': ['annates', 'tannase'], 'tannogallate': ['gallotannate', 'tannogallate'], 'tannogallic': ['gallotannic', 'tannogallic'], 'tannogen': ['nonagent', 'tannogen'], 'tanproof': ['antproof', 'tanproof'], 'tanquen': ['quannet', 'tanquen'], 'tanrec': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tansy': ['nasty', 'styan', 'tansy'], 'tantalean': ['antenatal', 'atlantean', 'tantalean'], 'tantalic': ['atlantic', 'tantalic'], 'tantalite': ['atlantite', 'tantalite'], 'tantara': ['tantara', 'tartana'], 'tantarara': ['tantarara', 'tarantara'], 'tanti': ['taint', 'tanti', 'tinta', 'titan'], 'tantle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'tantra': ['rattan', 'tantra', 'tartan'], 'tantrism': ['tantrism', 'transmit'], 'tantum': ['mutant', 'tantum', 'tutman'], 'tanzeb': ['batzen', 'bezant', 'tanzeb'], 'tao': ['oat', 'tao', 'toa'], 'taoistic': ['iotacist', 'taoistic'], 'taos': ['oast', 'stoa', 'taos'], 'tap': ['apt', 'pat', 'tap'], 'tapa': ['atap', 'pata', 'tapa'], 'tapalo': ['patola', 'tapalo'], 'tapas': ['patas', 'tapas'], 'tape': ['pate', 'peat', 'tape', 'teap'], 'tapeline': ['petaline', 'tapeline'], 'tapeman': ['peatman', 'tapeman'], 'tapen': ['enapt', 'paten', 'penta', 'tapen'], 'taper': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'tapered': ['padtree', 'predate', 'tapered'], 'tapering': ['partigen', 'tapering'], 'taperly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'taperness': ['apertness', 'peartness', 'taperness'], 'tapestring': ['spattering', 'tapestring'], 'tapestry': ['tapestry', 'tryptase'], 'tapet': ['patte', 'tapet'], 'tapete': ['pattee', 'tapete'], 'taphouse': ['outshape', 'taphouse'], 'taphria': ['pitarah', 'taphria'], 'taphrina': ['parthian', 'taphrina'], 'tapir': ['atrip', 'tapir'], 'tapiro': ['portia', 'tapiro'], 'tapirus': ['tapirus', 'upstair'], 'tapis': ['piast', 'stipa', 'tapis'], 'taplash': ['asphalt', 'spathal', 'taplash'], 'tapmost': ['tapmost', 'topmast'], 'tapnet': ['patent', 'patten', 'tapnet'], 'tapoa': ['opata', 'patao', 'tapoa'], 'taposa': ['sapota', 'taposa'], 'taproom': ['protoma', 'taproom'], 'taproot': ['potator', 'taproot'], 'taps': ['past', 'spat', 'stap', 'taps'], 'tapster': ['spatter', 'tapster'], 'tapu': ['patu', 'paut', 'tapu'], 'tapuyo': ['outpay', 'tapuyo'], 'taqua': ['quata', 'taqua'], 'tar': ['art', 'rat', 'tar', 'tra'], 'tara': ['rata', 'taar', 'tara'], 'taraf': ['taraf', 'tarfa'], 'tarai': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'taranchi': ['taranchi', 'thracian'], 'tarantara': ['tantarara', 'tarantara'], 'tarapin': ['patarin', 'tarapin'], 'tarasc': ['castra', 'tarasc'], 'tarbet': ['batter', 'bertat', 'tabret', 'tarbet'], 'tardle': ['dartle', 'tardle'], 'tardy': ['tardy', 'trady'], 'tare': ['rate', 'tare', 'tear', 'tera'], 'tarente': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tarentine': ['entertain', 'tarentine', 'terentian'], 'tarfa': ['taraf', 'tarfa'], 'targe': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'targeman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'targer': ['garret', 'garter', 'grater', 'targer'], 'target': ['gatter', 'target'], 'targetman': ['targetman', 'termagant'], 'targum': ['artgum', 'targum'], 'tarheel': ['leather', 'tarheel'], 'tarheeler': ['leatherer', 'releather', 'tarheeler'], 'tari': ['airt', 'rita', 'tari', 'tiar'], 'tarie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'tarin': ['riant', 'tairn', 'tarin', 'train'], 'tarish': ['rashti', 'tarish'], 'tarletan': ['alterant', 'tarletan'], 'tarlike': ['artlike', 'ratlike', 'tarlike'], 'tarmac': ['mactra', 'tarmac'], 'tarman': ['mantra', 'tarman'], 'tarmi': ['mitra', 'tarmi', 'timar', 'tirma'], 'tarn': ['natr', 'rant', 'tarn', 'tran'], 'tarnal': ['antral', 'tarnal'], 'tarnish': ['tarnish', 'trishna'], 'tarnside': ['stradine', 'strained', 'tarnside'], 'taro': ['rota', 'taro', 'tora'], 'taroc': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'tarocco': ['coactor', 'tarocco'], 'tarok': ['kotar', 'tarok'], 'tarot': ['ottar', 'tarot', 'torta', 'troat'], 'tarp': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'tarpan': ['partan', 'tarpan'], 'tarpaulin': ['tarpaulin', 'unpartial'], 'tarpeian': ['patarine', 'tarpeian'], 'tarpon': ['patron', 'tarpon'], 'tarquin': ['quatrin', 'tarquin'], 'tarragon': ['arrogant', 'tarragon'], 'tarred': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'tarrer': ['tarrer', 'terrar'], 'tarriance': ['antiracer', 'tarriance'], 'tarrie': ['arriet', 'tarrie'], 'tars': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tarsal': ['astral', 'tarsal'], 'tarsale': ['alaster', 'tarsale'], 'tarsalgia': ['astragali', 'tarsalgia'], 'tarse': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'tarsi': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'tarsia': ['arista', 'tarsia'], 'tarsier': ['astrier', 'tarsier'], 'tarsipes': ['piratess', 'serapist', 'tarsipes'], 'tarsitis': ['satirist', 'tarsitis'], 'tarsome': ['maestro', 'tarsome'], 'tarsonemid': ['mosandrite', 'tarsonemid'], 'tarsonemus': ['sarmentous', 'tarsonemus'], 'tarsus': ['rastus', 'tarsus'], 'tartan': ['rattan', 'tantra', 'tartan'], 'tartana': ['tantara', 'tartana'], 'tartaret': ['tartaret', 'tartrate'], 'tartarin': ['tartarin', 'triratna'], 'tartarous': ['saturator', 'tartarous'], 'tarten': ['attern', 'natter', 'ratten', 'tarten'], 'tartish': ['athirst', 'rattish', 'tartish'], 'tartle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tartlet': ['tartlet', 'tattler'], 'tartly': ['rattly', 'tartly'], 'tartrate': ['tartaret', 'tartrate'], 'taruma': ['taruma', 'trauma'], 'tarve': ['avert', 'tarve', 'taver', 'trave'], 'tarweed': ['dewater', 'tarweed', 'watered'], 'tarwood': ['ratwood', 'tarwood'], 'taryba': ['baryta', 'taryba'], 'tasco': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tash': ['shat', 'tash'], 'tasheriff': ['fireshaft', 'tasheriff'], 'tashie': ['saithe', 'tashie', 'teaish'], 'tashrif': ['ratfish', 'tashrif'], 'tasian': ['astian', 'tasian'], 'tasimetry': ['myristate', 'tasimetry'], 'task': ['skat', 'task'], 'tasker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'taslet': ['latest', 'sattle', 'taslet'], 'tasmanite': ['emanatist', 'staminate', 'tasmanite'], 'tassah': ['shasta', 'tassah'], 'tasse': ['asset', 'tasse'], 'tassel': ['lasset', 'tassel'], 'tasseler': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tasser': ['assert', 'tasser'], 'tassie': ['siesta', 'tassie'], 'tastable': ['statable', 'tastable'], 'taste': ['state', 'taste', 'tates', 'testa'], 'tasted': ['stated', 'tasted'], 'tasteful': ['stateful', 'tasteful'], 'tastefully': ['statefully', 'tastefully'], 'tastefulness': ['statefulness', 'tastefulness'], 'tasteless': ['stateless', 'tasteless'], 'taster': ['stater', 'taster', 'testar'], 'tasu': ['saut', 'tasu', 'utas'], 'tatar': ['attar', 'tatar'], 'tatarize': ['tatarize', 'zaratite'], 'tatchy': ['chatty', 'tatchy'], 'tate': ['etta', 'tate', 'teat'], 'tater': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tates': ['state', 'taste', 'tates', 'testa'], 'tath': ['hatt', 'tath', 'that'], 'tatian': ['attain', 'tatian'], 'tatler': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tatterly': ['tatterly', 'tattlery'], 'tattler': ['tartlet', 'tattler'], 'tattlery': ['tatterly', 'tattlery'], 'tatu': ['tatu', 'taut'], 'tau': ['tau', 'tua', 'uta'], 'taube': ['butea', 'taube', 'tubae'], 'taula': ['aluta', 'taula'], 'taum': ['muta', 'taum'], 'taun': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'taungthu': ['taungthu', 'untaught'], 'taupe': ['taupe', 'upeat'], 'taupo': ['apout', 'taupo'], 'taur': ['ruta', 'taur'], 'taurean': ['taurean', 'uranate'], 'tauric': ['tauric', 'uratic', 'urtica'], 'taurine': ['ruinate', 'taurine', 'uranite', 'urinate'], 'taurocol': ['outcarol', 'taurocol'], 'taut': ['tatu', 'taut'], 'tauten': ['attune', 'nutate', 'tauten'], 'tautomeric': ['autometric', 'tautomeric'], 'tautomery': ['autometry', 'tautomery'], 'tav': ['tav', 'vat'], 'tavast': ['sattva', 'tavast'], 'tave': ['tave', 'veta'], 'taver': ['avert', 'tarve', 'taver', 'trave'], 'tavers': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'tavert': ['tavert', 'vatter'], 'tavola': ['tavola', 'volata'], 'taw': ['taw', 'twa', 'wat'], 'tawa': ['awat', 'tawa'], 'tawer': ['tawer', 'water', 'wreat'], 'tawery': ['tawery', 'watery'], 'tawite': ['tawite', 'tawtie', 'twaite'], 'tawn': ['nawt', 'tawn', 'want'], 'tawny': ['tawny', 'wanty'], 'taws': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'tawse': ['awest', 'sweat', 'tawse', 'waste'], 'tawtie': ['tawite', 'tawtie', 'twaite'], 'taxed': ['detax', 'taxed'], 'taxer': ['extra', 'retax', 'taxer'], 'tay': ['tay', 'yat'], 'tayer': ['tayer', 'teary'], 'tchai': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'tche': ['chet', 'etch', 'tche', 'tech'], 'tchi': ['chit', 'itch', 'tchi'], 'tchu': ['chut', 'tchu', 'utch'], 'tchwi': ['tchwi', 'wicht', 'witch'], 'tea': ['ate', 'eat', 'eta', 'tae', 'tea'], 'teaberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'teaboy': ['betoya', 'teaboy'], 'teacart': ['caretta', 'teacart', 'tearcat'], 'teach': ['cheat', 'tache', 'teach', 'theca'], 'teachable': ['cheatable', 'teachable'], 'teachableness': ['cheatableness', 'teachableness'], 'teache': ['achete', 'hecate', 'teache', 'thecae'], 'teacher': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'teachery': ['cheatery', 'cytherea', 'teachery'], 'teaching': ['cheating', 'teaching'], 'teachingly': ['cheatingly', 'teachingly'], 'teachless': ['tacheless', 'teachless'], 'tead': ['adet', 'date', 'tade', 'tead', 'teda'], 'teaer': ['arete', 'eater', 'teaer'], 'teagle': ['eaglet', 'legate', 'teagle', 'telega'], 'teaish': ['saithe', 'tashie', 'teaish'], 'teaism': ['samite', 'semita', 'tamise', 'teaism'], 'teak': ['kate', 'keta', 'take', 'teak'], 'teal': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'team': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teamer': ['reetam', 'retame', 'teamer'], 'teaming': ['mintage', 'teaming', 'tegmina'], 'teamless': ['mateless', 'meatless', 'tameless', 'teamless'], 'teamman': ['meatman', 'teamman'], 'teamster': ['teamster', 'trametes'], 'tean': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'teanal': ['anteal', 'lanate', 'teanal'], 'teap': ['pate', 'peat', 'tape', 'teap'], 'teapot': ['aptote', 'optate', 'potate', 'teapot'], 'tear': ['rate', 'tare', 'tear', 'tera'], 'tearable': ['elabrate', 'tearable'], 'tearably': ['betrayal', 'tearably'], 'tearcat': ['caretta', 'teacart', 'tearcat'], 'teardown': ['danewort', 'teardown'], 'teardrop': ['predator', 'protrade', 'teardrop'], 'tearer': ['rerate', 'retare', 'tearer'], 'tearful': ['faulter', 'refutal', 'tearful'], 'tearing': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tearless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tearlike': ['keralite', 'tearlike'], 'tearpit': ['partite', 'tearpit'], 'teart': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'teary': ['tayer', 'teary'], 'teasably': ['stayable', 'teasably'], 'tease': ['setae', 'tease'], 'teasel': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'teaser': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teasing': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'teasler': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'teasy': ['teasy', 'yeast'], 'teat': ['etta', 'tate', 'teat'], 'teather': ['teather', 'theater', 'thereat'], 'tebu': ['bute', 'tebu', 'tube'], 'teca': ['cate', 'teca'], 'tecali': ['calite', 'laetic', 'tecali'], 'tech': ['chet', 'etch', 'tche', 'tech'], 'techily': ['ethylic', 'techily'], 'technica': ['atechnic', 'catechin', 'technica'], 'technocracy': ['conycatcher', 'technocracy'], 'technopsychology': ['psychotechnology', 'technopsychology'], 'techous': ['souchet', 'techous', 'tousche'], 'techy': ['techy', 'tyche'], 'tecla': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'teco': ['cote', 'teco'], 'tecoma': ['comate', 'metoac', 'tecoma'], 'tecomin': ['centimo', 'entomic', 'tecomin'], 'tecon': ['cento', 'conte', 'tecon'], 'tectal': ['cattle', 'tectal'], 'tectology': ['ctetology', 'tectology'], 'tectona': ['oncetta', 'tectona'], 'tectospinal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tecuma': ['acetum', 'tecuma'], 'tecuna': ['tecuna', 'uncate'], 'teda': ['adet', 'date', 'tade', 'tead', 'teda'], 'tedious': ['outside', 'tedious'], 'tediousness': ['outsideness', 'tediousness'], 'teedle': ['delete', 'teedle'], 'teel': ['leet', 'lete', 'teel', 'tele'], 'teem': ['meet', 'mete', 'teem'], 'teemer': ['meeter', 'remeet', 'teemer'], 'teeming': ['meeting', 'teeming', 'tegmine'], 'teems': ['teems', 'temse'], 'teen': ['neet', 'nete', 'teen'], 'teens': ['steen', 'teens', 'tense'], 'teer': ['reet', 'teer', 'tree'], 'teerer': ['retree', 'teerer'], 'teest': ['teest', 'teste'], 'teet': ['teet', 'tete'], 'teeter': ['teeter', 'terete'], 'teeth': ['teeth', 'theet'], 'teething': ['genthite', 'teething'], 'teg': ['get', 'teg'], 'tegean': ['geneat', 'negate', 'tegean'], 'tegmina': ['mintage', 'teaming', 'tegmina'], 'tegminal': ['ligament', 'metaling', 'tegminal'], 'tegmine': ['meeting', 'teeming', 'tegmine'], 'tegular': ['gaulter', 'tegular'], 'teheran': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'tehsildar': ['heraldist', 'tehsildar'], 'teian': ['entia', 'teian', 'tenai', 'tinea'], 'teicher': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'teil': ['lite', 'teil', 'teli', 'tile'], 'teind': ['detin', 'teind', 'tined'], 'teinder': ['nitered', 'redient', 'teinder'], 'teinland': ['dentinal', 'teinland', 'tendinal'], 'teioid': ['iodite', 'teioid'], 'teju': ['jute', 'teju'], 'telamon': ['omental', 'telamon'], 'telang': ['tangle', 'telang'], 'telar': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'telarian': ['retainal', 'telarian'], 'telary': ['lyrate', 'raylet', 'realty', 'telary'], 'tele': ['leet', 'lete', 'teel', 'tele'], 'telecast': ['castelet', 'telecast'], 'telega': ['eaglet', 'legate', 'teagle', 'telega'], 'telegn': ['gentle', 'telegn'], 'telegrapher': ['retelegraph', 'telegrapher'], 'telei': ['elite', 'telei'], 'telephone': ['phenetole', 'telephone'], 'telephony': ['polythene', 'telephony'], 'telephotograph': ['phototelegraph', 'telephotograph'], 'telephotographic': ['phototelegraphic', 'telephotographic'], 'telephotography': ['phototelegraphy', 'telephotography'], 'teleradiophone': ['radiotelephone', 'teleradiophone'], 'teleran': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teleseism': ['messelite', 'semisteel', 'teleseism'], 'telespectroscope': ['spectrotelescope', 'telespectroscope'], 'telestereoscope': ['stereotelescope', 'telestereoscope'], 'telestial': ['satellite', 'telestial'], 'telestic': ['telestic', 'testicle'], 'telfer': ['felter', 'telfer', 'trefle'], 'teli': ['lite', 'teil', 'teli', 'tile'], 'telial': ['taille', 'telial'], 'telic': ['clite', 'telic'], 'telinga': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'tellach': ['hellcat', 'tellach'], 'teller': ['retell', 'teller'], 'tellima': ['mitella', 'tellima'], 'tellina': ['nitella', 'tellina'], 'tellurian': ['tellurian', 'unliteral'], 'telome': ['omelet', 'telome'], 'telonism': ['melonist', 'telonism'], 'telopsis': ['polistes', 'telopsis'], 'telpath': ['pathlet', 'telpath'], 'telson': ['solent', 'stolen', 'telson'], 'telsonic': ['lentisco', 'telsonic'], 'telt': ['lett', 'telt'], 'tema': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teman': ['ament', 'meant', 'teman'], 'temin': ['metin', 'temin', 'timne'], 'temp': ['empt', 'temp'], 'tempean': ['peteman', 'tempean'], 'temper': ['temper', 'tempre'], 'tempera': ['premate', 'tempera'], 'temperer': ['retemper', 'temperer'], 'temperish': ['herpetism', 'metership', 'metreship', 'temperish'], 'templar': ['templar', 'trample'], 'template': ['palmette', 'template'], 'temple': ['pelmet', 'temple'], 'tempora': ['pteroma', 'tempora'], 'temporarily': ['polarimetry', 'premorality', 'temporarily'], 'temporofrontal': ['frontotemporal', 'temporofrontal'], 'temporooccipital': ['occipitotemporal', 'temporooccipital'], 'temporoparietal': ['parietotemporal', 'temporoparietal'], 'tempre': ['temper', 'tempre'], 'tempter': ['retempt', 'tempter'], 'temse': ['teems', 'temse'], 'temser': ['mester', 'restem', 'temser', 'termes'], 'temulent': ['temulent', 'unmettle'], 'ten': ['net', 'ten'], 'tenable': ['beltane', 'tenable'], 'tenace': ['cetane', 'tenace'], 'tenai': ['entia', 'teian', 'tenai', 'tinea'], 'tenanter': ['retenant', 'tenanter'], 'tenantless': ['latentness', 'tenantless'], 'tencteri': ['reticent', 'tencteri'], 'tend': ['dent', 'tend'], 'tender': ['denter', 'rented', 'tender'], 'tenderer': ['retender', 'tenderer'], 'tenderish': ['disherent', 'hinderest', 'tenderish'], 'tendinal': ['dentinal', 'teinland', 'tendinal'], 'tendinitis': ['dentinitis', 'tendinitis'], 'tendour': ['tendour', 'unroted'], 'tendril': ['tendril', 'trindle'], 'tendron': ['donnert', 'tendron'], 'teneral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teneriffe': ['fifteener', 'teneriffe'], 'tenesmus': ['muteness', 'tenesmus'], 'teng': ['gent', 'teng'], 'tengu': ['tengu', 'unget'], 'teniacidal': ['acetanilid', 'laciniated', 'teniacidal'], 'teniacide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'tenible': ['beltine', 'tenible'], 'tenino': ['intone', 'tenino'], 'tenline': ['lenient', 'tenline'], 'tenner': ['rennet', 'tenner'], 'tennis': ['innest', 'sennit', 'sinnet', 'tennis'], 'tenomyotomy': ['myotenotomy', 'tenomyotomy'], 'tenon': ['nonet', 'tenon'], 'tenoner': ['enteron', 'tenoner'], 'tenonian': ['annotine', 'tenonian'], 'tenonitis': ['sentition', 'tenonitis'], 'tenontophyma': ['nematophyton', 'tenontophyma'], 'tenophyte': ['entophyte', 'tenophyte'], 'tenoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tenor': ['noter', 'tenor', 'toner', 'trone'], 'tenorist': ['ortstein', 'tenorist'], 'tenovaginitis': ['investigation', 'tenovaginitis'], 'tenpin': ['pinnet', 'tenpin'], 'tenrec': ['center', 'recent', 'tenrec'], 'tense': ['steen', 'teens', 'tense'], 'tensible': ['nebelist', 'stilbene', 'tensible'], 'tensile': ['leisten', 'setline', 'tensile'], 'tension': ['stenion', 'tension'], 'tensional': ['alstonine', 'tensional'], 'tensive': ['estevin', 'tensive'], 'tenson': ['sonnet', 'stonen', 'tenson'], 'tensor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'tentable': ['nettable', 'tentable'], 'tentacle': ['ectental', 'tentacle'], 'tentage': ['genetta', 'tentage'], 'tentation': ['attention', 'tentation'], 'tentative': ['attentive', 'tentative'], 'tentatively': ['attentively', 'tentatively'], 'tentativeness': ['attentiveness', 'tentativeness'], 'tented': ['detent', 'netted', 'tented'], 'tenter': ['netter', 'retent', 'tenter'], 'tention': ['nettion', 'tention', 'tontine'], 'tentorial': ['natrolite', 'tentorial'], 'tenty': ['netty', 'tenty'], 'tenuiroster': ['tenuiroster', 'urosternite'], 'tenuistriate': ['intersituate', 'tenuistriate'], 'tenure': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'tenurial': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'teocalli': ['colletia', 'teocalli'], 'teosinte': ['noisette', 'teosinte'], 'tepache': ['heptace', 'tepache'], 'tepal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'tepanec': ['pentace', 'tepanec'], 'tepecano': ['conepate', 'tepecano'], 'tephrite': ['perthite', 'tephrite'], 'tephritic': ['perthitic', 'tephritic'], 'tephroite': ['heptorite', 'tephroite'], 'tephrosis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'tepor': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tequila': ['liquate', 'tequila'], 'tera': ['rate', 'tare', 'tear', 'tera'], 'teraglin': ['integral', 'teraglin', 'triangle'], 'terap': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'teras': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'teratism': ['mistreat', 'teratism'], 'terbia': ['baiter', 'barite', 'rebait', 'terbia'], 'terbium': ['burmite', 'imbrute', 'terbium'], 'tercelet': ['electret', 'tercelet'], 'terceron': ['corrente', 'terceron'], 'tercia': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'tercine': ['citrene', 'enteric', 'enticer', 'tercine'], 'tercio': ['erotic', 'tercio'], 'terebilic': ['celtiberi', 'terebilic'], 'terebinthian': ['terebinthian', 'terebinthina'], 'terebinthina': ['terebinthian', 'terebinthina'], 'terebra': ['rebater', 'terebra'], 'terebral': ['barrelet', 'terebral'], 'terentian': ['entertain', 'tarentine', 'terentian'], 'teresa': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teresian': ['arsenite', 'resinate', 'teresian', 'teresina'], 'teresina': ['arsenite', 'resinate', 'teresian', 'teresina'], 'terete': ['teeter', 'terete'], 'teretial': ['laterite', 'literate', 'teretial'], 'tereus': ['retuse', 'tereus'], 'tergal': ['raglet', 'tergal'], 'tergant': ['garnett', 'gnatter', 'gratten', 'tergant'], 'tergeminous': ['mentigerous', 'tergeminous'], 'teri': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'teriann': ['entrain', 'teriann'], 'terma': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'termagant': ['targetman', 'termagant'], 'termes': ['mester', 'restem', 'temser', 'termes'], 'termin': ['minter', 'remint', 'termin'], 'terminal': ['terminal', 'tramline'], 'terminalia': ['laminarite', 'terminalia'], 'terminate': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'termini': ['interim', 'termini'], 'terminine': ['intermine', 'nemertini', 'terminine'], 'terminus': ['numerist', 'terminus'], 'termital': ['remittal', 'termital'], 'termite': ['emitter', 'termite'], 'termly': ['myrtle', 'termly'], 'termon': ['mentor', 'merton', 'termon', 'tormen'], 'termor': ['termor', 'tremor'], 'tern': ['rent', 'tern'], 'terna': ['antre', 'arent', 'retan', 'terna'], 'ternal': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'ternar': ['arrent', 'errant', 'ranter', 'ternar'], 'ternarious': ['souterrain', 'ternarious', 'trouserian'], 'ternate': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'terne': ['enter', 'neter', 'renet', 'terne', 'treen'], 'ternion': ['intoner', 'ternion'], 'ternlet': ['nettler', 'ternlet'], 'terp': ['pert', 'petr', 'terp'], 'terpane': ['patener', 'pearten', 'petrean', 'terpane'], 'terpeneless': ['repleteness', 'terpeneless'], 'terpin': ['nipter', 'terpin'], 'terpine': ['petrine', 'terpine'], 'terpineol': ['interlope', 'interpole', 'repletion', 'terpineol'], 'terpinol': ['pointrel', 'terpinol'], 'terrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'terraciform': ['crateriform', 'terraciform'], 'terrage': ['greater', 'regrate', 'terrage'], 'terrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'terral': ['retral', 'terral'], 'terrance': ['canterer', 'recanter', 'recreant', 'terrance'], 'terrapin': ['pretrain', 'terrapin'], 'terrar': ['tarrer', 'terrar'], 'terrence': ['centerer', 'recenter', 'recentre', 'terrence'], 'terrene': ['enterer', 'terrene'], 'terret': ['retter', 'terret'], 'terri': ['terri', 'tirer', 'trier'], 'terrier': ['retirer', 'terrier'], 'terrine': ['reinter', 'terrine'], 'terron': ['terron', 'treron', 'troner'], 'terry': ['retry', 'terry'], 'terse': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tersely': ['restyle', 'tersely'], 'tersion': ['oestrin', 'tersion'], 'tertia': ['attire', 'ratite', 'tertia'], 'tertian': ['intreat', 'iterant', 'nitrate', 'tertian'], 'tertiana': ['attainer', 'reattain', 'tertiana'], 'terton': ['rotten', 'terton'], 'tervee': ['revete', 'tervee'], 'terzina': ['retzian', 'terzina'], 'terzo': ['terzo', 'tozer'], 'tesack': ['casket', 'tesack'], 'teskere': ['skeeter', 'teskere'], 'tessella': ['satelles', 'tessella'], 'tesseral': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'test': ['sett', 'stet', 'test'], 'testa': ['state', 'taste', 'tates', 'testa'], 'testable': ['settable', 'testable'], 'testament': ['statement', 'testament'], 'testar': ['stater', 'taster', 'testar'], 'teste': ['teest', 'teste'], 'tested': ['detest', 'tested'], 'testee': ['settee', 'testee'], 'tester': ['retest', 'setter', 'street', 'tester'], 'testes': ['sestet', 'testes', 'tsetse'], 'testicle': ['telestic', 'testicle'], 'testicular': ['testicular', 'trisulcate'], 'testily': ['stylite', 'testily'], 'testing': ['setting', 'testing'], 'teston': ['ostent', 'teston'], 'testor': ['sotter', 'testor'], 'testril': ['litster', 'slitter', 'stilter', 'testril'], 'testy': ['testy', 'tyste'], 'tetanic': ['nictate', 'tetanic'], 'tetanical': ['cantalite', 'lactinate', 'tetanical'], 'tetanoid': ['antidote', 'tetanoid'], 'tetanus': ['tetanus', 'unstate', 'untaste'], 'tetarconid': ['detraction', 'doctrinate', 'tetarconid'], 'tetard': ['tetard', 'tetrad'], 'tetchy': ['chetty', 'tetchy'], 'tete': ['teet', 'tete'], 'tetel': ['ettle', 'tetel'], 'tether': ['hetter', 'tether'], 'tethys': ['stythe', 'tethys'], 'tetra': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tetracid': ['citrated', 'tetracid', 'tetradic'], 'tetrad': ['tetard', 'tetrad'], 'tetradic': ['citrated', 'tetracid', 'tetradic'], 'tetragonia': ['giornatate', 'tetragonia'], 'tetrahexahedron': ['hexatetrahedron', 'tetrahexahedron'], 'tetrakishexahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'tetralin': ['tetralin', 'triental'], 'tetramin': ['intermat', 'martinet', 'tetramin'], 'tetramine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'tetrander': ['retardent', 'tetrander'], 'tetrandrous': ['tetrandrous', 'unrostrated'], 'tetrane': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tetrao': ['rotate', 'tetrao'], 'tetraodon': ['detonator', 'tetraodon'], 'tetraonine': ['entoretina', 'tetraonine'], 'tetraplous': ['supertotal', 'tetraplous'], 'tetrasporic': ['tetrasporic', 'triceratops'], 'tetraxonia': ['retaxation', 'tetraxonia'], 'tetrical': ['tetrical', 'tractile'], 'tetricous': ['tetricous', 'toreutics'], 'tetronic': ['contrite', 'tetronic'], 'tetrose': ['rosette', 'tetrose'], 'tetterous': ['outstreet', 'tetterous'], 'teucri': ['curite', 'teucri', 'uretic'], 'teucrian': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'teucrin': ['nutrice', 'teucrin'], 'teuk': ['ketu', 'teuk', 'tuke'], 'tew': ['tew', 'wet'], 'tewa': ['tewa', 'twae', 'weta'], 'tewel': ['tewel', 'tweel'], 'tewer': ['rewet', 'tewer', 'twere'], 'tewit': ['tewit', 'twite'], 'tewly': ['tewly', 'wetly'], 'tha': ['aht', 'hat', 'tha'], 'thai': ['hati', 'thai'], 'thais': ['shita', 'thais'], 'thalami': ['hamital', 'thalami'], 'thaler': ['arthel', 'halter', 'lather', 'thaler'], 'thalia': ['hiatal', 'thalia'], 'thaliard': ['hardtail', 'thaliard'], 'thamesis': ['mathesis', 'thamesis'], 'than': ['hant', 'tanh', 'than'], 'thana': ['atnah', 'tanha', 'thana'], 'thanan': ['nathan', 'thanan'], 'thanatism': ['staithman', 'thanatism'], 'thanatotic': ['chattation', 'thanatotic'], 'thane': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'thanker': ['rethank', 'thanker'], 'thapes': ['spathe', 'thapes'], 'thar': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tharen': ['anther', 'nather', 'tharen', 'thenar'], 'tharm': ['tharm', 'thram'], 'thasian': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'that': ['hatt', 'tath', 'that'], 'thatcher': ['rethatch', 'thatcher'], 'thaw': ['thaw', 'wath', 'what'], 'thawer': ['rethaw', 'thawer', 'wreath'], 'the': ['het', 'the'], 'thea': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'theah': ['heath', 'theah'], 'thearchy': ['hatchery', 'thearchy'], 'theat': ['theat', 'theta'], 'theater': ['teather', 'theater', 'thereat'], 'theatricism': ['chemiatrist', 'chrismatite', 'theatricism'], 'theatropolis': ['strophiolate', 'theatropolis'], 'theatry': ['hattery', 'theatry'], 'theb': ['beth', 'theb'], 'thebaid': ['habited', 'thebaid'], 'theca': ['cheat', 'tache', 'teach', 'theca'], 'thecae': ['achete', 'hecate', 'teache', 'thecae'], 'thecal': ['achtel', 'chalet', 'thecal', 'thecla'], 'thecasporal': ['archapostle', 'thecasporal'], 'thecata': ['attache', 'thecata'], 'thecitis': ['ethicist', 'thecitis', 'theistic'], 'thecla': ['achtel', 'chalet', 'thecal', 'thecla'], 'theer': ['ether', 'rethe', 'theer', 'there', 'three'], 'theet': ['teeth', 'theet'], 'thegn': ['ghent', 'thegn'], 'thegnly': ['lengthy', 'thegnly'], 'theine': ['ethine', 'theine'], 'their': ['ither', 'their'], 'theirn': ['hinter', 'nither', 'theirn'], 'theirs': ['shrite', 'theirs'], 'theism': ['theism', 'themis'], 'theist': ['theist', 'thetis'], 'theistic': ['ethicist', 'thecitis', 'theistic'], 'thema': ['ahmet', 'thema'], 'thematic': ['mathetic', 'thematic'], 'thematist': ['hattemist', 'thematist'], 'themer': ['mether', 'themer'], 'themis': ['theism', 'themis'], 'themistian': ['antitheism', 'themistian'], 'then': ['hent', 'neth', 'then'], 'thenal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'thenar': ['anther', 'nather', 'tharen', 'thenar'], 'theobald': ['bolthead', 'theobald'], 'theocrasia': ['oireachtas', 'theocrasia'], 'theocrat': ['theocrat', 'trochate'], 'theocratic': ['rheotactic', 'theocratic'], 'theodora': ['dorothea', 'theodora'], 'theodore': ['theodore', 'treehood'], 'theogonal': ['halogeton', 'theogonal'], 'theologic': ['ethologic', 'theologic'], 'theological': ['ethological', 'lethologica', 'theological'], 'theologism': ['hemologist', 'theologism'], 'theology': ['ethology', 'theology'], 'theophanic': ['phaethonic', 'theophanic'], 'theophilist': ['philotheist', 'theophilist'], 'theopsychism': ['psychotheism', 'theopsychism'], 'theorbo': ['boother', 'theorbo'], 'theorematic': ['heteratomic', 'theorematic'], 'theoretic': ['heterotic', 'theoretic'], 'theoretician': ['heretication', 'theoretician'], 'theorician': ['antiheroic', 'theorician'], 'theorics': ['chirotes', 'theorics'], 'theorism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'theorist': ['otherist', 'theorist'], 'theorizer': ['rhetorize', 'theorizer'], 'theorum': ['mouther', 'theorum'], 'theotherapy': ['heteropathy', 'theotherapy'], 'therblig': ['blighter', 'therblig'], 'there': ['ether', 'rethe', 'theer', 'there', 'three'], 'thereas': ['thereas', 'theresa'], 'thereat': ['teather', 'theater', 'thereat'], 'therein': ['enherit', 'etherin', 'neither', 'therein'], 'thereness': ['retheness', 'thereness', 'threeness'], 'thereology': ['heterology', 'thereology'], 'theres': ['esther', 'hester', 'theres'], 'theresa': ['thereas', 'theresa'], 'therese': ['sheeter', 'therese'], 'therewithal': ['therewithal', 'whitleather'], 'theriac': ['certhia', 'rhaetic', 'theriac'], 'therial': ['hairlet', 'therial'], 'theriodic': ['dichroite', 'erichtoid', 'theriodic'], 'theriodonta': ['dehortation', 'theriodonta'], 'thermantic': ['intermatch', 'thermantic'], 'thermo': ['mother', 'thermo'], 'thermobarograph': ['barothermograph', 'thermobarograph'], 'thermoelectric': ['electrothermic', 'thermoelectric'], 'thermoelectrometer': ['electrothermometer', 'thermoelectrometer'], 'thermogalvanometer': ['galvanothermometer', 'thermogalvanometer'], 'thermogeny': ['mythogreen', 'thermogeny'], 'thermography': ['mythographer', 'thermography'], 'thermology': ['mythologer', 'thermology'], 'thermos': ['smother', 'thermos'], 'thermotype': ['phytometer', 'thermotype'], 'thermotypic': ['phytometric', 'thermotypic'], 'thermotypy': ['phytometry', 'thermotypy'], 'theroid': ['rhodite', 'theroid'], 'theron': ['hornet', 'nother', 'theron', 'throne'], 'thersitical': ['thersitical', 'trachelitis'], 'these': ['sheet', 'these'], 'thesean': ['sneathe', 'thesean'], 'thesial': ['heliast', 'thesial'], 'thesis': ['shiest', 'thesis'], 'theta': ['theat', 'theta'], 'thetical': ['athletic', 'thetical'], 'thetis': ['theist', 'thetis'], 'thew': ['hewt', 'thew', 'whet'], 'they': ['they', 'yeth'], 'theyre': ['theyre', 'yether'], 'thicken': ['kitchen', 'thicken'], 'thickener': ['kitchener', 'rethicken', 'thickener'], 'thicket': ['chettik', 'thicket'], 'thienyl': ['ethylin', 'thienyl'], 'thig': ['gith', 'thig'], 'thigh': ['hight', 'thigh'], 'thill': ['illth', 'thill'], 'thin': ['hint', 'thin'], 'thing': ['night', 'thing'], 'thingal': ['halting', 'lathing', 'thingal'], 'thingless': ['lightness', 'nightless', 'thingless'], 'thinglet': ['thinglet', 'thlinget'], 'thinglike': ['nightlike', 'thinglike'], 'thingly': ['nightly', 'thingly'], 'thingman': ['nightman', 'thingman'], 'thinker': ['rethink', 'thinker'], 'thio': ['hoit', 'hoti', 'thio'], 'thiocresol': ['holosteric', 'thiocresol'], 'thiol': ['litho', 'thiol', 'tholi'], 'thiolacetic': ['heliotactic', 'thiolacetic'], 'thiophenol': ['lithophone', 'thiophenol'], 'thiopyran': ['phoniatry', 'thiopyran'], 'thirlage': ['litharge', 'thirlage'], 'this': ['hist', 'sith', 'this', 'tshi'], 'thissen': ['sithens', 'thissen'], 'thistle': ['lettish', 'thistle'], 'thlinget': ['thinglet', 'thlinget'], 'tho': ['hot', 'tho'], 'thob': ['both', 'thob'], 'thole': ['helot', 'hotel', 'thole'], 'tholi': ['litho', 'thiol', 'tholi'], 'tholos': ['soloth', 'tholos'], 'thomaean': ['amaethon', 'thomaean'], 'thomasine': ['hematosin', 'thomasine'], 'thomisid': ['isthmoid', 'thomisid'], 'thomsonite': ['monotheist', 'thomsonite'], 'thonder': ['thonder', 'thorned'], 'thonga': ['gnatho', 'thonga'], 'thoo': ['hoot', 'thoo', 'toho'], 'thoom': ['mooth', 'thoom'], 'thoracectomy': ['chromatocyte', 'thoracectomy'], 'thoracic': ['thoracic', 'tocharic', 'trochaic'], 'thoral': ['harlot', 'orthal', 'thoral'], 'thore': ['other', 'thore', 'throe', 'toher'], 'thoric': ['chorti', 'orthic', 'thoric', 'trochi'], 'thorina': ['orthian', 'thorina'], 'thorite': ['hortite', 'orthite', 'thorite'], 'thorn': ['north', 'thorn'], 'thorned': ['thonder', 'thorned'], 'thornhead': ['rhodanthe', 'thornhead'], 'thorny': ['rhyton', 'thorny'], 'thoro': ['ortho', 'thoro'], 'thort': ['thort', 'troth'], 'thos': ['host', 'shot', 'thos', 'tosh'], 'those': ['ethos', 'shote', 'those'], 'thowel': ['howlet', 'thowel'], 'thraces': ['stacher', 'thraces'], 'thracian': ['taranchi', 'thracian'], 'thraep': ['thraep', 'threap'], 'thrain': ['hartin', 'thrain'], 'thram': ['tharm', 'thram'], 'thrang': ['granth', 'thrang'], 'thrasher': ['rethrash', 'thrasher'], 'thrast': ['strath', 'thrast'], 'thraw': ['thraw', 'warth', 'whart', 'wrath'], 'thread': ['dearth', 'hatred', 'rathed', 'thread'], 'threaden': ['adherent', 'headrent', 'neatherd', 'threaden'], 'threader': ['rethread', 'threader'], 'threadworm': ['motherward', 'threadworm'], 'thready': ['hydrate', 'thready'], 'threap': ['thraep', 'threap'], 'threat': ['hatter', 'threat'], 'threatener': ['rethreaten', 'threatener'], 'three': ['ether', 'rethe', 'theer', 'there', 'three'], 'threeling': ['lightener', 'relighten', 'threeling'], 'threeness': ['retheness', 'thereness', 'threeness'], 'threne': ['erthen', 'henter', 'nether', 'threne'], 'threnode': ['dethrone', 'threnode'], 'threnodic': ['chondrite', 'threnodic'], 'threnos': ['shorten', 'threnos'], 'thresher': ['rethresh', 'thresher'], 'thrice': ['cither', 'thrice'], 'thriller': ['rethrill', 'thriller'], 'thripel': ['philter', 'thripel'], 'thripidae': ['rhipidate', 'thripidae'], 'throat': ['athort', 'throat'], 'throb': ['broth', 'throb'], 'throe': ['other', 'thore', 'throe', 'toher'], 'thronal': ['althorn', 'anthrol', 'thronal'], 'throne': ['hornet', 'nother', 'theron', 'throne'], 'throu': ['routh', 'throu'], 'throughout': ['outthrough', 'throughout'], 'throw': ['throw', 'whort', 'worth', 'wroth'], 'throwdown': ['downthrow', 'throwdown'], 'thrower': ['rethrow', 'thrower'], 'throwing': ['ingrowth', 'throwing'], 'throwout': ['outthrow', 'outworth', 'throwout'], 'thrum': ['thrum', 'thurm'], 'thrust': ['struth', 'thrust'], 'thruster': ['rethrust', 'thruster'], 'thuan': ['ahunt', 'haunt', 'thuan', 'unhat'], 'thulr': ['thulr', 'thurl'], 'thunderbearing': ['thunderbearing', 'underbreathing'], 'thunderer': ['rethunder', 'thunderer'], 'thundering': ['thundering', 'underthing'], 'thuoc': ['couth', 'thuoc', 'touch'], 'thurl': ['thulr', 'thurl'], 'thurm': ['thrum', 'thurm'], 'thurse': ['reshut', 'suther', 'thurse', 'tusher'], 'thurt': ['thurt', 'truth'], 'thus': ['shut', 'thus', 'tush'], 'thusness': ['shutness', 'thusness'], 'thwacker': ['thwacker', 'whatreck'], 'thwartover': ['overthwart', 'thwartover'], 'thymelic': ['methylic', 'thymelic'], 'thymetic': ['hymettic', 'thymetic'], 'thymus': ['mythus', 'thymus'], 'thyreogenous': ['heterogynous', 'thyreogenous'], 'thyreohyoid': ['hyothyreoid', 'thyreohyoid'], 'thyreoid': ['hydriote', 'thyreoid'], 'thyreoidal': ['thyreoidal', 'thyroideal'], 'thyreosis': ['oysterish', 'thyreosis'], 'thyris': ['shirty', 'thyris'], 'thyrocricoid': ['cricothyroid', 'thyrocricoid'], 'thyrogenic': ['thyrogenic', 'trichogyne'], 'thyrohyoid': ['hyothyroid', 'thyrohyoid'], 'thyroideal': ['thyreoidal', 'thyroideal'], 'thyroiodin': ['iodothyrin', 'thyroiodin'], 'thyroprivic': ['thyroprivic', 'vitrophyric'], 'thysanopteran': ['parasyntheton', 'thysanopteran'], 'thysel': ['shelty', 'thysel'], 'ti': ['it', 'ti'], 'tiang': ['giant', 'tangi', 'tiang'], 'tiao': ['iota', 'tiao'], 'tiar': ['airt', 'rita', 'tari', 'tiar'], 'tiara': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'tiarella': ['arillate', 'tiarella'], 'tib': ['bit', 'tib'], 'tibetan': ['bettina', 'tabinet', 'tibetan'], 'tibial': ['bilati', 'tibial'], 'tibiale': ['biliate', 'tibiale'], 'tibiofemoral': ['femorotibial', 'tibiofemoral'], 'tic': ['cit', 'tic'], 'ticca': ['cacti', 'ticca'], 'tice': ['ceti', 'cite', 'tice'], 'ticer': ['citer', 'recti', 'ticer', 'trice'], 'tichodroma': ['chromatoid', 'tichodroma'], 'ticketer': ['reticket', 'ticketer'], 'tickler': ['tickler', 'trickle'], 'tickproof': ['prickfoot', 'tickproof'], 'ticuna': ['anicut', 'nautic', 'ticuna', 'tunica'], 'ticunan': ['ticunan', 'tunican'], 'tid': ['dit', 'tid'], 'tidal': ['datil', 'dital', 'tidal', 'tilda'], 'tiddley': ['lyddite', 'tiddley'], 'tide': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tidely': ['idlety', 'lydite', 'tidely', 'tidley'], 'tiding': ['tiding', 'tingid'], 'tidley': ['idlety', 'lydite', 'tidely', 'tidley'], 'tied': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tien': ['iten', 'neti', 'tien', 'tine'], 'tiepin': ['pinite', 'tiepin'], 'tier': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tierce': ['cerite', 'certie', 'recite', 'tierce'], 'tiered': ['dieter', 'tiered'], 'tierer': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'tiffy': ['fifty', 'tiffy'], 'tifter': ['fitter', 'tifter'], 'tig': ['git', 'tig'], 'tigella': ['tigella', 'tillage'], 'tiger': ['tiger', 'tigre'], 'tigereye': ['geyerite', 'tigereye'], 'tightener': ['retighten', 'tightener'], 'tiglinic': ['lignitic', 'tiglinic'], 'tigre': ['tiger', 'tigre'], 'tigrean': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tigress': ['striges', 'tigress'], 'tigrine': ['igniter', 'ringite', 'tigrine'], 'tigurine': ['intrigue', 'tigurine'], 'tikka': ['katik', 'tikka'], 'tikur': ['tikur', 'turki'], 'til': ['lit', 'til'], 'tilaite': ['italite', 'letitia', 'tilaite'], 'tilda': ['datil', 'dital', 'tidal', 'tilda'], 'tilde': ['tilde', 'tiled'], 'tile': ['lite', 'teil', 'teli', 'tile'], 'tiled': ['tilde', 'tiled'], 'tiler': ['liter', 'tiler'], 'tilery': ['tilery', 'tilyer'], 'tileways': ['sweatily', 'tileways'], 'tileyard': ['dielytra', 'tileyard'], 'tilia': ['itali', 'tilia'], 'tilikum': ['kulimit', 'tilikum'], 'till': ['lilt', 'till'], 'tillable': ['belltail', 'bletilla', 'tillable'], 'tillaea': ['alalite', 'tillaea'], 'tillage': ['tigella', 'tillage'], 'tiller': ['retill', 'rillet', 'tiller'], 'tilmus': ['litmus', 'tilmus'], 'tilpah': ['lapith', 'tilpah'], 'tilter': ['litter', 'tilter', 'titler'], 'tilting': ['tilting', 'titling', 'tlingit'], 'tiltup': ['tiltup', 'uptilt'], 'tilyer': ['tilery', 'tilyer'], 'timable': ['limbate', 'timable', 'timbale'], 'timaeus': ['metusia', 'suimate', 'timaeus'], 'timaline': ['meliatin', 'timaline'], 'timani': ['intima', 'timani'], 'timar': ['mitra', 'tarmi', 'timar', 'tirma'], 'timbal': ['limbat', 'timbal'], 'timbale': ['limbate', 'timable', 'timbale'], 'timber': ['betrim', 'timber', 'timbre'], 'timbered': ['bemitred', 'timbered'], 'timberer': ['retimber', 'timberer'], 'timberlike': ['kimberlite', 'timberlike'], 'timbre': ['betrim', 'timber', 'timbre'], 'time': ['emit', 'item', 'mite', 'time'], 'timecard': ['dermatic', 'timecard'], 'timed': ['demit', 'timed'], 'timeproof': ['miteproof', 'timeproof'], 'timer': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'times': ['metis', 'smite', 'stime', 'times'], 'timesaving': ['negativism', 'timesaving'], 'timework': ['timework', 'worktime'], 'timid': ['dimit', 'timid'], 'timidly': ['mytilid', 'timidly'], 'timidness': ['destinism', 'timidness'], 'timish': ['isthmi', 'timish'], 'timne': ['metin', 'temin', 'timne'], 'timo': ['itmo', 'moit', 'omit', 'timo'], 'timon': ['minot', 'timon', 'tomin'], 'timorese': ['rosetime', 'timorese', 'tiresome'], 'timpani': ['impaint', 'timpani'], 'timpano': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tin': ['nit', 'tin'], 'tina': ['aint', 'anti', 'tain', 'tina'], 'tincal': ['catlin', 'tincal'], 'tinchel': ['linchet', 'tinchel'], 'tinctorial': ['tinctorial', 'trinoctial'], 'tind': ['dint', 'tind'], 'tindal': ['antlid', 'tindal'], 'tindalo': ['itoland', 'talonid', 'tindalo'], 'tinder': ['dirten', 'rident', 'tinder'], 'tindered': ['dendrite', 'tindered'], 'tinderous': ['detrusion', 'tinderous', 'unstoried'], 'tine': ['iten', 'neti', 'tien', 'tine'], 'tinea': ['entia', 'teian', 'tenai', 'tinea'], 'tineal': ['entail', 'tineal'], 'tinean': ['annite', 'innate', 'tinean'], 'tined': ['detin', 'teind', 'tined'], 'tineid': ['indite', 'tineid'], 'tineman': ['mannite', 'tineman'], 'tineoid': ['edition', 'odinite', 'otidine', 'tineoid'], 'tinetare': ['intereat', 'tinetare'], 'tinety': ['entity', 'tinety'], 'tinged': ['nidget', 'tinged'], 'tinger': ['engirt', 'tinger'], 'tingid': ['tiding', 'tingid'], 'tingitidae': ['indigitate', 'tingitidae'], 'tingler': ['ringlet', 'tingler', 'tringle'], 'tinhouse': ['outshine', 'tinhouse'], 'tink': ['knit', 'tink'], 'tinker': ['reknit', 'tinker'], 'tinkerer': ['retinker', 'tinkerer'], 'tinkler': ['tinkler', 'trinkle'], 'tinlet': ['litten', 'tinlet'], 'tinne': ['innet', 'tinne'], 'tinned': ['dentin', 'indent', 'intend', 'tinned'], 'tinner': ['intern', 'tinner'], 'tinnet': ['intent', 'tinnet'], 'tino': ['into', 'nito', 'oint', 'tino'], 'tinoceras': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tinosa': ['sotnia', 'tinosa'], 'tinsel': ['enlist', 'listen', 'silent', 'tinsel'], 'tinselly': ['silently', 'tinselly'], 'tinta': ['taint', 'tanti', 'tinta', 'titan'], 'tintage': ['attinge', 'tintage'], 'tinter': ['nitter', 'tinter'], 'tintie': ['tintie', 'titien'], 'tintiness': ['insistent', 'tintiness'], 'tinty': ['nitty', 'tinty'], 'tinworker': ['interwork', 'tinworker'], 'tionontates': ['ostentation', 'tionontates'], 'tip': ['pit', 'tip'], 'tipe': ['piet', 'tipe'], 'tipful': ['tipful', 'uplift'], 'tipless': ['pitless', 'tipless'], 'tipman': ['pitman', 'tampin', 'tipman'], 'tipper': ['rippet', 'tipper'], 'tippler': ['ripplet', 'tippler', 'tripple'], 'tipster': ['spitter', 'tipster'], 'tipstock': ['potstick', 'tipstock'], 'tipula': ['tipula', 'tulipa'], 'tiralee': ['atelier', 'tiralee'], 'tire': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tired': ['diter', 'tired', 'tried'], 'tiredly': ['tiredly', 'triedly'], 'tiredness': ['dissenter', 'tiredness'], 'tireless': ['riteless', 'tireless'], 'tirelessness': ['ritelessness', 'tirelessness'], 'tiremaid': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'tireman': ['minaret', 'raiment', 'tireman'], 'tirer': ['terri', 'tirer', 'trier'], 'tiresmith': ['tiresmith', 'tritheism'], 'tiresome': ['rosetime', 'timorese', 'tiresome'], 'tirma': ['mitra', 'tarmi', 'timar', 'tirma'], 'tirolean': ['oriental', 'relation', 'tirolean'], 'tirolese': ['literose', 'roselite', 'tirolese'], 'tirve': ['rivet', 'tirve', 'tiver'], 'tisane': ['satine', 'tisane'], 'tisar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'titan': ['taint', 'tanti', 'tinta', 'titan'], 'titaness': ['antistes', 'titaness'], 'titanic': ['tanitic', 'titanic'], 'titano': ['otiant', 'titano'], 'titanocolumbate': ['columbotitanate', 'titanocolumbate'], 'titanofluoride': ['rotundifoliate', 'titanofluoride'], 'titanosaur': ['saturation', 'titanosaur'], 'titanosilicate': ['silicotitanate', 'titanosilicate'], 'titanous': ['outsaint', 'titanous'], 'titanyl': ['nattily', 'titanyl'], 'titar': ['ratti', 'titar', 'trait'], 'titer': ['titer', 'titre', 'trite'], 'tithable': ['hittable', 'tithable'], 'tither': ['hitter', 'tither'], 'tithonic': ['chinotti', 'tithonic'], 'titien': ['tintie', 'titien'], 'titleboard': ['titleboard', 'trilobated'], 'titler': ['litter', 'tilter', 'titler'], 'titling': ['tilting', 'titling', 'tlingit'], 'titrate': ['attrite', 'titrate'], 'titration': ['attrition', 'titration'], 'titre': ['titer', 'titre', 'trite'], 'tiver': ['rivet', 'tirve', 'tiver'], 'tiza': ['itza', 'tiza', 'zati'], 'tlaco': ['lacto', 'tlaco'], 'tlingit': ['tilting', 'titling', 'tlingit'], 'tmesis': ['misset', 'tmesis'], 'toa': ['oat', 'tao', 'toa'], 'toad': ['doat', 'toad', 'toda'], 'toader': ['doater', 'toader'], 'toadflower': ['floodwater', 'toadflower', 'waterflood'], 'toadier': ['roadite', 'toadier'], 'toadish': ['doatish', 'toadish'], 'toady': ['toady', 'today'], 'toadyish': ['toadyish', 'todayish'], 'toag': ['goat', 'toag', 'toga'], 'toast': ['stoat', 'toast'], 'toaster': ['retoast', 'rosetta', 'stoater', 'toaster'], 'toba': ['boat', 'bota', 'toba'], 'tobe': ['bote', 'tobe'], 'tobiah': ['bhotia', 'tobiah'], 'tobine': ['botein', 'tobine'], 'toccata': ['attacco', 'toccata'], 'tocharese': ['escheator', 'tocharese'], 'tocharian': ['archontia', 'tocharian'], 'tocharic': ['thoracic', 'tocharic', 'trochaic'], 'tocher': ['hector', 'rochet', 'tocher', 'troche'], 'toco': ['coot', 'coto', 'toco'], 'tocogenetic': ['geotectonic', 'tocogenetic'], 'tocometer': ['octometer', 'rectotome', 'tocometer'], 'tocsin': ['nostic', 'sintoc', 'tocsin'], 'tod': ['dot', 'tod'], 'toda': ['doat', 'toad', 'toda'], 'today': ['toady', 'today'], 'todayish': ['toadyish', 'todayish'], 'toddle': ['dodlet', 'toddle'], 'tode': ['dote', 'tode', 'toed'], 'todea': ['deota', 'todea'], 'tody': ['doty', 'tody'], 'toecap': ['capote', 'toecap'], 'toed': ['dote', 'tode', 'toed'], 'toeless': ['osselet', 'sestole', 'toeless'], 'toenail': ['alnoite', 'elation', 'toenail'], 'tog': ['got', 'tog'], 'toga': ['goat', 'toag', 'toga'], 'togaed': ['dogate', 'dotage', 'togaed'], 'togalike': ['goatlike', 'togalike'], 'toggel': ['goglet', 'toggel', 'toggle'], 'toggle': ['goglet', 'toggel', 'toggle'], 'togs': ['stog', 'togs'], 'toher': ['other', 'thore', 'throe', 'toher'], 'toho': ['hoot', 'thoo', 'toho'], 'tohunga': ['hangout', 'tohunga'], 'toi': ['ito', 'toi'], 'toil': ['ilot', 'toil'], 'toiler': ['loiter', 'toiler', 'triole'], 'toilet': ['lottie', 'toilet', 'tolite'], 'toiletry': ['toiletry', 'tyrolite'], 'toise': ['sotie', 'toise'], 'tokay': ['otyak', 'tokay'], 'toke': ['keto', 'oket', 'toke'], 'toko': ['koto', 'toko', 'took'], 'tol': ['lot', 'tol'], 'tolamine': ['lomatine', 'tolamine'], 'tolan': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tolane': ['etalon', 'tolane'], 'told': ['dolt', 'told'], 'tole': ['leto', 'lote', 'tole'], 'toledan': ['taloned', 'toledan'], 'toledo': ['toledo', 'toodle'], 'tolerance': ['antrocele', 'coeternal', 'tolerance'], 'tolerancy': ['alectryon', 'tolerancy'], 'tolidine': ['lindoite', 'tolidine'], 'tolite': ['lottie', 'toilet', 'tolite'], 'tollery': ['tollery', 'trolley'], 'tolly': ['tolly', 'tolyl'], 'tolpatch': ['potlatch', 'tolpatch'], 'tolsey': ['tolsey', 'tylose'], 'tolter': ['lotter', 'rottle', 'tolter'], 'tolu': ['lout', 'tolu'], 'toluic': ['coutil', 'toluic'], 'toluifera': ['foliature', 'toluifera'], 'tolyl': ['tolly', 'tolyl'], 'tom': ['mot', 'tom'], 'toma': ['atmo', 'atom', 'moat', 'toma'], 'toman': ['manto', 'toman'], 'tomas': ['atmos', 'stoma', 'tomas'], 'tombac': ['combat', 'tombac'], 'tome': ['mote', 'tome'], 'tomentose': ['metosteon', 'tomentose'], 'tomial': ['lomita', 'tomial'], 'tomin': ['minot', 'timon', 'tomin'], 'tomographic': ['motographic', 'tomographic'], 'tomorn': ['morton', 'tomorn'], 'tomorrow': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'ton': ['not', 'ton'], 'tonal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tonalitive': ['levitation', 'tonalitive', 'velitation'], 'tonation': ['notation', 'tonation'], 'tone': ['note', 'tone'], 'toned': ['donet', 'noted', 'toned'], 'toneless': ['noteless', 'toneless'], 'tonelessly': ['notelessly', 'tonelessly'], 'tonelessness': ['notelessness', 'tonelessness'], 'toner': ['noter', 'tenor', 'toner', 'trone'], 'tonetic': ['entotic', 'tonetic'], 'tonetics': ['stenotic', 'tonetics'], 'tonga': ['tango', 'tonga'], 'tongan': ['ganton', 'tongan'], 'tongas': ['sontag', 'tongas'], 'tonger': ['geront', 'tonger'], 'tongrian': ['ignorant', 'tongrian'], 'tongs': ['stong', 'tongs'], 'tonicize': ['nicotize', 'tonicize'], 'tonicoclonic': ['clonicotonic', 'tonicoclonic'], 'tonify': ['notify', 'tonify'], 'tonish': ['histon', 'shinto', 'tonish'], 'tonk': ['knot', 'tonk'], 'tonkin': ['inknot', 'tonkin'], 'tonna': ['anton', 'notan', 'tonna'], 'tonological': ['ontological', 'tonological'], 'tonology': ['ontology', 'tonology'], 'tonsorial': ['tonsorial', 'torsional'], 'tonsure': ['snouter', 'tonsure', 'unstore'], 'tonsured': ['tonsured', 'unsorted', 'unstored'], 'tontine': ['nettion', 'tention', 'tontine'], 'tonus': ['notus', 'snout', 'stoun', 'tonus'], 'tony': ['tony', 'yont'], 'too': ['oto', 'too'], 'toodle': ['toledo', 'toodle'], 'took': ['koto', 'toko', 'took'], 'tool': ['loot', 'tool'], 'tooler': ['looter', 'retool', 'rootle', 'tooler'], 'tooling': ['ilongot', 'tooling'], 'toom': ['moot', 'toom'], 'toon': ['onto', 'oont', 'toon'], 'toona': ['naoto', 'toona'], 'toop': ['poot', 'toop', 'topo'], 'toosh': ['shoot', 'sooth', 'sotho', 'toosh'], 'toot': ['otto', 'toot', 'toto'], 'toother': ['retooth', 'toother'], 'toothpick': ['picktooth', 'toothpick'], 'tootler': ['rootlet', 'tootler'], 'top': ['opt', 'pot', 'top'], 'toparch': ['caphtor', 'toparch'], 'topass': ['potass', 'topass'], 'topchrome': ['ectomorph', 'topchrome'], 'tope': ['peto', 'poet', 'pote', 'tope'], 'toper': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'topfull': ['plotful', 'topfull'], 'toph': ['phot', 'toph'], 'tophus': ['tophus', 'upshot'], 'topia': ['patio', 'taipo', 'topia'], 'topiarist': ['parotitis', 'topiarist'], 'topic': ['optic', 'picot', 'topic'], 'topical': ['capitol', 'coalpit', 'optical', 'topical'], 'topically': ['optically', 'topically'], 'toplike': ['kitlope', 'potlike', 'toplike'], 'topline': ['pointel', 'pontile', 'topline'], 'topmaker': ['potmaker', 'topmaker'], 'topmaking': ['potmaking', 'topmaking'], 'topman': ['potman', 'tampon', 'topman'], 'topmast': ['tapmost', 'topmast'], 'topo': ['poot', 'toop', 'topo'], 'topographics': ['coprophagist', 'topographics'], 'topography': ['optography', 'topography'], 'topological': ['optological', 'topological'], 'topologist': ['optologist', 'topologist'], 'topology': ['optology', 'topology'], 'toponymal': ['monotypal', 'toponymal'], 'toponymic': ['monotypic', 'toponymic'], 'toponymical': ['monotypical', 'toponymical'], 'topophone': ['optophone', 'topophone'], 'topotype': ['optotype', 'topotype'], 'topple': ['loppet', 'topple'], 'toppler': ['preplot', 'toppler'], 'toprail': ['portail', 'toprail'], 'tops': ['post', 'spot', 'stop', 'tops'], 'topsail': ['apostil', 'topsail'], 'topside': ['deposit', 'topside'], 'topsman': ['postman', 'topsman'], 'topsoil': ['loopist', 'poloist', 'topsoil'], 'topstone': ['potstone', 'topstone'], 'toptail': ['ptilota', 'talipot', 'toptail'], 'toque': ['quote', 'toque'], 'tor': ['ort', 'rot', 'tor'], 'tora': ['rota', 'taro', 'tora'], 'toral': ['latro', 'rotal', 'toral'], 'toran': ['orant', 'rotan', 'toran', 'trona'], 'torbanite': ['abortient', 'torbanite'], 'torcel': ['colter', 'lector', 'torcel'], 'torch': ['chort', 'rotch', 'torch'], 'tore': ['rote', 'tore'], 'tored': ['doter', 'tored', 'trode'], 'torenia': ['otarine', 'torenia'], 'torero': ['reroot', 'rooter', 'torero'], 'toreutics': ['tetricous', 'toreutics'], 'torfel': ['floret', 'forlet', 'lofter', 'torfel'], 'torgot': ['grotto', 'torgot'], 'toric': ['toric', 'troic'], 'torinese': ['serotine', 'torinese'], 'torma': ['amort', 'morat', 'torma'], 'tormen': ['mentor', 'merton', 'termon', 'tormen'], 'tormina': ['amintor', 'tormina'], 'torn': ['torn', 'tron'], 'tornachile': ['chlorinate', 'ectorhinal', 'tornachile'], 'tornado': ['donator', 'odorant', 'tornado'], 'tornal': ['latron', 'lontar', 'tornal'], 'tornaria': ['rotarian', 'tornaria'], 'tornarian': ['narration', 'tornarian'], 'tornese': ['enstore', 'estrone', 'storeen', 'tornese'], 'torney': ['torney', 'tyrone'], 'tornit': ['intort', 'tornit', 'triton'], 'tornus': ['tornus', 'unsort'], 'toro': ['root', 'roto', 'toro'], 'torose': ['seroot', 'sooter', 'torose'], 'torpent': ['portent', 'torpent'], 'torpescent': ['precontest', 'torpescent'], 'torpid': ['torpid', 'tripod'], 'torpify': ['portify', 'torpify'], 'torpor': ['portor', 'torpor'], 'torque': ['quoter', 'roquet', 'torque'], 'torques': ['questor', 'torques'], 'torrubia': ['rubiator', 'torrubia'], 'torsade': ['rosated', 'torsade'], 'torse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'torsel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'torsile': ['estriol', 'torsile'], 'torsion': ['isotron', 'torsion'], 'torsional': ['tonsorial', 'torsional'], 'torsk': ['stork', 'torsk'], 'torso': ['roost', 'torso'], 'torsten': ['snotter', 'stentor', 'torsten'], 'tort': ['tort', 'trot'], 'torta': ['ottar', 'tarot', 'torta', 'troat'], 'torteau': ['outrate', 'outtear', 'torteau'], 'torticone': ['torticone', 'tritocone'], 'tortile': ['lotrite', 'tortile', 'triolet'], 'tortilla': ['littoral', 'tortilla'], 'tortonian': ['intonator', 'tortonian'], 'tortrices': ['tortrices', 'trisector'], 'torture': ['torture', 'trouter', 'tutorer'], 'toru': ['rout', 'toru', 'tour'], 'torula': ['rotula', 'torula'], 'torulaform': ['formulator', 'torulaform'], 'toruliform': ['rotuliform', 'toruliform'], 'torulose': ['outsoler', 'torulose'], 'torulus': ['rotulus', 'torulus'], 'torus': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'torve': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'tory': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'toryish': ['history', 'toryish'], 'toryism': ['toryism', 'trisomy'], 'tosephtas': ['posthaste', 'tosephtas'], 'tosh': ['host', 'shot', 'thos', 'tosh'], 'tosher': ['hoster', 'tosher'], 'toshly': ['hostly', 'toshly'], 'toshnail': ['histonal', 'toshnail'], 'toss': ['sots', 'toss'], 'tosser': ['retoss', 'tosser'], 'tossily': ['tossily', 'tylosis'], 'tossup': ['tossup', 'uptoss'], 'tost': ['stot', 'tost'], 'total': ['lotta', 'total'], 'totanine': ['intonate', 'totanine'], 'totaquin': ['quintato', 'totaquin'], 'totchka': ['hattock', 'totchka'], 'totem': ['motet', 'motte', 'totem'], 'toter': ['ortet', 'otter', 'toter'], 'tother': ['hotter', 'tother'], 'toto': ['otto', 'toot', 'toto'], 'toty': ['toty', 'tyto'], 'tou': ['out', 'tou'], 'toucan': ['toucan', 'tucano', 'uncoat'], 'touch': ['couth', 'thuoc', 'touch'], 'toucher': ['retouch', 'toucher'], 'touchily': ['couthily', 'touchily'], 'touchiness': ['couthiness', 'touchiness'], 'touching': ['touching', 'ungothic'], 'touchless': ['couthless', 'touchless'], 'toug': ['gout', 'toug'], 'tough': ['ought', 'tough'], 'toughness': ['oughtness', 'toughness'], 'toup': ['pout', 'toup'], 'tour': ['rout', 'toru', 'tour'], 'tourer': ['retour', 'router', 'tourer'], 'touring': ['outgrin', 'outring', 'routing', 'touring'], 'tourism': ['sumitro', 'tourism'], 'touristy': ['touristy', 'yttrious'], 'tourmalinic': ['latrocinium', 'tourmalinic'], 'tournamental': ['tournamental', 'ultramontane'], 'tourte': ['tourte', 'touter'], 'tousche': ['souchet', 'techous', 'tousche'], 'touser': ['ouster', 'souter', 'touser', 'trouse'], 'tousle': ['lutose', 'solute', 'tousle'], 'touter': ['tourte', 'touter'], 'tovaria': ['aviator', 'tovaria'], 'tow': ['tow', 'two', 'wot'], 'towel': ['owlet', 'towel'], 'tower': ['rowet', 'tower', 'wrote'], 'town': ['nowt', 'town', 'wont'], 'towned': ['towned', 'wonted'], 'towser': ['restow', 'stower', 'towser', 'worset'], 'towy': ['towy', 'yowt'], 'toxemia': ['oximate', 'toxemia'], 'toy': ['toy', 'yot'], 'toyer': ['royet', 'toyer'], 'toyful': ['outfly', 'toyful'], 'toyless': ['systole', 'toyless'], 'toysome': ['myosote', 'toysome'], 'tozer': ['terzo', 'tozer'], 'tra': ['art', 'rat', 'tar', 'tra'], 'trabea': ['abater', 'artabe', 'eartab', 'trabea'], 'trace': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'traceable': ['creatable', 'traceable'], 'tracer': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'tracheata': ['cathartae', 'tracheata'], 'trachelitis': ['thersitical', 'trachelitis'], 'tracheolaryngotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'trachinoid': ['anhidrotic', 'trachinoid'], 'trachitis': ['citharist', 'trachitis'], 'trachle': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'trachoma': ['achromat', 'trachoma'], 'trachylinae': ['chatelainry', 'trachylinae'], 'trachyte': ['chattery', 'ratchety', 'trachyte'], 'tracker': ['retrack', 'tracker'], 'trackside': ['sidetrack', 'trackside'], 'tractator': ['attractor', 'tractator'], 'tractile': ['tetrical', 'tractile'], 'tracy': ['carty', 'tracy'], 'trade': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'trader': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'trading': ['darting', 'trading'], 'tradite': ['attired', 'tradite'], 'traditioner': ['retradition', 'traditioner'], 'traditionism': ['mistradition', 'traditionism'], 'traditorship': ['podarthritis', 'traditorship'], 'traducent': ['reductant', 'traducent', 'truncated'], 'trady': ['tardy', 'trady'], 'trag': ['grat', 'trag'], 'tragedial': ['taligrade', 'tragedial'], 'tragicomedy': ['comitragedy', 'tragicomedy'], 'tragulina': ['tragulina', 'triangula'], 'traguline': ['granulite', 'traguline'], 'trah': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'traheen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'traik': ['kitar', 'krait', 'rakit', 'traik'], 'trail': ['litra', 'trail', 'trial'], 'trailer': ['retiral', 'retrial', 'trailer'], 'trailery': ['literary', 'trailery'], 'trailing': ['ringtail', 'trailing'], 'trailside': ['dialister', 'trailside'], 'train': ['riant', 'tairn', 'tarin', 'train'], 'trainable': ['albertina', 'trainable'], 'trainage': ['antiager', 'trainage'], 'trainboy': ['bonitary', 'trainboy'], 'trained': ['antired', 'detrain', 'randite', 'trained'], 'trainee': ['enteria', 'trainee', 'triaene'], 'trainer': ['arterin', 'retrain', 'terrain', 'trainer'], 'trainless': ['sternalis', 'trainless'], 'trainster': ['restraint', 'retransit', 'trainster', 'transiter'], 'traintime': ['intimater', 'traintime'], 'trainy': ['rytina', 'trainy', 'tyrian'], 'traipse': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'trait': ['ratti', 'titar', 'trait'], 'tram': ['mart', 'tram'], 'trama': ['matar', 'matra', 'trama'], 'tramal': ['matral', 'tramal'], 'trame': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trametes': ['teamster', 'trametes'], 'tramline': ['terminal', 'tramline'], 'tramper': ['retramp', 'tramper'], 'trample': ['templar', 'trample'], 'trampoline': ['intemporal', 'trampoline'], 'tran': ['natr', 'rant', 'tarn', 'tran'], 'trance': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tranced': ['cantred', 'centrad', 'tranced'], 'trancelike': ['nectarlike', 'trancelike'], 'trankum': ['trankum', 'turkman'], 'transamination': ['transamination', 'transanimation'], 'transanimation': ['transamination', 'transanimation'], 'transept': ['prestant', 'transept'], 'transeptally': ['platysternal', 'transeptally'], 'transformer': ['retransform', 'transformer'], 'transfuge': ['afterguns', 'transfuge'], 'transient': ['instanter', 'transient'], 'transigent': ['astringent', 'transigent'], 'transimpression': ['pretransmission', 'transimpression'], 'transire': ['restrain', 'strainer', 'transire'], 'transit': ['straint', 'transit', 'tristan'], 'transiter': ['restraint', 'retransit', 'trainster', 'transiter'], 'transitive': ['revisitant', 'transitive'], 'transmarine': ['strainerman', 'transmarine'], 'transmit': ['tantrism', 'transmit'], 'transmold': ['landstorm', 'transmold'], 'transoceanic': ['narcaciontes', 'transoceanic'], 'transonic': ['constrain', 'transonic'], 'transpire': ['prestrain', 'transpire'], 'transplanter': ['retransplant', 'transplanter'], 'transportee': ['paternoster', 'prosternate', 'transportee'], 'transporter': ['retransport', 'transporter'], 'transpose': ['patroness', 'transpose'], 'transposer': ['transposer', 'transprose'], 'transprose': ['transposer', 'transprose'], 'trap': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'trapa': ['apart', 'trapa'], 'trapes': ['paster', 'repast', 'trapes'], 'trapfall': ['pratfall', 'trapfall'], 'traphole': ['plethora', 'traphole'], 'trappean': ['apparent', 'trappean'], 'traps': ['spart', 'sprat', 'strap', 'traps'], 'traship': ['harpist', 'traship'], 'trasy': ['satyr', 'stary', 'stray', 'trasy'], 'traulism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'trauma': ['taruma', 'trauma'], 'travale': ['larvate', 'lavaret', 'travale'], 'trave': ['avert', 'tarve', 'taver', 'trave'], 'travel': ['travel', 'varlet'], 'traveler': ['retravel', 'revertal', 'traveler'], 'traversion': ['overstrain', 'traversion'], 'travertine': ['travertine', 'trinervate'], 'travoy': ['travoy', 'votary'], 'tray': ['arty', 'atry', 'tray'], 'treacle': ['electra', 'treacle'], 'tread': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'treader': ['derater', 'retrade', 'retread', 'treader'], 'treading': ['gradient', 'treading'], 'treadle': ['delater', 'related', 'treadle'], 'treason': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'treasonish': ['astonisher', 'reastonish', 'treasonish'], 'treasonist': ['steatornis', 'treasonist'], 'treasonous': ['anoestrous', 'treasonous'], 'treasurer': ['serrature', 'treasurer'], 'treat': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'treatably': ['tabletary', 'treatably'], 'treatee': ['ateeter', 'treatee'], 'treater': ['ettarre', 'retreat', 'treater'], 'treatise': ['estriate', 'treatise'], 'treaty': ['attery', 'treaty', 'yatter'], 'treble': ['belter', 'elbert', 'treble'], 'treculia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'tree': ['reet', 'teer', 'tree'], 'treed': ['deter', 'treed'], 'treeful': ['fleuret', 'treeful'], 'treehood': ['theodore', 'treehood'], 'treemaker': ['marketeer', 'treemaker'], 'treeman': ['remanet', 'remeant', 'treeman'], 'treen': ['enter', 'neter', 'renet', 'terne', 'treen'], 'treenail': ['elaterin', 'entailer', 'treenail'], 'treeship': ['hepteris', 'treeship'], 'tref': ['fret', 'reft', 'tref'], 'trefle': ['felter', 'telfer', 'trefle'], 'trellis': ['stiller', 'trellis'], 'trema': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trematoid': ['meditator', 'trematoid'], 'tremella': ['realmlet', 'tremella'], 'tremie': ['metier', 'retime', 'tremie'], 'tremolo': ['roomlet', 'tremolo'], 'tremor': ['termor', 'tremor'], 'trenail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'trenchant': ['centranth', 'trenchant'], 'trencher': ['retrench', 'trencher'], 'trenchmaster': ['stretcherman', 'trenchmaster'], 'trenchwise': ['trenchwise', 'winchester'], 'trentine': ['renitent', 'trentine'], 'trepan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'trephine': ['nephrite', 'prehnite', 'trephine'], 'trepid': ['dipter', 'trepid'], 'trepidation': ['departition', 'partitioned', 'trepidation'], 'treron': ['terron', 'treron', 'troner'], 'treronidae': ['reordinate', 'treronidae'], 'tressed': ['dessert', 'tressed'], 'tressful': ['tressful', 'turfless'], 'tressour': ['tressour', 'trousers'], 'trest': ['stert', 'stret', 'trest'], 'trestle': ['settler', 'sterlet', 'trestle'], 'trevor': ['trevor', 'trover'], 'trews': ['strew', 'trews', 'wrest'], 'trey': ['trey', 'tyre'], 'tri': ['rit', 'tri'], 'triable': ['betrail', 'librate', 'triable', 'trilabe'], 'triace': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'triacid': ['arctiid', 'triacid', 'triadic'], 'triacontane': ['recantation', 'triacontane'], 'triaconter': ['retraction', 'triaconter'], 'triactine': ['intricate', 'triactine'], 'triadic': ['arctiid', 'triacid', 'triadic'], 'triadical': ['raticidal', 'triadical'], 'triadist': ['distrait', 'triadist'], 'triaene': ['enteria', 'trainee', 'triaene'], 'triage': ['gaiter', 'tairge', 'triage'], 'trial': ['litra', 'trail', 'trial'], 'trialism': ['mistrial', 'trialism'], 'trialist': ['taistril', 'trialist'], 'triamide': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'triamino': ['miniator', 'triamino'], 'triandria': ['irradiant', 'triandria'], 'triangle': ['integral', 'teraglin', 'triangle'], 'triangula': ['tragulina', 'triangula'], 'triannual': ['innatural', 'triannual'], 'triannulate': ['antineutral', 'triannulate'], 'triantelope': ['interpolate', 'triantelope'], 'triapsidal': ['lapidarist', 'triapsidal'], 'triareal': ['arterial', 'triareal'], 'trias': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'triassic': ['sarcitis', 'triassic'], 'triazane': ['nazarite', 'nazirate', 'triazane'], 'triazine': ['nazirite', 'triazine'], 'tribade': ['redbait', 'tribade'], 'tribase': ['baister', 'tribase'], 'tribe': ['biter', 'tribe'], 'tribelet': ['belitter', 'tribelet'], 'triblet': ['blitter', 'brittle', 'triblet'], 'tribonema': ['brominate', 'tribonema'], 'tribuna': ['arbutin', 'tribuna'], 'tribunal': ['tribunal', 'turbinal', 'untribal'], 'tribunate': ['tribunate', 'turbinate'], 'tribune': ['tribune', 'tuberin', 'turbine'], 'tricae': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'trice': ['citer', 'recti', 'ticer', 'trice'], 'tricennial': ['encrinital', 'tricennial'], 'triceratops': ['tetrasporic', 'triceratops'], 'triceria': ['criteria', 'triceria'], 'tricerion': ['criterion', 'tricerion'], 'tricerium': ['criterium', 'tricerium'], 'trichinous': ['trichinous', 'unhistoric'], 'trichogyne': ['thyrogenic', 'trichogyne'], 'trichoid': ['hidrotic', 'trichoid'], 'trichomanes': ['anchoretism', 'trichomanes'], 'trichome': ['chromite', 'trichome'], 'trichopore': ['horopteric', 'rheotropic', 'trichopore'], 'trichosis': ['historics', 'trichosis'], 'trichosporum': ['sporotrichum', 'trichosporum'], 'trichroic': ['cirrhotic', 'trichroic'], 'trichroism': ['trichroism', 'triorchism'], 'trichromic': ['microcrith', 'trichromic'], 'tricia': ['iatric', 'tricia'], 'trickle': ['tickler', 'trickle'], 'triclinate': ['intractile', 'triclinate'], 'tricolumnar': ['tricolumnar', 'ultramicron'], 'tricosane': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tridacna': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'tridecane': ['nectaried', 'tridecane'], 'tridecene': ['intercede', 'tridecene'], 'tridecyl': ['directly', 'tridecyl'], 'tridiapason': ['disparation', 'tridiapason'], 'tried': ['diter', 'tired', 'tried'], 'triedly': ['tiredly', 'triedly'], 'triene': ['entire', 'triene'], 'triens': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'triental': ['tetralin', 'triental'], 'triequal': ['quartile', 'requital', 'triequal'], 'trier': ['terri', 'tirer', 'trier'], 'trifle': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'trifler': ['flirter', 'trifler'], 'triflet': ['flitter', 'triflet'], 'trifling': ['flirting', 'trifling'], 'triflingly': ['flirtingly', 'triflingly'], 'trifolium': ['lituiform', 'trifolium'], 'trig': ['girt', 'grit', 'trig'], 'trigona': ['grotian', 'trigona'], 'trigone': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'trigonia': ['rigation', 'trigonia'], 'trigonid': ['trigonid', 'tringoid'], 'trigyn': ['trigyn', 'trying'], 'trilabe': ['betrail', 'librate', 'triable', 'trilabe'], 'trilineate': ['retinalite', 'trilineate'], 'trilisa': ['liatris', 'trilisa'], 'trillet': ['rillett', 'trillet'], 'trilobate': ['latrobite', 'trilobate'], 'trilobated': ['titleboard', 'trilobated'], 'trimacular': ['matricular', 'trimacular'], 'trimensual': ['neutralism', 'trimensual'], 'trimer': ['mitrer', 'retrim', 'trimer'], 'trimesic': ['meristic', 'trimesic', 'trisemic'], 'trimesitinic': ['interimistic', 'trimesitinic'], 'trimesyl': ['trimesyl', 'tylerism'], 'trimeter': ['remitter', 'trimeter'], 'trimstone': ['sortiment', 'trimstone'], 'trinalize': ['latinizer', 'trinalize'], 'trindle': ['tendril', 'trindle'], 'trine': ['inert', 'inter', 'niter', 'retin', 'trine'], 'trinely': ['elytrin', 'inertly', 'trinely'], 'trinervate': ['travertine', 'trinervate'], 'trinerve': ['inverter', 'reinvert', 'trinerve'], 'trineural': ['retinular', 'trineural'], 'tringa': ['rating', 'tringa'], 'tringle': ['ringlet', 'tingler', 'tringle'], 'tringoid': ['trigonid', 'tringoid'], 'trinket': ['knitter', 'trinket'], 'trinkle': ['tinkler', 'trinkle'], 'trinoctial': ['tinctorial', 'trinoctial'], 'trinodine': ['rendition', 'trinodine'], 'trintle': ['lettrin', 'trintle'], 'trio': ['riot', 'roit', 'trio'], 'triode': ['editor', 'triode'], 'trioecism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'triole': ['loiter', 'toiler', 'triole'], 'trioleic': ['elicitor', 'trioleic'], 'triolet': ['lotrite', 'tortile', 'triolet'], 'trionymal': ['normality', 'trionymal'], 'triopidae': ['poritidae', 'triopidae'], 'triops': ['ripost', 'triops', 'tripos'], 'triorchism': ['trichroism', 'triorchism'], 'triose': ['restio', 'sorite', 'sortie', 'triose'], 'tripe': ['perit', 'retip', 'tripe'], 'tripedal': ['dipteral', 'tripedal'], 'tripel': ['tripel', 'triple'], 'tripeman': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'tripersonal': ['intersporal', 'tripersonal'], 'tripestone': ['septentrio', 'tripestone'], 'triphane': ['perianth', 'triphane'], 'triplane': ['interlap', 'repliant', 'triplane'], 'triplasian': ['airplanist', 'triplasian'], 'triplasic': ['pilastric', 'triplasic'], 'triple': ['tripel', 'triple'], 'triplice': ['perlitic', 'triplice'], 'triplopia': ['propitial', 'triplopia'], 'tripod': ['torpid', 'tripod'], 'tripodal': ['dioptral', 'tripodal'], 'tripodic': ['dioptric', 'tripodic'], 'tripodical': ['dioptrical', 'tripodical'], 'tripody': ['dioptry', 'tripody'], 'tripos': ['ripost', 'triops', 'tripos'], 'trippist': ['strippit', 'trippist'], 'tripple': ['ripplet', 'tippler', 'tripple'], 'tripsis': ['pristis', 'tripsis'], 'tripsome': ['imposter', 'tripsome'], 'tripudiant': ['antiputrid', 'tripudiant'], 'tripyrenous': ['neurotripsy', 'tripyrenous'], 'triratna': ['tartarin', 'triratna'], 'trireme': ['meriter', 'miterer', 'trireme'], 'trisalt': ['starlit', 'trisalt'], 'trisected': ['decretist', 'trisected'], 'trisector': ['tortrices', 'trisector'], 'trisemic': ['meristic', 'trimesic', 'trisemic'], 'trisetose': ['esoterist', 'trisetose'], 'trishna': ['tarnish', 'trishna'], 'trisilane': ['listerian', 'trisilane'], 'triskele': ['kreistle', 'triskele'], 'trismus': ['sistrum', 'trismus'], 'trisome': ['erotism', 'mortise', 'trisome'], 'trisomy': ['toryism', 'trisomy'], 'trisonant': ['strontian', 'trisonant'], 'trispinose': ['pirssonite', 'trispinose'], 'trist': ['strit', 'trist'], 'tristan': ['straint', 'transit', 'tristan'], 'trisula': ['latirus', 'trisula'], 'trisulcate': ['testicular', 'trisulcate'], 'tritanope': ['antitrope', 'patronite', 'tritanope'], 'tritanopic': ['antitropic', 'tritanopic'], 'trite': ['titer', 'titre', 'trite'], 'tritely': ['littery', 'tritely'], 'triterpene': ['preterient', 'triterpene'], 'tritheism': ['tiresmith', 'tritheism'], 'trithionate': ['anorthitite', 'trithionate'], 'tritocone': ['torticone', 'tritocone'], 'tritoma': ['mattoir', 'tritoma'], 'triton': ['intort', 'tornit', 'triton'], 'triune': ['runite', 'triune', 'uniter', 'untire'], 'trivalence': ['cantilever', 'trivalence'], 'trivial': ['trivial', 'vitrail'], 'trivialist': ['trivialist', 'vitrailist'], 'troat': ['ottar', 'tarot', 'torta', 'troat'], 'troca': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'trocar': ['carrot', 'trocar'], 'trochaic': ['thoracic', 'tocharic', 'trochaic'], 'trochate': ['theocrat', 'trochate'], 'troche': ['hector', 'rochet', 'tocher', 'troche'], 'trochi': ['chorti', 'orthic', 'thoric', 'trochi'], 'trochidae': ['charioted', 'trochidae'], 'trochila': ['acrolith', 'trochila'], 'trochilic': ['chloritic', 'trochilic'], 'trochlea': ['chlorate', 'trochlea'], 'trochlearis': ['rhetoricals', 'trochlearis'], 'trode': ['doter', 'tored', 'trode'], 'trog': ['grot', 'trog'], 'trogonidae': ['derogation', 'trogonidae'], 'troiades': ['asteroid', 'troiades'], 'troic': ['toric', 'troic'], 'troika': ['korait', 'troika'], 'trolley': ['tollery', 'trolley'], 'tromba': ['tambor', 'tromba'], 'trombe': ['retomb', 'trombe'], 'trompe': ['emptor', 'trompe'], 'tron': ['torn', 'tron'], 'trona': ['orant', 'rotan', 'toran', 'trona'], 'tronage': ['negator', 'tronage'], 'trone': ['noter', 'tenor', 'toner', 'trone'], 'troner': ['terron', 'treron', 'troner'], 'troop': ['porto', 'proto', 'troop'], 'trooper': ['protore', 'trooper'], 'tropaeolum': ['pleurotoma', 'tropaeolum'], 'tropaion': ['opinator', 'tropaion'], 'tropal': ['patrol', 'portal', 'tropal'], 'troparion': ['proration', 'troparion'], 'tropary': ['parroty', 'portray', 'tropary'], 'trope': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tropeic': ['perotic', 'proteic', 'tropeic'], 'tropeine': ['ereption', 'tropeine'], 'troper': ['porret', 'porter', 'report', 'troper'], 'trophema': ['metaphor', 'trophema'], 'trophesial': ['hospitaler', 'trophesial'], 'trophical': ['carpolith', 'politarch', 'trophical'], 'trophodisc': ['doctorship', 'trophodisc'], 'trophonema': ['homopteran', 'trophonema'], 'trophotropic': ['prototrophic', 'trophotropic'], 'tropical': ['plicator', 'tropical'], 'tropically': ['polycitral', 'tropically'], 'tropidine': ['direption', 'perdition', 'tropidine'], 'tropine': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'tropism': ['primost', 'tropism'], 'tropist': ['protist', 'tropist'], 'tropistic': ['proctitis', 'protistic', 'tropistic'], 'tropophyte': ['protophyte', 'tropophyte'], 'tropophytic': ['protophytic', 'tropophytic'], 'tropyl': ['portly', 'protyl', 'tropyl'], 'trostera': ['rostrate', 'trostera'], 'trot': ['tort', 'trot'], 'troth': ['thort', 'troth'], 'trotline': ['interlot', 'trotline'], 'trouble': ['boulter', 'trouble'], 'troughy': ['troughy', 'yoghurt'], 'trounce': ['cornute', 'counter', 'recount', 'trounce'], 'troupe': ['pouter', 'roupet', 'troupe'], 'trouse': ['ouster', 'souter', 'touser', 'trouse'], 'trouser': ['rouster', 'trouser'], 'trouserian': ['souterrain', 'ternarious', 'trouserian'], 'trousers': ['tressour', 'trousers'], 'trout': ['trout', 'tutor'], 'trouter': ['torture', 'trouter', 'tutorer'], 'troutless': ['troutless', 'tutorless'], 'trouty': ['trouty', 'tryout', 'tutory'], 'trouvere': ['overtrue', 'overture', 'trouvere'], 'trove': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'trover': ['trevor', 'trover'], 'trow': ['trow', 'wort'], 'trowel': ['rowlet', 'trowel', 'wolter'], 'troy': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'truandise': ['disnature', 'sturnidae', 'truandise'], 'truant': ['truant', 'turtan'], 'trub': ['brut', 'burt', 'trub', 'turb'], 'trubu': ['burut', 'trubu'], 'truce': ['cruet', 'eruct', 'recut', 'truce'], 'truceless': ['cutleress', 'lecturess', 'truceless'], 'trucial': ['curtail', 'trucial'], 'trucks': ['struck', 'trucks'], 'truculent': ['truculent', 'unclutter'], 'truelove': ['revolute', 'truelove'], 'truffle': ['fretful', 'truffle'], 'trug': ['gurt', 'trug'], 'truistical': ['altruistic', 'truistical', 'ultraistic'], 'truly': ['rutyl', 'truly'], 'trumperiness': ['surprisement', 'trumperiness'], 'trumpie': ['imputer', 'trumpie'], 'trun': ['runt', 'trun', 'turn'], 'truncated': ['reductant', 'traducent', 'truncated'], 'trundle': ['rundlet', 'trundle'], 'trush': ['hurst', 'trush'], 'trusion': ['nitrous', 'trusion'], 'trust': ['strut', 'sturt', 'trust'], 'trustee': ['surette', 'trustee'], 'trusteeism': ['sestertium', 'trusteeism'], 'trusten': ['entrust', 'stunter', 'trusten'], 'truster': ['retrust', 'truster'], 'trustle': ['slutter', 'trustle'], 'truth': ['thurt', 'truth'], 'trying': ['trigyn', 'trying'], 'tryma': ['marty', 'tryma'], 'tryout': ['trouty', 'tryout', 'tutory'], 'trypa': ['party', 'trypa'], 'trypan': ['pantry', 'trypan'], 'tryptase': ['tapestry', 'tryptase'], 'tsar': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tsardom': ['stardom', 'tsardom'], 'tsarina': ['artisan', 'astrain', 'sartain', 'tsarina'], 'tsarship': ['starship', 'tsarship'], 'tsatlee': ['atelets', 'tsatlee'], 'tsere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tsetse': ['sestet', 'testes', 'tsetse'], 'tshi': ['hist', 'sith', 'this', 'tshi'], 'tsia': ['atis', 'sita', 'tsia'], 'tsine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'tsiology': ['sitology', 'tsiology'], 'tsoneca': ['costean', 'tsoneca'], 'tsonecan': ['noncaste', 'tsonecan'], 'tsuga': ['agust', 'tsuga'], 'tsuma': ['matsu', 'tamus', 'tsuma'], 'tsun': ['stun', 'sunt', 'tsun'], 'tu': ['tu', 'ut'], 'tua': ['tau', 'tua', 'uta'], 'tuan': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tuareg': ['argute', 'guetar', 'rugate', 'tuareg'], 'tuarn': ['arnut', 'tuarn', 'untar'], 'tub': ['but', 'tub'], 'tuba': ['abut', 'tabu', 'tuba'], 'tubae': ['butea', 'taube', 'tubae'], 'tubal': ['balut', 'tubal'], 'tubar': ['bruta', 'tubar'], 'tubate': ['battue', 'tubate'], 'tube': ['bute', 'tebu', 'tube'], 'tuber': ['brute', 'buret', 'rebut', 'tuber'], 'tubercula': ['lucubrate', 'tubercula'], 'tuberin': ['tribune', 'tuberin', 'turbine'], 'tuberless': ['butleress', 'tuberless'], 'tublet': ['buttle', 'tublet'], 'tuboovarial': ['ovariotubal', 'tuboovarial'], 'tucana': ['canaut', 'tucana'], 'tucano': ['toucan', 'tucano', 'uncoat'], 'tuchun': ['tuchun', 'uncuth'], 'tucker': ['retuck', 'tucker'], 'tue': ['tue', 'ute'], 'tueiron': ['routine', 'tueiron'], 'tug': ['gut', 'tug'], 'tughra': ['raught', 'tughra'], 'tugless': ['gutless', 'tugless'], 'tuglike': ['gutlike', 'tuglike'], 'tugman': ['tangum', 'tugman'], 'tuism': ['muist', 'tuism'], 'tuke': ['ketu', 'teuk', 'tuke'], 'tukra': ['kraut', 'tukra'], 'tulare': ['tulare', 'uretal'], 'tulasi': ['situal', 'situla', 'tulasi'], 'tulchan': ['tulchan', 'unlatch'], 'tule': ['lute', 'tule'], 'tulipa': ['tipula', 'tulipa'], 'tulisan': ['latinus', 'tulisan', 'unalist'], 'tulsi': ['litus', 'sluit', 'tulsi'], 'tumbler': ['tumbler', 'tumbrel'], 'tumbrel': ['tumbler', 'tumbrel'], 'tume': ['mute', 'tume'], 'tumescence': ['mutescence', 'tumescence'], 'tumorous': ['mortuous', 'tumorous'], 'tumulary': ['mutulary', 'tumulary'], 'tun': ['nut', 'tun'], 'tuna': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tunable': ['abluent', 'tunable'], 'tunbellied': ['tunbellied', 'unbilleted'], 'tunca': ['tunca', 'unact'], 'tund': ['dunt', 'tund'], 'tunder': ['runted', 'tunder', 'turned'], 'tundra': ['durant', 'tundra'], 'tuner': ['enrut', 'tuner', 'urent'], 'tunga': ['gaunt', 'tunga'], 'tungan': ['tangun', 'tungan'], 'tungate': ['tungate', 'tutenag'], 'tungo': ['tungo', 'ungot'], 'tungstosilicate': ['silicotungstate', 'tungstosilicate'], 'tungstosilicic': ['silicotungstic', 'tungstosilicic'], 'tunic': ['cutin', 'incut', 'tunic'], 'tunica': ['anicut', 'nautic', 'ticuna', 'tunica'], 'tunican': ['ticunan', 'tunican'], 'tunicary': ['nycturia', 'tunicary'], 'tunicle': ['linecut', 'tunicle'], 'tunicless': ['lentiscus', 'tunicless'], 'tunist': ['suttin', 'tunist'], 'tunk': ['knut', 'tunk'], 'tunker': ['tunker', 'turken'], 'tunlike': ['nutlike', 'tunlike'], 'tunna': ['naunt', 'tunna'], 'tunnel': ['nunlet', 'tunnel', 'unlent'], 'tunnelman': ['annulment', 'tunnelman'], 'tunner': ['runnet', 'tunner', 'unrent'], 'tunnor': ['tunnor', 'untorn'], 'tuno': ['tuno', 'unto'], 'tup': ['put', 'tup'], 'tur': ['rut', 'tur'], 'turacin': ['curtain', 'turacin', 'turcian'], 'turanian': ['nutarian', 'turanian'], 'turanism': ['naturism', 'sturmian', 'turanism'], 'turb': ['brut', 'burt', 'trub', 'turb'], 'turban': ['tanbur', 'turban'], 'turbaned': ['breadnut', 'turbaned'], 'turbanless': ['substernal', 'turbanless'], 'turbeh': ['hubert', 'turbeh'], 'turbinal': ['tribunal', 'turbinal', 'untribal'], 'turbinate': ['tribunate', 'turbinate'], 'turbine': ['tribune', 'tuberin', 'turbine'], 'turbined': ['turbined', 'underbit'], 'turcian': ['curtain', 'turacin', 'turcian'], 'turco': ['court', 'crout', 'turco'], 'turcoman': ['courtman', 'turcoman'], 'turdinae': ['indurate', 'turdinae'], 'turdine': ['intrude', 'turdine', 'untired', 'untried'], 'tureen': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'turfed': ['dufter', 'turfed'], 'turfen': ['turfen', 'unfret'], 'turfless': ['tressful', 'turfless'], 'turgent': ['grutten', 'turgent'], 'turk': ['kurt', 'turk'], 'turken': ['tunker', 'turken'], 'turki': ['tikur', 'turki'], 'turkman': ['trankum', 'turkman'], 'turma': ['martu', 'murat', 'turma'], 'turn': ['runt', 'trun', 'turn'], 'turndown': ['downturn', 'turndown'], 'turned': ['runted', 'tunder', 'turned'], 'turnel': ['runlet', 'turnel'], 'turner': ['return', 'turner'], 'turnhall': ['turnhall', 'unthrall'], 'turnout': ['outturn', 'turnout'], 'turnover': ['overturn', 'turnover'], 'turnpin': ['turnpin', 'unprint'], 'turns': ['snurt', 'turns'], 'turntail': ['rutilant', 'turntail'], 'turnup': ['turnup', 'upturn'], 'turp': ['prut', 'turp'], 'turpid': ['putrid', 'turpid'], 'turpidly': ['putridly', 'turpidly'], 'turps': ['spurt', 'turps'], 'turret': ['rutter', 'turret'], 'turricula': ['turricula', 'utricular'], 'turse': ['serut', 'strue', 'turse', 'uster'], 'tursenoi': ['rutinose', 'tursenoi'], 'tursio': ['suitor', 'tursio'], 'turtan': ['truant', 'turtan'], 'tuscan': ['cantus', 'tuscan', 'uncast'], 'tusche': ['schute', 'tusche'], 'tush': ['shut', 'thus', 'tush'], 'tusher': ['reshut', 'suther', 'thurse', 'tusher'], 'tussal': ['saltus', 'tussal'], 'tusser': ['russet', 'tusser'], 'tussore': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'tutelo': ['outlet', 'tutelo'], 'tutenag': ['tungate', 'tutenag'], 'tutman': ['mutant', 'tantum', 'tutman'], 'tutor': ['trout', 'tutor'], 'tutorer': ['torture', 'trouter', 'tutorer'], 'tutorial': ['outtrail', 'tutorial'], 'tutorism': ['mistutor', 'tutorism'], 'tutorless': ['troutless', 'tutorless'], 'tutory': ['trouty', 'tryout', 'tutory'], 'tuts': ['stut', 'tuts'], 'tutster': ['stutter', 'tutster'], 'twa': ['taw', 'twa', 'wat'], 'twae': ['tewa', 'twae', 'weta'], 'twain': ['atwin', 'twain', 'witan'], 'twaite': ['tawite', 'tawtie', 'twaite'], 'twal': ['twal', 'walt'], 'twas': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'twat': ['twat', 'watt'], 'twee': ['twee', 'weet'], 'tweel': ['tewel', 'tweel'], 'twere': ['rewet', 'tewer', 'twere'], 'twi': ['twi', 'wit'], 'twigsome': ['twigsome', 'wegotism'], 'twin': ['twin', 'wint'], 'twiner': ['twiner', 'winter'], 'twingle': ['twingle', 'welting', 'winglet'], 'twinkle': ['twinkle', 'winklet'], 'twinkler': ['twinkler', 'wrinklet'], 'twinter': ['twinter', 'written'], 'twire': ['twire', 'write'], 'twister': ['retwist', 'twister'], 'twitchety': ['twitchety', 'witchetty'], 'twite': ['tewit', 'twite'], 'two': ['tow', 'two', 'wot'], 'twoling': ['lingtow', 'twoling'], 'tyche': ['techy', 'tyche'], 'tydie': ['deity', 'tydie'], 'tye': ['tye', 'yet'], 'tyke': ['kyte', 'tyke'], 'tylerism': ['trimesyl', 'tylerism'], 'tyloma': ['latomy', 'tyloma'], 'tylose': ['tolsey', 'tylose'], 'tylosis': ['tossily', 'tylosis'], 'tylotus': ['stoutly', 'tylotus'], 'tylus': ['lusty', 'tylus'], 'typal': ['aptly', 'patly', 'platy', 'typal'], 'typees': ['steepy', 'typees'], 'typer': ['perty', 'typer'], 'typha': ['pathy', 'typha'], 'typhia': ['pythia', 'typhia'], 'typhic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'typhlopidae': ['heptaploidy', 'typhlopidae'], 'typhoean': ['anophyte', 'typhoean'], 'typhogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'typhoid': ['phytoid', 'typhoid'], 'typhonian': ['antiphony', 'typhonian'], 'typhonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'typhosis': ['phytosis', 'typhosis'], 'typica': ['atypic', 'typica'], 'typographer': ['petrography', 'pterography', 'typographer'], 'typographic': ['graphotypic', 'pictography', 'typographic'], 'typology': ['logotypy', 'typology'], 'typophile': ['hippolyte', 'typophile'], 'tyre': ['trey', 'tyre'], 'tyrian': ['rytina', 'trainy', 'tyrian'], 'tyro': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'tyrocidin': ['nordicity', 'tyrocidin'], 'tyrolean': ['neolatry', 'ornately', 'tyrolean'], 'tyrolite': ['toiletry', 'tyrolite'], 'tyrone': ['torney', 'tyrone'], 'tyronism': ['smyrniot', 'tyronism'], 'tyrosine': ['tyrosine', 'tyrsenoi'], 'tyrrheni': ['erythrin', 'tyrrheni'], 'tyrsenoi': ['tyrosine', 'tyrsenoi'], 'tyste': ['testy', 'tyste'], 'tyto': ['toty', 'tyto'], 'uang': ['gaun', 'guan', 'guna', 'uang'], 'ucal': ['caul', 'ucal'], 'udal': ['auld', 'dual', 'laud', 'udal'], 'udaler': ['lauder', 'udaler'], 'udalman': ['ladanum', 'udalman'], 'udo': ['duo', 'udo'], 'uds': ['sud', 'uds'], 'ugh': ['hug', 'ugh'], 'uglisome': ['eulogism', 'uglisome'], 'ugrian': ['gurian', 'ugrian'], 'ugric': ['guric', 'ugric'], 'uhtsong': ['gunshot', 'shotgun', 'uhtsong'], 'uinal': ['inula', 'luian', 'uinal'], 'uinta': ['uinta', 'uniat'], 'ulcer': ['cruel', 'lucre', 'ulcer'], 'ulcerate': ['celature', 'ulcerate'], 'ulcerous': ['ulcerous', 'urceolus'], 'ule': ['leu', 'lue', 'ule'], 'ulema': ['amelu', 'leuma', 'ulema'], 'uletic': ['lucite', 'luetic', 'uletic'], 'ulex': ['luxe', 'ulex'], 'ulla': ['lula', 'ulla'], 'ulling': ['ulling', 'ungill'], 'ulmin': ['linum', 'ulmin'], 'ulminic': ['clinium', 'ulminic'], 'ulmo': ['moul', 'ulmo'], 'ulna': ['laun', 'luna', 'ulna', 'unal'], 'ulnad': ['dunal', 'laund', 'lunda', 'ulnad'], 'ulnar': ['lunar', 'ulnar', 'urnal'], 'ulnare': ['lunare', 'neural', 'ulnare', 'unreal'], 'ulnaria': ['lunaria', 'ulnaria', 'uralian'], 'ulotrichi': ['ulotrichi', 'urolithic'], 'ulster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'ulstered': ['deluster', 'ulstered'], 'ulsterian': ['neuralist', 'ulsterian', 'unrealist'], 'ulstering': ['resulting', 'ulstering'], 'ulsterman': ['menstrual', 'ulsterman'], 'ultima': ['mulita', 'ultima'], 'ultimate': ['mutilate', 'ultimate'], 'ultimation': ['mutilation', 'ultimation'], 'ultonian': ['lunation', 'ultonian'], 'ultra': ['lutra', 'ultra'], 'ultrabasic': ['arcubalist', 'ultrabasic'], 'ultraism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'ultraist': ['altruist', 'ultraist'], 'ultraistic': ['altruistic', 'truistical', 'ultraistic'], 'ultramicron': ['tricolumnar', 'ultramicron'], 'ultraminute': ['intermutual', 'ultraminute'], 'ultramontane': ['tournamental', 'ultramontane'], 'ultranice': ['centurial', 'lucretian', 'ultranice'], 'ultrasterile': ['reillustrate', 'ultrasterile'], 'ulua': ['aulu', 'ulua'], 'ulva': ['ulva', 'uval'], 'um': ['mu', 'um'], 'umbel': ['umbel', 'umble'], 'umbellar': ['umbellar', 'umbrella'], 'umber': ['brume', 'umber'], 'umbilic': ['bulimic', 'umbilic'], 'umbiliform': ['bulimiform', 'umbiliform'], 'umble': ['umbel', 'umble'], 'umbonial': ['olibanum', 'umbonial'], 'umbral': ['brumal', 'labrum', 'lumbar', 'umbral'], 'umbrel': ['lumber', 'rumble', 'umbrel'], 'umbrella': ['umbellar', 'umbrella'], 'umbrous': ['brumous', 'umbrous'], 'ume': ['emu', 'ume'], 'umlaut': ['mutual', 'umlaut'], 'umph': ['hump', 'umph'], 'umpire': ['impure', 'umpire'], 'un': ['nu', 'un'], 'unabetted': ['debutante', 'unabetted'], 'unabhorred': ['unabhorred', 'unharbored'], 'unable': ['nebula', 'unable', 'unbale'], 'unaccumulate': ['acutenaculum', 'unaccumulate'], 'unact': ['tunca', 'unact'], 'unadherent': ['unadherent', 'underneath', 'underthane'], 'unadmire': ['unadmire', 'underaim'], 'unadmired': ['unadmired', 'undermaid'], 'unadored': ['unadored', 'unroaded'], 'unadvertised': ['disadventure', 'unadvertised'], 'unafire': ['fuirena', 'unafire'], 'unaged': ['augend', 'engaud', 'unaged'], 'unagreed': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'unailing': ['inguinal', 'unailing'], 'unaimed': ['numidae', 'unaimed'], 'unaisled': ['unaisled', 'unsailed'], 'unakite': ['kutenai', 'unakite'], 'unal': ['laun', 'luna', 'ulna', 'unal'], 'unalarming': ['unalarming', 'unmarginal'], 'unalert': ['laurent', 'neutral', 'unalert'], 'unalertly': ['neutrally', 'unalertly'], 'unalertness': ['neutralness', 'unalertness'], 'unalimentary': ['anteluminary', 'unalimentary'], 'unalist': ['latinus', 'tulisan', 'unalist'], 'unallotted': ['unallotted', 'untotalled'], 'unalmsed': ['dulseman', 'unalmsed'], 'unaltered': ['unaltered', 'unrelated'], 'unaltering': ['unaltering', 'unrelating'], 'unamassed': ['mussaenda', 'unamassed'], 'unambush': ['subhuman', 'unambush'], 'unamenability': ['unamenability', 'unnameability'], 'unamenable': ['unamenable', 'unnameable'], 'unamenableness': ['unamenableness', 'unnameableness'], 'unamenably': ['unamenably', 'unnameably'], 'unamend': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unami': ['maniu', 'munia', 'unami'], 'unapt': ['punta', 'unapt', 'untap'], 'unarising': ['grusinian', 'unarising'], 'unarm': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unarmed': ['duramen', 'maunder', 'unarmed'], 'unarray': ['unarray', 'yaruran'], 'unarrestable': ['subterraneal', 'unarrestable'], 'unarrested': ['unarrested', 'unserrated'], 'unarted': ['daunter', 'unarted', 'unrated', 'untread'], 'unarticled': ['denticular', 'unarticled'], 'unartistic': ['naturistic', 'unartistic'], 'unartistical': ['naturalistic', 'unartistical'], 'unartistically': ['naturistically', 'unartistically'], 'unary': ['anury', 'unary', 'unray'], 'unastray': ['auntsary', 'unastray'], 'unathirst': ['struthian', 'unathirst'], 'unattire': ['tainture', 'unattire'], 'unattuned': ['unattuned', 'untaunted'], 'unaverted': ['adventure', 'unaverted'], 'unavertible': ['unavertible', 'unveritable'], 'unbag': ['bugan', 'bunga', 'unbag'], 'unbain': ['nubian', 'unbain'], 'unbale': ['nebula', 'unable', 'unbale'], 'unbar': ['buran', 'unbar', 'urban'], 'unbare': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbarred': ['errabund', 'unbarred'], 'unbased': ['subdean', 'unbased'], 'unbaste': ['unbaste', 'unbeast'], 'unbatted': ['debutant', 'unbatted'], 'unbay': ['bunya', 'unbay'], 'unbe': ['benu', 'unbe'], 'unbear': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbearded': ['unbearded', 'unbreaded'], 'unbeast': ['unbaste', 'unbeast'], 'unbeavered': ['unbeavered', 'unbereaved'], 'unbelied': ['unbelied', 'unedible'], 'unbereaved': ['unbeavered', 'unbereaved'], 'unbesot': ['subnote', 'subtone', 'unbesot'], 'unbias': ['anubis', 'unbias'], 'unbillet': ['bulletin', 'unbillet'], 'unbilleted': ['tunbellied', 'unbilleted'], 'unblasted': ['dunstable', 'unblasted', 'unstabled'], 'unbled': ['bundle', 'unbled'], 'unboasted': ['eastbound', 'unboasted'], 'unboat': ['outban', 'unboat'], 'unboding': ['bounding', 'unboding'], 'unbog': ['bungo', 'unbog'], 'unboiled': ['unboiled', 'unilobed'], 'unboned': ['bounden', 'unboned'], 'unborder': ['unborder', 'underorb'], 'unbored': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unboweled': ['unboweled', 'unelbowed'], 'unbrace': ['bucrane', 'unbrace'], 'unbraceleted': ['unbraceleted', 'uncelebrated'], 'unbraid': ['barundi', 'unbraid'], 'unbrailed': ['indurable', 'unbrailed', 'unridable'], 'unbreaded': ['unbearded', 'unbreaded'], 'unbred': ['bunder', 'burden', 'burned', 'unbred'], 'unbribed': ['unbribed', 'unribbed'], 'unbrief': ['unbrief', 'unfiber'], 'unbriefed': ['unbriefed', 'unfibered'], 'unbroiled': ['unbroiled', 'underboil'], 'unbrushed': ['unbrushed', 'underbush'], 'unbud': ['bundu', 'unbud', 'undub'], 'unburden': ['unburden', 'unburned'], 'unburned': ['unburden', 'unburned'], 'unbuttered': ['unbuttered', 'unrebutted'], 'unca': ['cuna', 'unca'], 'uncage': ['cangue', 'uncage'], 'uncambered': ['uncambered', 'unembraced'], 'uncamerated': ['uncamerated', 'unmacerated'], 'uncapable': ['uncapable', 'unpacable'], 'uncaptious': ['uncaptious', 'usucaption'], 'uncarted': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncartooned': ['uncartooned', 'uncoronated'], 'uncase': ['uncase', 'usance'], 'uncask': ['uncask', 'unsack'], 'uncasked': ['uncasked', 'unsacked'], 'uncast': ['cantus', 'tuscan', 'uncast'], 'uncatalogued': ['uncatalogued', 'uncoagulated'], 'uncate': ['tecuna', 'uncate'], 'uncaused': ['uncaused', 'unsauced'], 'uncavalier': ['naviculare', 'uncavalier'], 'uncelebrated': ['unbraceleted', 'uncelebrated'], 'uncellar': ['lucernal', 'nucellar', 'uncellar'], 'uncenter': ['uncenter', 'unrecent'], 'uncertain': ['encurtain', 'runcinate', 'uncertain'], 'uncertifiable': ['uncertifiable', 'unrectifiable'], 'uncertified': ['uncertified', 'unrectified'], 'unchain': ['chunnia', 'unchain'], 'unchair': ['chunari', 'unchair'], 'unchalked': ['unchalked', 'unhackled'], 'uncharge': ['gunreach', 'uncharge'], 'uncharm': ['uncharm', 'unmarch'], 'uncharming': ['uncharming', 'unmarching'], 'uncharred': ['uncharred', 'underarch'], 'uncheat': ['uncheat', 'unteach'], 'uncheating': ['uncheating', 'unteaching'], 'unchoked': ['unchoked', 'unhocked'], 'unchoosable': ['chaenolobus', 'unchoosable'], 'unchosen': ['nonesuch', 'unchosen'], 'uncial': ['cunila', 'lucian', 'lucina', 'uncial'], 'unciferous': ['nuciferous', 'unciferous'], 'unciform': ['nuciform', 'unciform'], 'uncinate': ['nunciate', 'uncinate'], 'unclaimed': ['unclaimed', 'undecimal', 'unmedical'], 'unclay': ['lunacy', 'unclay'], 'unclead': ['unclead', 'unlaced'], 'unclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'uncleared': ['uncleared', 'undeclare'], 'uncledom': ['columned', 'uncledom'], 'uncleship': ['siphuncle', 'uncleship'], 'uncloister': ['cornulites', 'uncloister'], 'unclose': ['counsel', 'unclose'], 'unclutter': ['truculent', 'unclutter'], 'unco': ['cuon', 'unco'], 'uncoagulated': ['uncatalogued', 'uncoagulated'], 'uncoat': ['toucan', 'tucano', 'uncoat'], 'uncoated': ['outdance', 'uncoated'], 'uncoiled': ['nucleoid', 'uncoiled'], 'uncoin': ['nuncio', 'uncoin'], 'uncollapsed': ['uncollapsed', 'unscalloped'], 'uncolored': ['uncolored', 'undercool'], 'uncomic': ['muconic', 'uncomic'], 'uncompatible': ['incomputable', 'uncompatible'], 'uncomplaint': ['uncomplaint', 'uncompliant'], 'uncomplete': ['couplement', 'uncomplete'], 'uncompliant': ['uncomplaint', 'uncompliant'], 'unconcerted': ['unconcerted', 'unconcreted'], 'unconcreted': ['unconcerted', 'unconcreted'], 'unconservable': ['unconservable', 'unconversable'], 'unconstraint': ['noncurantist', 'unconstraint'], 'uncontrasted': ['counterstand', 'uncontrasted'], 'unconversable': ['unconservable', 'unconversable'], 'uncoop': ['coupon', 'uncoop'], 'uncooped': ['couponed', 'uncooped'], 'uncope': ['pounce', 'uncope'], 'uncopied': ['cupidone', 'uncopied'], 'uncore': ['conure', 'rounce', 'uncore'], 'uncored': ['crunode', 'uncored'], 'uncorked': ['uncorked', 'unrocked'], 'uncoronated': ['uncartooned', 'uncoronated'], 'uncorrect': ['cocurrent', 'occurrent', 'uncorrect'], 'uncorrugated': ['counterguard', 'uncorrugated'], 'uncorseted': ['uncorseted', 'unescorted'], 'uncostumed': ['uncostumed', 'uncustomed'], 'uncoursed': ['uncoursed', 'unscoured'], 'uncouth': ['uncouth', 'untouch'], 'uncoverable': ['uncoverable', 'unrevocable'], 'uncradled': ['uncradled', 'underclad'], 'uncrated': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncreased': ['uncreased', 'undercase'], 'uncreatable': ['uncreatable', 'untraceable'], 'uncreatableness': ['uncreatableness', 'untraceableness'], 'uncreation': ['enunciator', 'uncreation'], 'uncreative': ['uncreative', 'unreactive'], 'uncredited': ['uncredited', 'undirected'], 'uncrest': ['encrust', 'uncrest'], 'uncrested': ['uncrested', 'undersect'], 'uncried': ['inducer', 'uncried'], 'uncrooked': ['uncrooked', 'undercook'], 'uncrude': ['uncrude', 'uncured'], 'unctional': ['continual', 'inoculant', 'unctional'], 'unctioneer': ['recontinue', 'unctioneer'], 'uncured': ['uncrude', 'uncured'], 'uncustomed': ['uncostumed', 'uncustomed'], 'uncuth': ['tuchun', 'uncuth'], 'undam': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'undangered': ['undangered', 'underanged', 'ungardened'], 'undarken': ['undarken', 'unranked'], 'undashed': ['undashed', 'unshaded'], 'undate': ['nudate', 'undate'], 'unde': ['dune', 'nude', 'unde'], 'undean': ['duenna', 'undean'], 'undear': ['endura', 'neurad', 'undear', 'unread'], 'undeceiver': ['undeceiver', 'unreceived'], 'undecimal': ['unclaimed', 'undecimal', 'unmedical'], 'undeclare': ['uncleared', 'undeclare'], 'undecolic': ['coinclude', 'undecolic'], 'undecorated': ['undecorated', 'undercoated'], 'undefiled': ['undefiled', 'unfielded'], 'undeified': ['undeified', 'unedified'], 'undelible': ['undelible', 'unlibeled'], 'undelight': ['undelight', 'unlighted'], 'undelude': ['undelude', 'uneluded'], 'undeluding': ['undeluding', 'unindulged'], 'undemanded': ['undemanded', 'unmaddened'], 'unden': ['dunne', 'unden'], 'undeparted': ['dunderpate', 'undeparted'], 'undepraved': ['undepraved', 'unpervaded'], 'under': ['runed', 'under', 'unred'], 'underact': ['uncarted', 'uncrated', 'underact', 'untraced'], 'underacted': ['underacted', 'unredacted'], 'underaction': ['denunciator', 'underaction'], 'underage': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'underaid': ['underaid', 'unraided'], 'underaim': ['unadmire', 'underaim'], 'underanged': ['undangered', 'underanged', 'ungardened'], 'underarch': ['uncharred', 'underarch'], 'underarm': ['underarm', 'unmarred'], 'underbake': ['underbake', 'underbeak'], 'underbeak': ['underbake', 'underbeak'], 'underbeat': ['eburnated', 'underbeat', 'unrebated'], 'underbit': ['turbined', 'underbit'], 'underboil': ['unbroiled', 'underboil'], 'underbreathing': ['thunderbearing', 'underbreathing'], 'underbrush': ['underbrush', 'undershrub'], 'underbush': ['unbrushed', 'underbush'], 'undercase': ['uncreased', 'undercase'], 'underchap': ['underchap', 'unparched'], 'underclad': ['uncradled', 'underclad'], 'undercoat': ['cornuated', 'undercoat'], 'undercoated': ['undecorated', 'undercoated'], 'undercook': ['uncrooked', 'undercook'], 'undercool': ['uncolored', 'undercool'], 'undercut': ['undercut', 'unreduct'], 'underdead': ['underdead', 'undreaded'], 'underdig': ['underdig', 'ungirded', 'unridged'], 'underdive': ['underdive', 'underived'], 'underdo': ['redound', 'rounded', 'underdo'], 'underdoer': ['underdoer', 'unordered'], 'underdog': ['grounded', 'underdog', 'undergod'], 'underdown': ['underdown', 'undrowned'], 'underdrag': ['underdrag', 'undergrad'], 'underdraw': ['underdraw', 'underward'], 'undereat': ['denature', 'undereat'], 'underer': ['endurer', 'underer'], 'underfiend': ['underfiend', 'unfriended'], 'underfill': ['underfill', 'unfrilled'], 'underfire': ['underfire', 'unferried'], 'underflow': ['underflow', 'wonderful'], 'underfur': ['underfur', 'unfurred'], 'undergo': ['guerdon', 'undergo', 'ungored'], 'undergod': ['grounded', 'underdog', 'undergod'], 'undergoer': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergore': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergown': ['undergown', 'unwronged'], 'undergrad': ['underdrag', 'undergrad'], 'undergrade': ['undergrade', 'unregarded'], 'underheat': ['underheat', 'unearthed'], 'underhonest': ['underhonest', 'unshortened'], 'underhorse': ['underhorse', 'undershore'], 'underived': ['underdive', 'underived'], 'underkind': ['underkind', 'unkindred'], 'underlap': ['pendular', 'underlap', 'uplander'], 'underleaf': ['underleaf', 'unfederal'], 'underlease': ['underlease', 'unreleased'], 'underlegate': ['underlegate', 'unrelegated'], 'underlid': ['underlid', 'unriddle'], 'underlive': ['underlive', 'unreviled'], 'underlying': ['enduringly', 'underlying'], 'undermade': ['undermade', 'undreamed'], 'undermaid': ['unadmired', 'undermaid'], 'undermaker': ['undermaker', 'unremarked'], 'undermaster': ['undermaster', 'understream'], 'undermeal': ['denumeral', 'undermeal', 'unrealmed'], 'undermine': ['undermine', 'unermined'], 'undermost': ['undermost', 'unstormed'], 'undermotion': ['undermotion', 'unmonitored'], 'undern': ['dunner', 'undern'], 'underneath': ['unadherent', 'underneath', 'underthane'], 'undernote': ['undernote', 'undertone'], 'undernoted': ['undernoted', 'undertoned'], 'underntide': ['indentured', 'underntide'], 'underorb': ['unborder', 'underorb'], 'underpay': ['underpay', 'unprayed'], 'underpeer': ['perendure', 'underpeer'], 'underpick': ['underpick', 'unpricked'], 'underpier': ['underpier', 'underripe'], 'underpile': ['underpile', 'unreplied'], 'underpose': ['underpose', 'unreposed'], 'underpuke': ['underpuke', 'unperuked'], 'underream': ['maunderer', 'underream'], 'underripe': ['underpier', 'underripe'], 'underrobe': ['rebounder', 'underrobe'], 'undersap': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'undersea': ['undersea', 'unerased', 'unseared'], 'underseam': ['underseam', 'unsmeared'], 'undersect': ['uncrested', 'undersect'], 'underserve': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underset': ['sederunt', 'underset', 'undesert', 'unrested'], 'undershapen': ['undershapen', 'unsharpened'], 'undershore': ['underhorse', 'undershore'], 'undershrub': ['underbrush', 'undershrub'], 'underside': ['underside', 'undesired'], 'undersoil': ['undersoil', 'unsoldier'], 'undersow': ['sewround', 'undersow'], 'underspar': ['underspar', 'unsparred'], 'understain': ['understain', 'unstrained'], 'understand': ['understand', 'unstranded'], 'understream': ['undermaster', 'understream'], 'underthane': ['unadherent', 'underneath', 'underthane'], 'underthing': ['thundering', 'underthing'], 'undertide': ['durdenite', 'undertide'], 'undertime': ['undertime', 'unmerited'], 'undertimed': ['demiturned', 'undertimed'], 'undertitle': ['undertitle', 'unlittered'], 'undertone': ['undernote', 'undertone'], 'undertoned': ['undernoted', 'undertoned'], 'undertow': ['undertow', 'untrowed'], 'undertread': ['undertread', 'unretarded'], 'undertutor': ['undertutor', 'untortured'], 'underverse': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underwage': ['underwage', 'unwagered'], 'underward': ['underdraw', 'underward'], 'underwarp': ['underwarp', 'underwrap'], 'underwave': ['underwave', 'unwavered'], 'underwrap': ['underwarp', 'underwrap'], 'undesert': ['sederunt', 'underset', 'undesert', 'unrested'], 'undeserve': ['undeserve', 'unsevered'], 'undeserver': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'undesign': ['undesign', 'unsigned', 'unsinged'], 'undesired': ['underside', 'undesired'], 'undeviated': ['denudative', 'undeviated'], 'undieted': ['undieted', 'unedited'], 'undig': ['gundi', 'undig'], 'undirect': ['undirect', 'untriced'], 'undirected': ['uncredited', 'undirected'], 'undiscerned': ['undiscerned', 'unrescinded'], 'undiscretion': ['discontinuer', 'undiscretion'], 'undistress': ['sturdiness', 'undistress'], 'undiverse': ['undiverse', 'unrevised'], 'undog': ['undog', 'ungod'], 'undrab': ['durban', 'undrab'], 'undrag': ['durgan', 'undrag'], 'undrape': ['undrape', 'unpared', 'unraped'], 'undreaded': ['underdead', 'undreaded'], 'undreamed': ['undermade', 'undreamed'], 'undrowned': ['underdown', 'undrowned'], 'undrugged': ['undrugged', 'ungrudged'], 'undryable': ['endurably', 'undryable'], 'undub': ['bundu', 'unbud', 'undub'], 'undumped': ['pudendum', 'undumped'], 'undy': ['duny', 'undy'], 'uneager': ['geneura', 'uneager'], 'unearned': ['unearned', 'unneared'], 'unearnest': ['unearnest', 'uneastern'], 'unearth': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unearthed': ['underheat', 'unearthed'], 'unearthly': ['unearthly', 'urethylan'], 'uneastern': ['unearnest', 'uneastern'], 'uneath': ['uneath', 'unhate'], 'unebriate': ['beraunite', 'unebriate'], 'unedge': ['dengue', 'unedge'], 'unedible': ['unbelied', 'unedible'], 'unedified': ['undeified', 'unedified'], 'unedited': ['undieted', 'unedited'], 'unelapsed': ['unelapsed', 'unpleased'], 'unelated': ['antelude', 'unelated'], 'unelbowed': ['unboweled', 'unelbowed'], 'unelidible': ['ineludible', 'unelidible'], 'uneluded': ['undelude', 'uneluded'], 'unembased': ['sunbeamed', 'unembased'], 'unembraced': ['uncambered', 'unembraced'], 'unenabled': ['unenabled', 'unendable'], 'unencored': ['denouncer', 'unencored'], 'unendable': ['unenabled', 'unendable'], 'unending': ['unending', 'unginned'], 'unenervated': ['unenervated', 'unvenerated'], 'unenlisted': ['unenlisted', 'unlistened', 'untinseled'], 'unenterprised': ['superintender', 'unenterprised'], 'unenviable': ['unenviable', 'unveniable'], 'unenvied': ['unenvied', 'unveined'], 'unequitable': ['unequitable', 'unquietable'], 'unerased': ['undersea', 'unerased', 'unseared'], 'unermined': ['undermine', 'unermined'], 'unerratic': ['recurtain', 'unerratic'], 'unerupted': ['unerupted', 'unreputed'], 'unescorted': ['uncorseted', 'unescorted'], 'unevil': ['unevil', 'unlive', 'unveil'], 'unexactly': ['exultancy', 'unexactly'], 'unexceptable': ['unexceptable', 'unexpectable'], 'unexcepted': ['unexcepted', 'unexpected'], 'unexcepting': ['unexcepting', 'unexpecting'], 'unexpectable': ['unexceptable', 'unexpectable'], 'unexpected': ['unexcepted', 'unexpected'], 'unexpecting': ['unexcepting', 'unexpecting'], 'unfabled': ['fundable', 'unfabled'], 'unfaceted': ['fecundate', 'unfaceted'], 'unfactional': ['afunctional', 'unfactional'], 'unfactored': ['fecundator', 'unfactored'], 'unfainting': ['antifungin', 'unfainting'], 'unfallible': ['unfallible', 'unfillable'], 'unfar': ['furan', 'unfar'], 'unfarmed': ['unfarmed', 'unframed'], 'unfederal': ['underleaf', 'unfederal'], 'unfeeding': ['unfeeding', 'unfeigned'], 'unfeeling': ['unfeeling', 'unfleeing'], 'unfeigned': ['unfeeding', 'unfeigned'], 'unfelt': ['fluent', 'netful', 'unfelt', 'unleft'], 'unfelted': ['defluent', 'unfelted'], 'unferried': ['underfire', 'unferried'], 'unfiber': ['unbrief', 'unfiber'], 'unfibered': ['unbriefed', 'unfibered'], 'unfielded': ['undefiled', 'unfielded'], 'unfiend': ['unfiend', 'unfined'], 'unfiery': ['reunify', 'unfiery'], 'unfillable': ['unfallible', 'unfillable'], 'unfined': ['unfiend', 'unfined'], 'unfired': ['unfired', 'unfried'], 'unflag': ['fungal', 'unflag'], 'unflat': ['flaunt', 'unflat'], 'unfleeing': ['unfeeling', 'unfleeing'], 'unfloured': ['unfloured', 'unfoldure'], 'unfolder': ['flounder', 'reunfold', 'unfolder'], 'unfolding': ['foundling', 'unfolding'], 'unfoldure': ['unfloured', 'unfoldure'], 'unforest': ['furstone', 'unforest'], 'unforested': ['unforested', 'unfostered'], 'unformality': ['fulminatory', 'unformality'], 'unforward': ['unforward', 'unfroward'], 'unfostered': ['unforested', 'unfostered'], 'unfrail': ['rainful', 'unfrail'], 'unframed': ['unfarmed', 'unframed'], 'unfret': ['turfen', 'unfret'], 'unfriable': ['funebrial', 'unfriable'], 'unfried': ['unfired', 'unfried'], 'unfriended': ['underfiend', 'unfriended'], 'unfriending': ['unfriending', 'uninfringed'], 'unfrilled': ['underfill', 'unfrilled'], 'unfroward': ['unforward', 'unfroward'], 'unfurl': ['unfurl', 'urnful'], 'unfurred': ['underfur', 'unfurred'], 'ungaite': ['ungaite', 'unitage'], 'unganged': ['unganged', 'unnagged'], 'ungardened': ['undangered', 'underanged', 'ungardened'], 'ungarnish': ['ungarnish', 'unsharing'], 'ungear': ['nauger', 'raunge', 'ungear'], 'ungeared': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'ungelt': ['englut', 'gluten', 'ungelt'], 'ungenerable': ['ungenerable', 'ungreenable'], 'unget': ['tengu', 'unget'], 'ungilded': ['deluding', 'ungilded'], 'ungill': ['ulling', 'ungill'], 'ungilt': ['glutin', 'luting', 'ungilt'], 'unginned': ['unending', 'unginned'], 'ungird': ['during', 'ungird'], 'ungirded': ['underdig', 'ungirded', 'unridged'], 'ungirdle': ['indulger', 'ungirdle'], 'ungirt': ['ungirt', 'untrig'], 'ungirth': ['hurting', 'ungirth', 'unright'], 'ungirthed': ['ungirthed', 'unrighted'], 'unglad': ['gandul', 'unglad'], 'unglued': ['unglued', 'unguled'], 'ungod': ['undog', 'ungod'], 'ungold': ['dungol', 'ungold'], 'ungone': ['guenon', 'ungone'], 'ungored': ['guerdon', 'undergo', 'ungored'], 'ungorge': ['gurgeon', 'ungorge'], 'ungot': ['tungo', 'ungot'], 'ungothic': ['touching', 'ungothic'], 'ungraphic': ['ungraphic', 'uparching'], 'ungreenable': ['ungenerable', 'ungreenable'], 'ungrieved': ['gerundive', 'ungrieved'], 'ungroined': ['ungroined', 'unignored'], 'ungrudged': ['undrugged', 'ungrudged'], 'ungual': ['ungual', 'ungula'], 'ungueal': ['ungueal', 'ungulae'], 'ungula': ['ungual', 'ungula'], 'ungulae': ['ungueal', 'ungulae'], 'unguled': ['unglued', 'unguled'], 'ungulp': ['ungulp', 'unplug'], 'unhabit': ['bhutani', 'unhabit'], 'unhackled': ['unchalked', 'unhackled'], 'unhairer': ['rhineura', 'unhairer'], 'unhalsed': ['unhalsed', 'unlashed', 'unshaled'], 'unhalted': ['unhalted', 'unlathed'], 'unhalter': ['lutheran', 'unhalter'], 'unhaltered': ['unhaltered', 'unlathered'], 'unhamper': ['prehuman', 'unhamper'], 'unharbored': ['unabhorred', 'unharbored'], 'unhasped': ['unhasped', 'unphased', 'unshaped'], 'unhat': ['ahunt', 'haunt', 'thuan', 'unhat'], 'unhate': ['uneath', 'unhate'], 'unhatingly': ['hauntingly', 'unhatingly'], 'unhayed': ['unhayed', 'unheady'], 'unheady': ['unhayed', 'unheady'], 'unhearsed': ['unhearsed', 'unsheared'], 'unheart': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unhid': ['hindu', 'hundi', 'unhid'], 'unhistoric': ['trichinous', 'unhistoric'], 'unhittable': ['unhittable', 'untithable'], 'unhoarded': ['roundhead', 'unhoarded'], 'unhocked': ['unchoked', 'unhocked'], 'unhoisted': ['hudsonite', 'unhoisted'], 'unhorse': ['unhorse', 'unshore'], 'unhose': ['unhose', 'unshoe'], 'unhosed': ['unhosed', 'unshoed'], 'unhurt': ['unhurt', 'unruth'], 'uniat': ['uinta', 'uniat'], 'uniate': ['auntie', 'uniate'], 'unible': ['nubile', 'unible'], 'uniced': ['induce', 'uniced'], 'unicentral': ['incruental', 'unicentral'], 'unideal': ['aliunde', 'unideal'], 'unidentified': ['indefinitude', 'unidentified'], 'unidly': ['unidly', 'yildun'], 'unie': ['niue', 'unie'], 'unifilar': ['friulian', 'unifilar'], 'uniflorate': ['antifouler', 'fluorinate', 'uniflorate'], 'unigenous': ['ingenuous', 'unigenous'], 'unignored': ['ungroined', 'unignored'], 'unilobar': ['orbulina', 'unilobar'], 'unilobed': ['unboiled', 'unilobed'], 'unimedial': ['aluminide', 'unimedial'], 'unimpair': ['manipuri', 'unimpair'], 'unimparted': ['diparentum', 'unimparted'], 'unimportance': ['importunance', 'unimportance'], 'unimpressible': ['unimpressible', 'unpermissible'], 'unimpressive': ['unimpressive', 'unpermissive'], 'unindented': ['unindented', 'unintended'], 'unindulged': ['undeluding', 'unindulged'], 'uninervate': ['aventurine', 'uninervate'], 'uninfringed': ['unfriending', 'uninfringed'], 'uningested': ['uningested', 'unsigneted'], 'uninn': ['nunni', 'uninn'], 'uninnate': ['eutannin', 'uninnate'], 'uninodal': ['annuloid', 'uninodal'], 'unintended': ['unindented', 'unintended'], 'unintoned': ['nonunited', 'unintoned'], 'uninured': ['uninured', 'unruined'], 'unionist': ['inustion', 'unionist'], 'unipersonal': ['spinoneural', 'unipersonal'], 'unipod': ['dupion', 'unipod'], 'uniradial': ['nidularia', 'uniradial'], 'unireme': ['erineum', 'unireme'], 'uniserrate': ['arseniuret', 'uniserrate'], 'unison': ['nonius', 'unison'], 'unitage': ['ungaite', 'unitage'], 'unital': ['inlaut', 'unital'], 'unite': ['intue', 'unite', 'untie'], 'united': ['dunite', 'united', 'untied'], 'uniter': ['runite', 'triune', 'uniter', 'untire'], 'unitiveness': ['unitiveness', 'unsensitive'], 'unitrope': ['eruption', 'unitrope'], 'univied': ['univied', 'viduine'], 'unket': ['knute', 'unket'], 'unkilned': ['unkilned', 'unlinked'], 'unkin': ['nunki', 'unkin'], 'unkindred': ['underkind', 'unkindred'], 'unlabiate': ['laubanite', 'unlabiate'], 'unlabored': ['burdalone', 'unlabored'], 'unlace': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'unlaced': ['unclead', 'unlaced'], 'unlade': ['unlade', 'unlead'], 'unlaid': ['dualin', 'ludian', 'unlaid'], 'unlame': ['manuel', 'unlame'], 'unlapped': ['unlapped', 'unpalped'], 'unlarge': ['granule', 'unlarge', 'unregal'], 'unlashed': ['unhalsed', 'unlashed', 'unshaled'], 'unlasting': ['unlasting', 'unslating'], 'unlatch': ['tulchan', 'unlatch'], 'unlathed': ['unhalted', 'unlathed'], 'unlathered': ['unhaltered', 'unlathered'], 'unlay': ['unlay', 'yulan'], 'unlead': ['unlade', 'unlead'], 'unleasable': ['unleasable', 'unsealable'], 'unleased': ['unleased', 'unsealed'], 'unleash': ['hulsean', 'unleash'], 'unled': ['lendu', 'unled'], 'unleft': ['fluent', 'netful', 'unfelt', 'unleft'], 'unlent': ['nunlet', 'tunnel', 'unlent'], 'unlevied': ['unlevied', 'unveiled'], 'unlibeled': ['undelible', 'unlibeled'], 'unliberal': ['brunellia', 'unliberal'], 'unlicensed': ['unlicensed', 'unsilenced'], 'unlighted': ['undelight', 'unlighted'], 'unliken': ['nunlike', 'unliken'], 'unlime': ['lumine', 'unlime'], 'unlinked': ['unkilned', 'unlinked'], 'unlist': ['insult', 'sunlit', 'unlist', 'unslit'], 'unlistened': ['unenlisted', 'unlistened', 'untinseled'], 'unlit': ['unlit', 'until'], 'unliteral': ['tellurian', 'unliteral'], 'unlittered': ['undertitle', 'unlittered'], 'unlive': ['unevil', 'unlive', 'unveil'], 'unloaded': ['duodenal', 'unloaded'], 'unloaden': ['unloaden', 'unloaned'], 'unloader': ['unloader', 'urodelan'], 'unloaned': ['unloaden', 'unloaned'], 'unlodge': ['unlodge', 'unogled'], 'unlogic': ['gulonic', 'unlogic'], 'unlooped': ['unlooped', 'unpooled'], 'unlooted': ['unlooted', 'untooled'], 'unlost': ['unlost', 'unslot'], 'unlowered': ['unlowered', 'unroweled'], 'unlucid': ['nuculid', 'unlucid'], 'unlumped': ['pendulum', 'unlumped', 'unplumed'], 'unlured': ['unlured', 'unruled'], 'unlyrical': ['runically', 'unlyrical'], 'unmacerated': ['uncamerated', 'unmacerated'], 'unmad': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'unmadded': ['addendum', 'unmadded'], 'unmaddened': ['undemanded', 'unmaddened'], 'unmaid': ['numida', 'unmaid'], 'unmail': ['alumni', 'unmail'], 'unmailed': ['adlumine', 'unmailed'], 'unmaned': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unmantle': ['unmantle', 'unmental'], 'unmarch': ['uncharm', 'unmarch'], 'unmarching': ['uncharming', 'unmarching'], 'unmarginal': ['unalarming', 'unmarginal'], 'unmarred': ['underarm', 'unmarred'], 'unmashed': ['unmashed', 'unshamed'], 'unmate': ['unmate', 'untame', 'unteam'], 'unmated': ['unmated', 'untamed'], 'unmaterial': ['manualiter', 'unmaterial'], 'unmeated': ['unmeated', 'unteamed'], 'unmedical': ['unclaimed', 'undecimal', 'unmedical'], 'unmeet': ['unmeet', 'unteem'], 'unmemoired': ['unmemoired', 'unmemoried'], 'unmemoried': ['unmemoired', 'unmemoried'], 'unmental': ['unmantle', 'unmental'], 'unmerged': ['gerendum', 'unmerged'], 'unmerited': ['undertime', 'unmerited'], 'unmettle': ['temulent', 'unmettle'], 'unminable': ['nelumbian', 'unminable'], 'unmined': ['minuend', 'unmined'], 'unminted': ['indument', 'unminted'], 'unmisled': ['muslined', 'unmisled', 'unsmiled'], 'unmiter': ['minuter', 'unmiter'], 'unmodest': ['mudstone', 'unmodest'], 'unmodish': ['muishond', 'unmodish'], 'unmomentary': ['monumentary', 'unmomentary'], 'unmonitored': ['undermotion', 'unmonitored'], 'unmorbid': ['moribund', 'unmorbid'], 'unmorose': ['enormous', 'unmorose'], 'unmortised': ['semirotund', 'unmortised'], 'unmotived': ['unmotived', 'unvomited'], 'unmystical': ['stimulancy', 'unmystical'], 'unnagged': ['unganged', 'unnagged'], 'unnail': ['alnuin', 'unnail'], 'unnameability': ['unamenability', 'unnameability'], 'unnameable': ['unamenable', 'unnameable'], 'unnameableness': ['unamenableness', 'unnameableness'], 'unnameably': ['unamenably', 'unnameably'], 'unnamed': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unnational': ['annulation', 'unnational'], 'unnative': ['unnative', 'venutian'], 'unneared': ['unearned', 'unneared'], 'unnest': ['unnest', 'unsent'], 'unnetted': ['unnetted', 'untented'], 'unnose': ['nonuse', 'unnose'], 'unnoted': ['unnoted', 'untoned'], 'unnoticed': ['continued', 'unnoticed'], 'unoared': ['rondeau', 'unoared'], 'unogled': ['unlodge', 'unogled'], 'unomitted': ['dumontite', 'unomitted'], 'unoperatic': ['precaution', 'unoperatic'], 'unorbed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unorder': ['rondure', 'rounder', 'unorder'], 'unordered': ['underdoer', 'unordered'], 'unoriented': ['nonerudite', 'unoriented'], 'unown': ['unown', 'unwon'], 'unowned': ['enwound', 'unowned'], 'unpacable': ['uncapable', 'unpacable'], 'unpacker': ['reunpack', 'unpacker'], 'unpaired': ['unpaired', 'unrepaid'], 'unpale': ['unpale', 'uplane'], 'unpalped': ['unlapped', 'unpalped'], 'unpanel': ['unpanel', 'unpenal'], 'unparceled': ['unparceled', 'unreplaced'], 'unparched': ['underchap', 'unparched'], 'unpared': ['undrape', 'unpared', 'unraped'], 'unparsed': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unparted': ['depurant', 'unparted'], 'unpartial': ['tarpaulin', 'unpartial'], 'unpenal': ['unpanel', 'unpenal'], 'unpenetrable': ['unpenetrable', 'unrepentable'], 'unpent': ['punnet', 'unpent'], 'unperch': ['puncher', 'unperch'], 'unpercolated': ['counterpaled', 'counterplead', 'unpercolated'], 'unpermissible': ['unimpressible', 'unpermissible'], 'unpermissive': ['unimpressive', 'unpermissive'], 'unperuked': ['underpuke', 'unperuked'], 'unpervaded': ['undepraved', 'unpervaded'], 'unpetal': ['plutean', 'unpetal', 'unpleat'], 'unpharasaic': ['parasuchian', 'unpharasaic'], 'unphased': ['unhasped', 'unphased', 'unshaped'], 'unphrased': ['unphrased', 'unsharped'], 'unpickled': ['dunpickle', 'unpickled'], 'unpierced': ['preinduce', 'unpierced'], 'unpile': ['lupine', 'unpile', 'upline'], 'unpiled': ['unpiled', 'unplied'], 'unplace': ['cleanup', 'unplace'], 'unplain': ['pinnula', 'unplain'], 'unplait': ['nuptial', 'unplait'], 'unplanted': ['pendulant', 'unplanted'], 'unplat': ['puntal', 'unplat'], 'unpleased': ['unelapsed', 'unpleased'], 'unpleat': ['plutean', 'unpetal', 'unpleat'], 'unpleated': ['pendulate', 'unpleated'], 'unplied': ['unpiled', 'unplied'], 'unplug': ['ungulp', 'unplug'], 'unplumed': ['pendulum', 'unlumped', 'unplumed'], 'unpoled': ['duplone', 'unpoled'], 'unpolished': ['disulphone', 'unpolished'], 'unpolitic': ['punctilio', 'unpolitic'], 'unpooled': ['unlooped', 'unpooled'], 'unposted': ['outspend', 'unposted'], 'unpot': ['punto', 'unpot', 'untop'], 'unprayed': ['underpay', 'unprayed'], 'unprelatic': ['periculant', 'unprelatic'], 'unpressed': ['resuspend', 'suspender', 'unpressed'], 'unpricked': ['underpick', 'unpricked'], 'unprint': ['turnpin', 'unprint'], 'unprosaic': ['inocarpus', 'unprosaic'], 'unproselyted': ['pseudelytron', 'unproselyted'], 'unproud': ['roundup', 'unproud'], 'unpursued': ['unpursued', 'unusurped'], 'unpursuing': ['unpursuing', 'unusurping'], 'unquietable': ['unequitable', 'unquietable'], 'unrabbeted': ['beturbaned', 'unrabbeted'], 'unraced': ['durance', 'redunca', 'unraced'], 'unraided': ['underaid', 'unraided'], 'unraised': ['denarius', 'desaurin', 'unraised'], 'unram': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unranked': ['undarken', 'unranked'], 'unraped': ['undrape', 'unpared', 'unraped'], 'unrasped': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unrated': ['daunter', 'unarted', 'unrated', 'untread'], 'unravel': ['unravel', 'venular'], 'unray': ['anury', 'unary', 'unray'], 'unrayed': ['unrayed', 'unready'], 'unreactive': ['uncreative', 'unreactive'], 'unread': ['endura', 'neurad', 'undear', 'unread'], 'unready': ['unrayed', 'unready'], 'unreal': ['lunare', 'neural', 'ulnare', 'unreal'], 'unrealism': ['semilunar', 'unrealism'], 'unrealist': ['neuralist', 'ulsterian', 'unrealist'], 'unrealmed': ['denumeral', 'undermeal', 'unrealmed'], 'unrebated': ['eburnated', 'underbeat', 'unrebated'], 'unrebutted': ['unbuttered', 'unrebutted'], 'unreceived': ['undeceiver', 'unreceived'], 'unrecent': ['uncenter', 'unrecent'], 'unrecited': ['centuried', 'unrecited'], 'unrectifiable': ['uncertifiable', 'unrectifiable'], 'unrectified': ['uncertified', 'unrectified'], 'unred': ['runed', 'under', 'unred'], 'unredacted': ['underacted', 'unredacted'], 'unreduct': ['undercut', 'unreduct'], 'unreeve': ['revenue', 'unreeve'], 'unreeving': ['unreeving', 'unveering'], 'unregal': ['granule', 'unlarge', 'unregal'], 'unregard': ['grandeur', 'unregard'], 'unregarded': ['undergrade', 'unregarded'], 'unrein': ['enruin', 'neurin', 'unrein'], 'unreinstated': ['unreinstated', 'unstraitened'], 'unrelated': ['unaltered', 'unrelated'], 'unrelating': ['unaltering', 'unrelating'], 'unreleased': ['underlease', 'unreleased'], 'unrelegated': ['underlegate', 'unrelegated'], 'unremarked': ['undermaker', 'unremarked'], 'unrent': ['runnet', 'tunner', 'unrent'], 'unrented': ['unrented', 'untender'], 'unrepaid': ['unpaired', 'unrepaid'], 'unrepentable': ['unpenetrable', 'unrepentable'], 'unrepined': ['unrepined', 'unripened'], 'unrepining': ['unrepining', 'unripening'], 'unreplaced': ['unparceled', 'unreplaced'], 'unreplied': ['underpile', 'unreplied'], 'unreposed': ['underpose', 'unreposed'], 'unreputed': ['unerupted', 'unreputed'], 'unrescinded': ['undiscerned', 'unrescinded'], 'unrescued': ['unrescued', 'unsecured'], 'unreserved': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unresisted': ['unresisted', 'unsistered'], 'unresolve': ['nervulose', 'unresolve', 'vulnerose'], 'unrespect': ['unrespect', 'unscepter', 'unsceptre'], 'unrespected': ['unrespected', 'unsceptered'], 'unrested': ['sederunt', 'underset', 'undesert', 'unrested'], 'unresting': ['insurgent', 'unresting'], 'unretarded': ['undertread', 'unretarded'], 'unreticent': ['entincture', 'unreticent'], 'unretired': ['reintrude', 'unretired'], 'unrevered': ['enverdure', 'unrevered'], 'unreversed': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unreviled': ['underlive', 'unreviled'], 'unrevised': ['undiverse', 'unrevised'], 'unrevocable': ['uncoverable', 'unrevocable'], 'unribbed': ['unbribed', 'unribbed'], 'unrich': ['unrich', 'urchin'], 'unrid': ['rundi', 'unrid'], 'unridable': ['indurable', 'unbrailed', 'unridable'], 'unriddle': ['underlid', 'unriddle'], 'unride': ['diurne', 'inured', 'ruined', 'unride'], 'unridged': ['underdig', 'ungirded', 'unridged'], 'unrig': ['irgun', 'ruing', 'unrig'], 'unright': ['hurting', 'ungirth', 'unright'], 'unrighted': ['ungirthed', 'unrighted'], 'unring': ['unring', 'urning'], 'unringed': ['enduring', 'unringed'], 'unripe': ['purine', 'unripe', 'uprein'], 'unripely': ['pyruline', 'unripely'], 'unripened': ['unrepined', 'unripened'], 'unripening': ['unrepining', 'unripening'], 'unroaded': ['unadored', 'unroaded'], 'unrobed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unrocked': ['uncorked', 'unrocked'], 'unroot': ['notour', 'unroot'], 'unroped': ['pounder', 'repound', 'unroped'], 'unrosed': ['resound', 'sounder', 'unrosed'], 'unrostrated': ['tetrandrous', 'unrostrated'], 'unrotated': ['rotundate', 'unrotated'], 'unroted': ['tendour', 'unroted'], 'unroused': ['unroused', 'unsoured'], 'unrouted': ['unrouted', 'untoured'], 'unrowed': ['rewound', 'unrowed', 'wounder'], 'unroweled': ['unlowered', 'unroweled'], 'unroyalist': ['unroyalist', 'unsolitary'], 'unruined': ['uninured', 'unruined'], 'unruled': ['unlured', 'unruled'], 'unrun': ['unrun', 'unurn'], 'unruth': ['unhurt', 'unruth'], 'unsack': ['uncask', 'unsack'], 'unsacked': ['uncasked', 'unsacked'], 'unsacred': ['unsacred', 'unscared'], 'unsad': ['sudan', 'unsad'], 'unsadden': ['unsadden', 'unsanded'], 'unsage': ['gnaeus', 'unsage'], 'unsaid': ['sudani', 'unsaid'], 'unsailed': ['unaisled', 'unsailed'], 'unsaint': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsainted': ['unsainted', 'unstained'], 'unsalt': ['sultan', 'unsalt'], 'unsalted': ['unsalted', 'unslated', 'unstaled'], 'unsanded': ['unsadden', 'unsanded'], 'unsardonic': ['andronicus', 'unsardonic'], 'unsashed': ['sunshade', 'unsashed'], 'unsatable': ['sublanate', 'unsatable'], 'unsatiable': ['balaustine', 'unsatiable'], 'unsatin': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsauced': ['uncaused', 'unsauced'], 'unscale': ['censual', 'unscale'], 'unscalloped': ['uncollapsed', 'unscalloped'], 'unscaly': ['ancylus', 'unscaly'], 'unscared': ['unsacred', 'unscared'], 'unscepter': ['unrespect', 'unscepter', 'unsceptre'], 'unsceptered': ['unrespected', 'unsceptered'], 'unsceptre': ['unrespect', 'unscepter', 'unsceptre'], 'unscoured': ['uncoursed', 'unscoured'], 'unseal': ['elanus', 'unseal'], 'unsealable': ['unleasable', 'unsealable'], 'unsealed': ['unleased', 'unsealed'], 'unseared': ['undersea', 'unerased', 'unseared'], 'unseat': ['nasute', 'nauset', 'unseat'], 'unseated': ['unseated', 'unsedate', 'unteased'], 'unsecured': ['unrescued', 'unsecured'], 'unsedate': ['unseated', 'unsedate', 'unteased'], 'unsee': ['ensue', 'seenu', 'unsee'], 'unseethed': ['unseethed', 'unsheeted'], 'unseizable': ['unseizable', 'unsizeable'], 'unselect': ['esculent', 'unselect'], 'unsensed': ['nudeness', 'unsensed'], 'unsensitive': ['unitiveness', 'unsensitive'], 'unsent': ['unnest', 'unsent'], 'unsepulcher': ['unsepulcher', 'unsepulchre'], 'unsepulchre': ['unsepulcher', 'unsepulchre'], 'unserrated': ['unarrested', 'unserrated'], 'unserved': ['unserved', 'unversed'], 'unset': ['unset', 'usent'], 'unsevered': ['undeserve', 'unsevered'], 'unsewed': ['sunweed', 'unsewed'], 'unsex': ['nexus', 'unsex'], 'unshaded': ['undashed', 'unshaded'], 'unshaled': ['unhalsed', 'unlashed', 'unshaled'], 'unshamed': ['unmashed', 'unshamed'], 'unshaped': ['unhasped', 'unphased', 'unshaped'], 'unsharing': ['ungarnish', 'unsharing'], 'unsharped': ['unphrased', 'unsharped'], 'unsharpened': ['undershapen', 'unsharpened'], 'unsheared': ['unhearsed', 'unsheared'], 'unsheet': ['enthuse', 'unsheet'], 'unsheeted': ['unseethed', 'unsheeted'], 'unship': ['inpush', 'punish', 'unship'], 'unshipment': ['punishment', 'unshipment'], 'unshoe': ['unhose', 'unshoe'], 'unshoed': ['unhosed', 'unshoed'], 'unshore': ['unhorse', 'unshore'], 'unshored': ['enshroud', 'unshored'], 'unshortened': ['underhonest', 'unshortened'], 'unsicker': ['cruisken', 'unsicker'], 'unsickled': ['klendusic', 'unsickled'], 'unsight': ['gutnish', 'husting', 'unsight'], 'unsignable': ['unsignable', 'unsingable'], 'unsigned': ['undesign', 'unsigned', 'unsinged'], 'unsigneted': ['uningested', 'unsigneted'], 'unsilenced': ['unlicensed', 'unsilenced'], 'unsimple': ['splenium', 'unsimple'], 'unsin': ['sunni', 'unsin'], 'unsingable': ['unsignable', 'unsingable'], 'unsinged': ['undesign', 'unsigned', 'unsinged'], 'unsistered': ['unresisted', 'unsistered'], 'unsizeable': ['unseizable', 'unsizeable'], 'unskin': ['insunk', 'unskin'], 'unslate': ['sultane', 'unslate'], 'unslated': ['unsalted', 'unslated', 'unstaled'], 'unslating': ['unlasting', 'unslating'], 'unslept': ['unslept', 'unspelt'], 'unslighted': ['sunlighted', 'unslighted'], 'unslit': ['insult', 'sunlit', 'unlist', 'unslit'], 'unslot': ['unlost', 'unslot'], 'unsmeared': ['underseam', 'unsmeared'], 'unsmiled': ['muslined', 'unmisled', 'unsmiled'], 'unsnap': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unsnatch': ['unsnatch', 'unstanch'], 'unsnow': ['unsnow', 'unsown'], 'unsocial': ['sualocin', 'unsocial'], 'unsoil': ['insoul', 'linous', 'nilous', 'unsoil'], 'unsoiled': ['delusion', 'unsoiled'], 'unsoldier': ['undersoil', 'unsoldier'], 'unsole': ['ensoul', 'olenus', 'unsole'], 'unsolitary': ['unroyalist', 'unsolitary'], 'unsomber': ['unsomber', 'unsombre'], 'unsombre': ['unsomber', 'unsombre'], 'unsome': ['nomeus', 'unsome'], 'unsore': ['souren', 'unsore', 'ursone'], 'unsort': ['tornus', 'unsort'], 'unsortable': ['neuroblast', 'unsortable'], 'unsorted': ['tonsured', 'unsorted', 'unstored'], 'unsoured': ['unroused', 'unsoured'], 'unsown': ['unsnow', 'unsown'], 'unspan': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unspar': ['surnap', 'unspar'], 'unspared': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unsparred': ['underspar', 'unsparred'], 'unspecterlike': ['unspecterlike', 'unspectrelike'], 'unspectrelike': ['unspecterlike', 'unspectrelike'], 'unsped': ['unsped', 'upsend'], 'unspelt': ['unslept', 'unspelt'], 'unsphering': ['gunnership', 'unsphering'], 'unspiable': ['subalpine', 'unspiable'], 'unspike': ['spunkie', 'unspike'], 'unspit': ['ptinus', 'unspit'], 'unspoil': ['pulsion', 'unspoil', 'upsilon'], 'unspot': ['pontus', 'unspot', 'unstop'], 'unspread': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unstabled': ['dunstable', 'unblasted', 'unstabled'], 'unstain': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unstained': ['unsainted', 'unstained'], 'unstaled': ['unsalted', 'unslated', 'unstaled'], 'unstanch': ['unsnatch', 'unstanch'], 'unstar': ['saturn', 'unstar'], 'unstatable': ['unstatable', 'untastable'], 'unstate': ['tetanus', 'unstate', 'untaste'], 'unstateable': ['unstateable', 'untasteable'], 'unstated': ['unstated', 'untasted'], 'unstating': ['unstating', 'untasting'], 'unstayed': ['unstayed', 'unsteady'], 'unsteady': ['unstayed', 'unsteady'], 'unstercorated': ['countertrades', 'unstercorated'], 'unstern': ['stunner', 'unstern'], 'unstocked': ['duckstone', 'unstocked'], 'unstoic': ['cotinus', 'suction', 'unstoic'], 'unstoical': ['suctional', 'sulcation', 'unstoical'], 'unstop': ['pontus', 'unspot', 'unstop'], 'unstopple': ['pulpstone', 'unstopple'], 'unstore': ['snouter', 'tonsure', 'unstore'], 'unstored': ['tonsured', 'unsorted', 'unstored'], 'unstoried': ['detrusion', 'tinderous', 'unstoried'], 'unstormed': ['undermost', 'unstormed'], 'unstrain': ['insurant', 'unstrain'], 'unstrained': ['understain', 'unstrained'], 'unstraitened': ['unreinstated', 'unstraitened'], 'unstranded': ['understand', 'unstranded'], 'unstrewed': ['unstrewed', 'unwrested'], 'unsucculent': ['centunculus', 'unsucculent'], 'unsued': ['unsued', 'unused'], 'unsusceptible': ['unsusceptible', 'unsuspectible'], 'unsusceptive': ['unsusceptive', 'unsuspective'], 'unsuspectible': ['unsusceptible', 'unsuspectible'], 'unsuspective': ['unsusceptive', 'unsuspective'], 'untactful': ['fluctuant', 'untactful'], 'untailed': ['nidulate', 'untailed'], 'untame': ['unmate', 'untame', 'unteam'], 'untamed': ['unmated', 'untamed'], 'untanned': ['nunnated', 'untanned'], 'untap': ['punta', 'unapt', 'untap'], 'untar': ['arnut', 'tuarn', 'untar'], 'untastable': ['unstatable', 'untastable'], 'untaste': ['tetanus', 'unstate', 'untaste'], 'untasteable': ['unstateable', 'untasteable'], 'untasted': ['unstated', 'untasted'], 'untasting': ['unstating', 'untasting'], 'untaught': ['taungthu', 'untaught'], 'untaunted': ['unattuned', 'untaunted'], 'unteach': ['uncheat', 'unteach'], 'unteaching': ['uncheating', 'unteaching'], 'unteam': ['unmate', 'untame', 'unteam'], 'unteamed': ['unmeated', 'unteamed'], 'unteased': ['unseated', 'unsedate', 'unteased'], 'unteem': ['unmeet', 'unteem'], 'untemper': ['erumpent', 'untemper'], 'untender': ['unrented', 'untender'], 'untented': ['unnetted', 'untented'], 'unthatch': ['nuthatch', 'unthatch'], 'unthick': ['kutchin', 'unthick'], 'unthrall': ['turnhall', 'unthrall'], 'untiaraed': ['diuranate', 'untiaraed'], 'untidy': ['nudity', 'untidy'], 'untie': ['intue', 'unite', 'untie'], 'untied': ['dunite', 'united', 'untied'], 'until': ['unlit', 'until'], 'untile': ['lutein', 'untile'], 'untiled': ['diluent', 'untiled'], 'untilted': ['dilutent', 'untilted', 'untitled'], 'untimely': ['minutely', 'untimely'], 'untin': ['nintu', 'ninut', 'untin'], 'untine': ['ineunt', 'untine'], 'untinseled': ['unenlisted', 'unlistened', 'untinseled'], 'untirable': ['untirable', 'untriable'], 'untire': ['runite', 'triune', 'uniter', 'untire'], 'untired': ['intrude', 'turdine', 'untired', 'untried'], 'untithable': ['unhittable', 'untithable'], 'untitled': ['dilutent', 'untilted', 'untitled'], 'unto': ['tuno', 'unto'], 'untoiled': ['outlined', 'untoiled'], 'untoned': ['unnoted', 'untoned'], 'untooled': ['unlooted', 'untooled'], 'untop': ['punto', 'unpot', 'untop'], 'untorn': ['tunnor', 'untorn'], 'untortured': ['undertutor', 'untortured'], 'untotalled': ['unallotted', 'untotalled'], 'untouch': ['uncouth', 'untouch'], 'untoured': ['unrouted', 'untoured'], 'untrace': ['centaur', 'untrace'], 'untraceable': ['uncreatable', 'untraceable'], 'untraceableness': ['uncreatableness', 'untraceableness'], 'untraced': ['uncarted', 'uncrated', 'underact', 'untraced'], 'untraceried': ['antireducer', 'reincrudate', 'untraceried'], 'untradeable': ['untradeable', 'untreadable'], 'untrain': ['antirun', 'untrain', 'urinant'], 'untread': ['daunter', 'unarted', 'unrated', 'untread'], 'untreadable': ['untradeable', 'untreadable'], 'untreatable': ['entablature', 'untreatable'], 'untreed': ['denture', 'untreed'], 'untriable': ['untirable', 'untriable'], 'untribal': ['tribunal', 'turbinal', 'untribal'], 'untriced': ['undirect', 'untriced'], 'untried': ['intrude', 'turdine', 'untired', 'untried'], 'untrig': ['ungirt', 'untrig'], 'untrod': ['rotund', 'untrod'], 'untropical': ['ponticular', 'untropical'], 'untroubled': ['outblunder', 'untroubled'], 'untrowed': ['undertow', 'untrowed'], 'untruss': ['sturnus', 'untruss'], 'untutored': ['outturned', 'untutored'], 'unurn': ['unrun', 'unurn'], 'unused': ['unsued', 'unused'], 'unusurped': ['unpursued', 'unusurped'], 'unusurping': ['unpursuing', 'unusurping'], 'unvailable': ['invaluable', 'unvailable'], 'unveering': ['unreeving', 'unveering'], 'unveil': ['unevil', 'unlive', 'unveil'], 'unveiled': ['unlevied', 'unveiled'], 'unveined': ['unenvied', 'unveined'], 'unvenerated': ['unenervated', 'unvenerated'], 'unveniable': ['unenviable', 'unveniable'], 'unveritable': ['unavertible', 'unveritable'], 'unversed': ['unserved', 'unversed'], 'unvessel': ['unvessel', 'usselven'], 'unvest': ['unvest', 'venust'], 'unvomited': ['unmotived', 'unvomited'], 'unwagered': ['underwage', 'unwagered'], 'unwan': ['unwan', 'wunna'], 'unware': ['unware', 'wauner'], 'unwarp': ['unwarp', 'unwrap'], 'unwary': ['runway', 'unwary'], 'unwavered': ['underwave', 'unwavered'], 'unwept': ['unwept', 'upwent'], 'unwon': ['unown', 'unwon'], 'unwrap': ['unwarp', 'unwrap'], 'unwrested': ['unstrewed', 'unwrested'], 'unwronged': ['undergown', 'unwronged'], 'unyoung': ['unyoung', 'youngun'], 'unze': ['unze', 'zenu'], 'up': ['pu', 'up'], 'uparching': ['ungraphic', 'uparching'], 'uparise': ['spuriae', 'uparise', 'upraise'], 'uparna': ['purana', 'uparna'], 'upas': ['apus', 'supa', 'upas'], 'upblast': ['subplat', 'upblast'], 'upblow': ['blowup', 'upblow'], 'upbreak': ['breakup', 'upbreak'], 'upbuild': ['buildup', 'upbuild'], 'upcast': ['catsup', 'upcast'], 'upcatch': ['catchup', 'upcatch'], 'upclimb': ['plumbic', 'upclimb'], 'upclose': ['culpose', 'ploceus', 'upclose'], 'upcock': ['cockup', 'upcock'], 'upcoil': ['oilcup', 'upcoil'], 'upcourse': ['cupreous', 'upcourse'], 'upcover': ['overcup', 'upcover'], 'upcreep': ['prepuce', 'upcreep'], 'upcurrent': ['puncturer', 'upcurrent'], 'upcut': ['cutup', 'upcut'], 'updo': ['doup', 'updo'], 'updraw': ['updraw', 'upward'], 'updry': ['prudy', 'purdy', 'updry'], 'upeat': ['taupe', 'upeat'], 'upflare': ['rapeful', 'upflare'], 'upflower': ['powerful', 'upflower'], 'upgale': ['plague', 'upgale'], 'upget': ['getup', 'upget'], 'upgirt': ['ripgut', 'upgirt'], 'upgo': ['goup', 'ogpu', 'upgo'], 'upgrade': ['guepard', 'upgrade'], 'uphelm': ['phleum', 'uphelm'], 'uphold': ['holdup', 'uphold'], 'upholder': ['reuphold', 'upholder'], 'upholsterer': ['reupholster', 'upholsterer'], 'upla': ['paul', 'upla'], 'upland': ['dunlap', 'upland'], 'uplander': ['pendular', 'underlap', 'uplander'], 'uplane': ['unpale', 'uplane'], 'upleap': ['papule', 'upleap'], 'uplift': ['tipful', 'uplift'], 'uplifter': ['reuplift', 'uplifter'], 'upline': ['lupine', 'unpile', 'upline'], 'uplock': ['lockup', 'uplock'], 'upon': ['noup', 'puno', 'upon'], 'uppers': ['supper', 'uppers'], 'uppish': ['hippus', 'uppish'], 'upraise': ['spuriae', 'uparise', 'upraise'], 'uprear': ['parure', 'uprear'], 'uprein': ['purine', 'unripe', 'uprein'], 'uprip': ['ripup', 'uprip'], 'uprisal': ['parulis', 'spirula', 'uprisal'], 'uprisement': ['episternum', 'uprisement'], 'upriser': ['siruper', 'upriser'], 'uprist': ['purist', 'spruit', 'uprist', 'upstir'], 'uproad': ['podura', 'uproad'], 'uproom': ['moorup', 'uproom'], 'uprose': ['poseur', 'pouser', 'souper', 'uprose'], 'upscale': ['capsule', 'specula', 'upscale'], 'upseal': ['apulse', 'upseal'], 'upsend': ['unsped', 'upsend'], 'upset': ['setup', 'stupe', 'upset'], 'upsettable': ['subpeltate', 'upsettable'], 'upsetter': ['upsetter', 'upstreet'], 'upshore': ['ephorus', 'orpheus', 'upshore'], 'upshot': ['tophus', 'upshot'], 'upshut': ['pushtu', 'upshut'], 'upsilon': ['pulsion', 'unspoil', 'upsilon'], 'upsit': ['puist', 'upsit'], 'upslant': ['pulsant', 'upslant'], 'upsmite': ['impetus', 'upsmite'], 'upsoar': ['parous', 'upsoar'], 'upstair': ['tapirus', 'upstair'], 'upstand': ['dustpan', 'upstand'], 'upstare': ['pasteur', 'pasture', 'upstare'], 'upstater': ['stuprate', 'upstater'], 'upsteal': ['pulsate', 'spatule', 'upsteal'], 'upstem': ['septum', 'upstem'], 'upstir': ['purist', 'spruit', 'uprist', 'upstir'], 'upstraight': ['straightup', 'upstraight'], 'upstreet': ['upsetter', 'upstreet'], 'upstrive': ['spurtive', 'upstrive'], 'upsun': ['sunup', 'upsun'], 'upsway': ['upsway', 'upways'], 'uptake': ['ketupa', 'uptake'], 'uptend': ['pudent', 'uptend'], 'uptilt': ['tiltup', 'uptilt'], 'uptoss': ['tossup', 'uptoss'], 'uptrace': ['capture', 'uptrace'], 'uptrain': ['pintura', 'puritan', 'uptrain'], 'uptree': ['repute', 'uptree'], 'uptrend': ['prudent', 'prunted', 'uptrend'], 'upturn': ['turnup', 'upturn'], 'upward': ['updraw', 'upward'], 'upwarp': ['upwarp', 'upwrap'], 'upways': ['upsway', 'upways'], 'upwent': ['unwept', 'upwent'], 'upwind': ['upwind', 'windup'], 'upwrap': ['upwarp', 'upwrap'], 'ura': ['aru', 'rua', 'ura'], 'uracil': ['curial', 'lauric', 'uracil', 'uralic'], 'uraemic': ['maurice', 'uraemic'], 'uraeus': ['aureus', 'uraeus'], 'ural': ['alur', 'laur', 'lura', 'raul', 'ural'], 'urali': ['rauli', 'urali', 'urial'], 'uralian': ['lunaria', 'ulnaria', 'uralian'], 'uralic': ['curial', 'lauric', 'uracil', 'uralic'], 'uralite': ['laurite', 'uralite'], 'uralitize': ['ritualize', 'uralitize'], 'uramido': ['doarium', 'uramido'], 'uramil': ['rimula', 'uramil'], 'uramino': ['mainour', 'uramino'], 'uran': ['raun', 'uran', 'urna'], 'uranate': ['taurean', 'uranate'], 'urania': ['anuria', 'urania'], 'uranic': ['anuric', 'cinura', 'uranic'], 'uranine': ['aneurin', 'uranine'], 'uranism': ['surinam', 'uranism'], 'uranite': ['ruinate', 'taurine', 'uranite', 'urinate'], 'uranographist': ['guarantorship', 'uranographist'], 'uranolite': ['outlinear', 'uranolite'], 'uranoscope': ['oenocarpus', 'uranoscope'], 'uranospinite': ['resupination', 'uranospinite'], 'uranotil': ['rotulian', 'uranotil'], 'uranous': ['anurous', 'uranous'], 'uranyl': ['lunary', 'uranyl'], 'uranylic': ['culinary', 'uranylic'], 'urari': ['aurir', 'urari'], 'urase': ['serau', 'urase'], 'uratic': ['tauric', 'uratic', 'urtica'], 'urazine': ['azurine', 'urazine'], 'urban': ['buran', 'unbar', 'urban'], 'urbane': ['eburna', 'unbare', 'unbear', 'urbane'], 'urbanite': ['braunite', 'urbanite', 'urbinate'], 'urbian': ['burian', 'urbian'], 'urbification': ['rubification', 'urbification'], 'urbify': ['rubify', 'urbify'], 'urbinate': ['braunite', 'urbanite', 'urbinate'], 'urceiform': ['eruciform', 'urceiform'], 'urceole': ['urceole', 'urocele'], 'urceolina': ['aleuronic', 'urceolina'], 'urceolus': ['ulcerous', 'urceolus'], 'urchin': ['unrich', 'urchin'], 'urd': ['rud', 'urd'], 'urde': ['duer', 'dure', 'rude', 'urde'], 'urdee': ['redue', 'urdee'], 'ure': ['rue', 'ure'], 'ureal': ['alure', 'ureal'], 'uredine': ['reindue', 'uredine'], 'ureic': ['curie', 'ureic'], 'uremia': ['aumrie', 'uremia'], 'uremic': ['cerium', 'uremic'], 'urena': ['urena', 'urnae'], 'urent': ['enrut', 'tuner', 'urent'], 'uresis': ['issuer', 'uresis'], 'uretal': ['tulare', 'uretal'], 'ureter': ['retrue', 'ureter'], 'ureteropyelogram': ['pyeloureterogram', 'ureteropyelogram'], 'urethan': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'urethrascope': ['heterocarpus', 'urethrascope'], 'urethrocystitis': ['cystourethritis', 'urethrocystitis'], 'urethylan': ['unearthly', 'urethylan'], 'uretic': ['curite', 'teucri', 'uretic'], 'urf': ['fur', 'urf'], 'urge': ['grue', 'urge'], 'urgent': ['gunter', 'gurnet', 'urgent'], 'urger': ['regur', 'urger'], 'uria': ['arui', 'uria'], 'uriah': ['huari', 'uriah'], 'urial': ['rauli', 'urali', 'urial'], 'urian': ['aurin', 'urian'], 'uric': ['cuir', 'uric'], 'urinal': ['laurin', 'urinal'], 'urinant': ['antirun', 'untrain', 'urinant'], 'urinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'urination': ['ruination', 'urination'], 'urinator': ['ruinator', 'urinator'], 'urine': ['inure', 'urine'], 'urinogenitary': ['genitourinary', 'urinogenitary'], 'urinous': ['ruinous', 'urinous'], 'urinousness': ['ruinousness', 'urinousness'], 'urite': ['urite', 'uteri'], 'urlar': ['rural', 'urlar'], 'urled': ['duler', 'urled'], 'urling': ['ruling', 'urling'], 'urman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'urn': ['run', 'urn'], 'urna': ['raun', 'uran', 'urna'], 'urnae': ['urena', 'urnae'], 'urnal': ['lunar', 'ulnar', 'urnal'], 'urnful': ['unfurl', 'urnful'], 'urning': ['unring', 'urning'], 'uro': ['our', 'uro'], 'urocele': ['urceole', 'urocele'], 'urodela': ['roulade', 'urodela'], 'urodelan': ['unloader', 'urodelan'], 'urogaster': ['surrogate', 'urogaster'], 'urogenital': ['regulation', 'urogenital'], 'uroglena': ['lagunero', 'organule', 'uroglena'], 'urolithic': ['ulotrichi', 'urolithic'], 'urometer': ['outremer', 'urometer'], 'uronic': ['cuorin', 'uronic'], 'uropsile': ['perilous', 'uropsile'], 'uroseptic': ['crepitous', 'euproctis', 'uroseptic'], 'urosomatic': ['mortacious', 'urosomatic'], 'urosteon': ['outsnore', 'urosteon'], 'urosternite': ['tenuiroster', 'urosternite'], 'urosthenic': ['cetorhinus', 'urosthenic'], 'urostyle': ['elytrous', 'urostyle'], 'urs': ['rus', 'sur', 'urs'], 'ursa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ursal': ['larus', 'sural', 'ursal'], 'ursidae': ['residua', 'ursidae'], 'ursine': ['insure', 'rusine', 'ursine'], 'ursone': ['souren', 'unsore', 'ursone'], 'ursuk': ['kurus', 'ursuk'], 'ursula': ['laurus', 'ursula'], 'urtica': ['tauric', 'uratic', 'urtica'], 'urticales': ['sterculia', 'urticales'], 'urticant': ['taciturn', 'urticant'], 'urticose': ['citreous', 'urticose'], 'usability': ['suability', 'usability'], 'usable': ['suable', 'usable'], 'usager': ['sauger', 'usager'], 'usance': ['uncase', 'usance'], 'usar': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'usara': ['arusa', 'saura', 'usara'], 'use': ['sue', 'use'], 'usent': ['unset', 'usent'], 'user': ['ruse', 'suer', 'sure', 'user'], 'ush': ['shu', 'ush'], 'ushabti': ['habitus', 'ushabti'], 'ushak': ['kusha', 'shaku', 'ushak'], 'usher': ['shure', 'usher'], 'usitate': ['situate', 'usitate'], 'usnic': ['incus', 'usnic'], 'usque': ['equus', 'usque'], 'usselven': ['unvessel', 'usselven'], 'ust': ['stu', 'ust'], 'uster': ['serut', 'strue', 'turse', 'uster'], 'ustion': ['outsin', 'ustion'], 'ustorious': ['sutorious', 'ustorious'], 'ustulina': ['lutianus', 'nautilus', 'ustulina'], 'usucaption': ['uncaptious', 'usucaption'], 'usure': ['eurus', 'usure'], 'usurper': ['pursuer', 'usurper'], 'ut': ['tu', 'ut'], 'uta': ['tau', 'tua', 'uta'], 'utas': ['saut', 'tasu', 'utas'], 'utch': ['chut', 'tchu', 'utch'], 'ute': ['tue', 'ute'], 'uteri': ['urite', 'uteri'], 'uterine': ['neurite', 'retinue', 'reunite', 'uterine'], 'uterocervical': ['overcirculate', 'uterocervical'], 'uterus': ['suture', 'uterus'], 'utile': ['luite', 'utile'], 'utilizable': ['latibulize', 'utilizable'], 'utopian': ['opuntia', 'utopian'], 'utopism': ['positum', 'utopism'], 'utopist': ['outspit', 'utopist'], 'utricular': ['turricula', 'utricular'], 'utriculosaccular': ['sacculoutricular', 'utriculosaccular'], 'utrum': ['murut', 'utrum'], 'utterer': ['reutter', 'utterer'], 'uva': ['uva', 'vau'], 'uval': ['ulva', 'uval'], 'uveal': ['uveal', 'value'], 'uviol': ['uviol', 'vouli'], 'vacate': ['cavate', 'caveat', 'vacate'], 'vacation': ['octavian', 'octavina', 'vacation'], 'vacationer': ['acervation', 'vacationer'], 'vaccinal': ['clavacin', 'vaccinal'], 'vacillate': ['laticlave', 'vacillate'], 'vacillation': ['cavillation', 'vacillation'], 'vacuolate': ['autoclave', 'vacuolate'], 'vade': ['dave', 'deva', 'vade', 'veda'], 'vady': ['davy', 'vady'], 'vage': ['gave', 'vage', 'vega'], 'vagile': ['glaive', 'vagile'], 'vaginant': ['navigant', 'vaginant'], 'vaginate': ['navigate', 'vaginate'], 'vaginoabdominal': ['abdominovaginal', 'vaginoabdominal'], 'vaginoperineal': ['perineovaginal', 'vaginoperineal'], 'vaginovesical': ['vaginovesical', 'vesicovaginal'], 'vaguity': ['gavyuti', 'vaguity'], 'vai': ['iva', 'vai', 'via'], 'vail': ['vail', 'vali', 'vial', 'vila'], 'vain': ['ivan', 'vain', 'vina'], 'vair': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'vakass': ['kavass', 'vakass'], 'vale': ['lave', 'vale', 'veal', 'vela'], 'valence': ['enclave', 'levance', 'valence'], 'valencia': ['valencia', 'valiance'], 'valent': ['levant', 'valent'], 'valentine': ['levantine', 'valentine'], 'valeria': ['reavail', 'valeria'], 'valeriana': ['laverania', 'valeriana'], 'valeric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'valerie': ['realive', 'valerie'], 'valerin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'valerone': ['overlean', 'valerone'], 'valeryl': ['ravelly', 'valeryl'], 'valeur': ['valeur', 'valuer'], 'vali': ['vail', 'vali', 'vial', 'vila'], 'valiance': ['valencia', 'valiance'], 'valiant': ['latvian', 'valiant'], 'valine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vallar': ['larval', 'vallar'], 'vallidom': ['vallidom', 'villadom'], 'vallota': ['lavolta', 'vallota'], 'valonia': ['novalia', 'valonia'], 'valor': ['valor', 'volar'], 'valsa': ['salva', 'valsa', 'vasal'], 'valse': ['salve', 'selva', 'slave', 'valse'], 'value': ['uveal', 'value'], 'valuer': ['valeur', 'valuer'], 'vamper': ['revamp', 'vamper'], 'vane': ['evan', 'nave', 'vane'], 'vaned': ['daven', 'vaned'], 'vangee': ['avenge', 'geneva', 'vangee'], 'vangeli': ['leaving', 'vangeli'], 'vanir': ['invar', 'ravin', 'vanir'], 'vanisher': ['enravish', 'ravenish', 'vanisher'], 'vansire': ['servian', 'vansire'], 'vapid': ['pavid', 'vapid'], 'vapidity': ['pavidity', 'vapidity'], 'vaporarium': ['parovarium', 'vaporarium'], 'vara': ['avar', 'vara'], 'varan': ['navar', 'varan', 'varna'], 'vare': ['aver', 'rave', 'vare', 'vera'], 'varec': ['carve', 'crave', 'varec'], 'vari': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'variate': ['variate', 'vateria'], 'varices': ['varices', 'viscera'], 'varicula': ['avicular', 'varicula'], 'variegator': ['arrogative', 'variegator'], 'varier': ['arrive', 'varier'], 'varietal': ['lievaart', 'varietal'], 'variola': ['ovarial', 'variola'], 'various': ['saviour', 'various'], 'varlet': ['travel', 'varlet'], 'varletry': ['varletry', 'veratryl'], 'varna': ['navar', 'varan', 'varna'], 'varnish': ['shirvan', 'varnish'], 'varnisher': ['revarnish', 'varnisher'], 'varsha': ['avshar', 'varsha'], 'vasal': ['salva', 'valsa', 'vasal'], 'vase': ['aves', 'save', 'vase'], 'vasoepididymostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'vat': ['tav', 'vat'], 'vateria': ['variate', 'vateria'], 'vaticide': ['cavitied', 'vaticide'], 'vaticinate': ['inactivate', 'vaticinate'], 'vaticination': ['inactivation', 'vaticination'], 'vatter': ['tavert', 'vatter'], 'vau': ['uva', 'vau'], 'vaudois': ['avidous', 'vaudois'], 'veal': ['lave', 'vale', 'veal', 'vela'], 'vealer': ['laveer', 'leaver', 'reveal', 'vealer'], 'vealiness': ['aliveness', 'vealiness'], 'vealy': ['leavy', 'vealy'], 'vector': ['covert', 'vector'], 'veda': ['dave', 'deva', 'vade', 'veda'], 'vedaic': ['advice', 'vedaic'], 'vedaism': ['adevism', 'vedaism'], 'vedana': ['nevada', 'vedana', 'venada'], 'vedanta': ['vedanta', 'vetanda'], 'vedantism': ['adventism', 'vedantism'], 'vedantist': ['adventist', 'vedantist'], 'vedist': ['divest', 'vedist'], 'vedro': ['dover', 'drove', 'vedro'], 'vee': ['eve', 'vee'], 'veen': ['even', 'neve', 'veen'], 'veer': ['ever', 'reve', 'veer'], 'veery': ['every', 'veery'], 'vega': ['gave', 'vage', 'vega'], 'vegasite': ['estivage', 'vegasite'], 'vegetarian': ['renavigate', 'vegetarian'], 'vei': ['vei', 'vie'], 'veil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'veiler': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'veiltail': ['illative', 'veiltail'], 'vein': ['vein', 'vine'], 'veinal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'veined': ['endive', 'envied', 'veined'], 'veiner': ['enrive', 'envier', 'veiner', 'verine'], 'veinless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'veinlet': ['veinlet', 'vinelet'], 'veinous': ['envious', 'niveous', 'veinous'], 'veinstone': ['veinstone', 'vonsenite'], 'veinwise': ['veinwise', 'vinewise'], 'vela': ['lave', 'vale', 'veal', 'vela'], 'velar': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'velaric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'velation': ['olivetan', 'velation'], 'velic': ['clive', 'velic'], 'veliform': ['overfilm', 'veliform'], 'velitation': ['levitation', 'tonalitive', 'velitation'], 'velo': ['levo', 'love', 'velo', 'vole'], 'velte': ['elvet', 'velte'], 'venada': ['nevada', 'vedana', 'venada'], 'venal': ['elvan', 'navel', 'venal'], 'venality': ['natively', 'venality'], 'venatic': ['catvine', 'venatic'], 'venation': ['innovate', 'venation'], 'venator': ['rotanev', 'venator'], 'venatorial': ['venatorial', 'venoatrial'], 'vendace': ['devance', 'vendace'], 'vender': ['revend', 'vender'], 'veneer': ['evener', 'veneer'], 'veneerer': ['reveneer', 'veneerer'], 'veneralia': ['ravenelia', 'veneralia'], 'venerant': ['revenant', 'venerant'], 'venerate': ['enervate', 'venerate'], 'veneration': ['enervation', 'veneration'], 'venerative': ['enervative', 'venerative'], 'venerator': ['enervator', 'renovater', 'venerator'], 'venerer': ['renerve', 'venerer'], 'veneres': ['sevener', 'veneres'], 'veneti': ['veneti', 'venite'], 'venetian': ['aventine', 'venetian'], 'venial': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'venice': ['cevine', 'evince', 'venice'], 'venie': ['nieve', 'venie'], 'venite': ['veneti', 'venite'], 'venoatrial': ['venatorial', 'venoatrial'], 'venom': ['novem', 'venom'], 'venosinal': ['slovenian', 'venosinal'], 'venter': ['revent', 'venter'], 'ventrad': ['ventrad', 'verdant'], 'ventricose': ['convertise', 'ventricose'], 'ventrine': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'ventrodorsad': ['dorsoventrad', 'ventrodorsad'], 'ventrodorsal': ['dorsoventral', 'ventrodorsal'], 'ventrodorsally': ['dorsoventrally', 'ventrodorsally'], 'ventrolateral': ['lateroventral', 'ventrolateral'], 'ventromedial': ['medioventral', 'ventromedial'], 'ventromesal': ['mesoventral', 'ventromesal'], 'venular': ['unravel', 'venular'], 'venus': ['nevus', 'venus'], 'venust': ['unvest', 'venust'], 'venutian': ['unnative', 'venutian'], 'vera': ['aver', 'rave', 'vare', 'vera'], 'veraciousness': ['oversauciness', 'veraciousness'], 'veratroidine': ['rederivation', 'veratroidine'], 'veratrole': ['relevator', 'revelator', 'veratrole'], 'veratryl': ['varletry', 'veratryl'], 'verbal': ['barvel', 'blaver', 'verbal'], 'verbality': ['verbality', 'veritably'], 'verbatim': ['ambivert', 'verbatim'], 'verbena': ['enbrave', 'verbena'], 'verberate': ['verberate', 'vertebrae'], 'verbose': ['observe', 'obverse', 'verbose'], 'verbosely': ['obversely', 'verbosely'], 'verdant': ['ventrad', 'verdant'], 'verdea': ['evader', 'verdea'], 'verdelho': ['overheld', 'verdelho'], 'verdin': ['driven', 'nervid', 'verdin'], 'verditer': ['diverter', 'redivert', 'verditer'], 'vergi': ['giver', 'vergi'], 'veri': ['rive', 'veri', 'vier', 'vire'], 'veridical': ['larvicide', 'veridical'], 'veridicous': ['recidivous', 'veridicous'], 'verily': ['livery', 'verily'], 'verine': ['enrive', 'envier', 'veiner', 'verine'], 'verism': ['verism', 'vermis'], 'verist': ['stiver', 'strive', 'verist'], 'veritable': ['avertible', 'veritable'], 'veritably': ['verbality', 'veritably'], 'vermian': ['minerva', 'vermian'], 'verminal': ['minerval', 'verminal'], 'vermis': ['verism', 'vermis'], 'vernacularist': ['intervascular', 'vernacularist'], 'vernal': ['nerval', 'vernal'], 'vernation': ['nervation', 'vernation'], 'vernicose': ['coversine', 'vernicose'], 'vernine': ['innerve', 'nervine', 'vernine'], 'veronese': ['overseen', 'veronese'], 'veronica': ['corvinae', 'veronica'], 'verpa': ['paver', 'verpa'], 'verre': ['rever', 'verre'], 'verrucous': ['recurvous', 'verrucous'], 'verruga': ['gravure', 'verruga'], 'versable': ['beslaver', 'servable', 'versable'], 'versal': ['salver', 'serval', 'slaver', 'versal'], 'versant': ['servant', 'versant'], 'versate': ['evestar', 'versate'], 'versation': ['overstain', 'servation', 'versation'], 'verse': ['serve', 'sever', 'verse'], 'verser': ['revers', 'server', 'verser'], 'verset': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'versicule': ['reclusive', 'versicule'], 'versine': ['inverse', 'versine'], 'versioner': ['reversion', 'versioner'], 'versionist': ['overinsist', 'versionist'], 'verso': ['servo', 'verso'], 'versta': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'vertebrae': ['verberate', 'vertebrae'], 'vertebrocostal': ['costovertebral', 'vertebrocostal'], 'vertebrosacral': ['sacrovertebral', 'vertebrosacral'], 'vertebrosternal': ['sternovertebral', 'vertebrosternal'], 'vertiginate': ['integrative', 'vertiginate', 'vinaigrette'], 'vesicant': ['cistvaen', 'vesicant'], 'vesicoabdominal': ['abdominovesical', 'vesicoabdominal'], 'vesicocervical': ['cervicovesical', 'vesicocervical'], 'vesicointestinal': ['intestinovesical', 'vesicointestinal'], 'vesicorectal': ['rectovesical', 'vesicorectal'], 'vesicovaginal': ['vaginovesical', 'vesicovaginal'], 'vespa': ['spave', 'vespa'], 'vespertine': ['presentive', 'pretensive', 'vespertine'], 'vespine': ['pensive', 'vespine'], 'vesta': ['stave', 'vesta'], 'vestalia': ['salivate', 'vestalia'], 'vestee': ['steeve', 'vestee'], 'vester': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'vestibula': ['sublative', 'vestibula'], 'veta': ['tave', 'veta'], 'vetanda': ['vedanta', 'vetanda'], 'veteran': ['nervate', 'veteran'], 'veto': ['veto', 'voet', 'vote'], 'vetoer': ['revote', 'vetoer'], 'via': ['iva', 'vai', 'via'], 'vial': ['vail', 'vali', 'vial', 'vila'], 'vialful': ['fluavil', 'fluvial', 'vialful'], 'viand': ['divan', 'viand'], 'viander': ['invader', 'ravined', 'viander'], 'viatic': ['avitic', 'viatic'], 'viatica': ['aviatic', 'viatica'], 'vibrate': ['vibrate', 'vrbaite'], 'vicar': ['vicar', 'vraic'], 'vice': ['cive', 'vice'], 'vicegeral': ['vicegeral', 'viceregal'], 'viceregal': ['vicegeral', 'viceregal'], 'victoriate': ['recitativo', 'victoriate'], 'victrola': ['victrola', 'vortical'], 'victualer': ['lucrative', 'revictual', 'victualer'], 'vidonia': ['ovidian', 'vidonia'], 'viduinae': ['induviae', 'viduinae'], 'viduine': ['univied', 'viduine'], 'vie': ['vei', 'vie'], 'vienna': ['avenin', 'vienna'], 'vier': ['rive', 'veri', 'vier', 'vire'], 'vierling': ['reviling', 'vierling'], 'view': ['view', 'wive'], 'viewer': ['review', 'viewer'], 'vigilante': ['genitival', 'vigilante'], 'vigor': ['vigor', 'virgo'], 'vila': ['vail', 'vali', 'vial', 'vila'], 'vile': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vilehearted': ['evilhearted', 'vilehearted'], 'vilely': ['evilly', 'lively', 'vilely'], 'vileness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'villadom': ['vallidom', 'villadom'], 'villeiness': ['liveliness', 'villeiness'], 'villous': ['ovillus', 'villous'], 'vimana': ['maniva', 'vimana'], 'vina': ['ivan', 'vain', 'vina'], 'vinaigrette': ['integrative', 'vertiginate', 'vinaigrette'], 'vinaigrous': ['vinaigrous', 'viraginous'], 'vinal': ['alvin', 'anvil', 'nival', 'vinal'], 'vinalia': ['lavinia', 'vinalia'], 'vinata': ['avanti', 'vinata'], 'vinculate': ['vinculate', 'vulcanite'], 'vine': ['vein', 'vine'], 'vinea': ['avine', 'naive', 'vinea'], 'vineal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vineatic': ['antivice', 'inactive', 'vineatic'], 'vinegarist': ['gainstrive', 'vinegarist'], 'vineless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'vinelet': ['veinlet', 'vinelet'], 'viner': ['riven', 'viner'], 'vinewise': ['veinwise', 'vinewise'], 'vinosity': ['nivosity', 'vinosity'], 'vintener': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'vintneress': ['inventress', 'vintneress'], 'viola': ['oliva', 'viola'], 'violability': ['obliviality', 'violability'], 'violaceous': ['olivaceous', 'violaceous'], 'violanin': ['livonian', 'violanin'], 'violational': ['avolitional', 'violational'], 'violer': ['oliver', 'violer', 'virole'], 'violescent': ['olivescent', 'violescent'], 'violet': ['olivet', 'violet'], 'violette': ['olivette', 'violette'], 'violine': ['olivine', 'violine'], 'vipera': ['pavier', 'vipera'], 'viperess': ['pressive', 'viperess'], 'viperian': ['viperian', 'viperina'], 'viperina': ['viperian', 'viperina'], 'viperous': ['pervious', 'previous', 'viperous'], 'viperously': ['perviously', 'previously', 'viperously'], 'viperousness': ['perviousness', 'previousness', 'viperousness'], 'vira': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'viraginian': ['irvingiana', 'viraginian'], 'viraginous': ['vinaigrous', 'viraginous'], 'viral': ['rival', 'viral'], 'virales': ['revisal', 'virales'], 'vire': ['rive', 'veri', 'vier', 'vire'], 'virent': ['invert', 'virent'], 'virgate': ['virgate', 'vitrage'], 'virgin': ['irving', 'riving', 'virgin'], 'virginly': ['rivingly', 'virginly'], 'virgo': ['vigor', 'virgo'], 'virile': ['livier', 'virile'], 'virole': ['oliver', 'violer', 'virole'], 'virose': ['rivose', 'virose'], 'virtual': ['virtual', 'vitular'], 'virtuose': ['virtuose', 'vitreous'], 'virulence': ['cervuline', 'virulence'], 'visa': ['avis', 'siva', 'visa'], 'viscera': ['varices', 'viscera'], 'visceration': ['insectivora', 'visceration'], 'visceroparietal': ['parietovisceral', 'visceroparietal'], 'visceropleural': ['pleurovisceral', 'visceropleural'], 'viscometer': ['semivector', 'viscometer'], 'viscontal': ['viscontal', 'volcanist'], 'vishal': ['lavish', 'vishal'], 'visioner': ['revision', 'visioner'], 'visit': ['visit', 'vitis'], 'visitant': ['nativist', 'visitant'], 'visitee': ['evisite', 'visitee'], 'visiter': ['revisit', 'visiter'], 'visitor': ['ivorist', 'visitor'], 'vistal': ['vistal', 'vitals'], 'visto': ['ovist', 'visto'], 'vitals': ['vistal', 'vitals'], 'vitis': ['visit', 'vitis'], 'vitochemical': ['chemicovital', 'vitochemical'], 'vitrage': ['virgate', 'vitrage'], 'vitrail': ['trivial', 'vitrail'], 'vitrailist': ['trivialist', 'vitrailist'], 'vitrain': ['vitrain', 'vitrina'], 'vitrean': ['avertin', 'vitrean'], 'vitreous': ['virtuose', 'vitreous'], 'vitrina': ['vitrain', 'vitrina'], 'vitrine': ['inviter', 'vitrine'], 'vitrophyric': ['thyroprivic', 'vitrophyric'], 'vitular': ['virtual', 'vitular'], 'vituperate': ['reputative', 'vituperate'], 'vlei': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vocaller': ['overcall', 'vocaller'], 'vocate': ['avocet', 'octave', 'vocate'], 'voet': ['veto', 'voet', 'vote'], 'voeten': ['voeten', 'voteen'], 'vogue': ['vogue', 'vouge'], 'voided': ['devoid', 'voided'], 'voider': ['devoir', 'voider'], 'voidless': ['dissolve', 'voidless'], 'voile': ['olive', 'ovile', 'voile'], 'volable': ['lovable', 'volable'], 'volage': ['lovage', 'volage'], 'volar': ['valor', 'volar'], 'volata': ['tavola', 'volata'], 'volatic': ['volatic', 'voltaic'], 'volcae': ['alcove', 'coeval', 'volcae'], 'volcanist': ['viscontal', 'volcanist'], 'vole': ['levo', 'love', 'velo', 'vole'], 'volery': ['overly', 'volery'], 'volitate': ['volitate', 'voltaite'], 'volley': ['lovely', 'volley'], 'volscian': ['slavonic', 'volscian'], 'volta': ['volta', 'votal'], 'voltaic': ['volatic', 'voltaic'], 'voltaite': ['volitate', 'voltaite'], 'volucrine': ['involucre', 'volucrine'], 'volunteerism': ['multinervose', 'volunteerism'], 'vomer': ['mover', 'vomer'], 'vomiter': ['revomit', 'vomiter'], 'vonsenite': ['veinstone', 'vonsenite'], 'vortical': ['victrola', 'vortical'], 'votal': ['volta', 'votal'], 'votary': ['travoy', 'votary'], 'vote': ['veto', 'voet', 'vote'], 'voteen': ['voeten', 'voteen'], 'voter': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'vouge': ['vogue', 'vouge'], 'vouli': ['uviol', 'vouli'], 'vowed': ['devow', 'vowed'], 'vowel': ['vowel', 'wolve'], 'vraic': ['vicar', 'vraic'], 'vrbaite': ['vibrate', 'vrbaite'], 'vulcanite': ['vinculate', 'vulcanite'], 'vulnerose': ['nervulose', 'unresolve', 'vulnerose'], 'vulpic': ['pulvic', 'vulpic'], 'vulpine': ['pluvine', 'vulpine'], 'wa': ['aw', 'wa'], 'waag': ['awag', 'waag'], 'waasi': ['isawa', 'waasi'], 'wab': ['baw', 'wab'], 'wabi': ['biwa', 'wabi'], 'wabster': ['bestraw', 'wabster'], 'wac': ['caw', 'wac'], 'wachna': ['chawan', 'chwana', 'wachna'], 'wack': ['cawk', 'wack'], 'wacker': ['awreck', 'wacker'], 'wacky': ['cawky', 'wacky'], 'wad': ['awd', 'daw', 'wad'], 'wadder': ['edward', 'wadder', 'warded'], 'waddler': ['dawdler', 'waddler'], 'waddling': ['dawdling', 'waddling'], 'waddlingly': ['dawdlingly', 'waddlingly'], 'waddy': ['dawdy', 'waddy'], 'wadna': ['adawn', 'wadna'], 'wadset': ['wadset', 'wasted'], 'wae': ['awe', 'wae', 'wea'], 'waeg': ['waeg', 'wage', 'wega'], 'waer': ['waer', 'ware', 'wear'], 'waesome': ['awesome', 'waesome'], 'wag': ['gaw', 'wag'], 'wage': ['waeg', 'wage', 'wega'], 'wagerer': ['rewager', 'wagerer'], 'wages': ['swage', 'wages'], 'waggel': ['waggel', 'waggle'], 'waggle': ['waggel', 'waggle'], 'wagnerite': ['wagnerite', 'winterage'], 'wagon': ['gowan', 'wagon', 'wonga'], 'wah': ['haw', 'hwa', 'wah', 'wha'], 'wahehe': ['heehaw', 'wahehe'], 'wail': ['wail', 'wali'], 'wailer': ['lawrie', 'wailer'], 'wain': ['awin', 'wain'], 'wainer': ['newari', 'wainer'], 'wairsh': ['rawish', 'wairsh', 'warish'], 'waist': ['swati', 'waist'], 'waister': ['swertia', 'waister'], 'waiterage': ['garewaite', 'waiterage'], 'waitress': ['starwise', 'waitress'], 'waiwai': ['iwaiwa', 'waiwai'], 'wake': ['wake', 'weak', 'weka'], 'wakener': ['rewaken', 'wakener'], 'waker': ['waker', 'wreak'], 'wakes': ['askew', 'wakes'], 'wale': ['wale', 'weal'], 'waled': ['dwale', 'waled', 'weald'], 'waler': ['lerwa', 'waler'], 'wali': ['wail', 'wali'], 'waling': ['lawing', 'waling'], 'walk': ['lawk', 'walk'], 'walkout': ['outwalk', 'walkout'], 'walkover': ['overwalk', 'walkover'], 'walkside': ['sidewalk', 'walkside'], 'waller': ['rewall', 'waller'], 'wallet': ['wallet', 'wellat'], 'wallhick': ['hickwall', 'wallhick'], 'walloper': ['preallow', 'walloper'], 'wallower': ['rewallow', 'wallower'], 'walsh': ['shawl', 'walsh'], 'walt': ['twal', 'walt'], 'walter': ['lawter', 'walter'], 'wame': ['wame', 'weam'], 'wamp': ['mawp', 'wamp'], 'wan': ['awn', 'naw', 'wan'], 'wand': ['dawn', 'wand'], 'wander': ['andrew', 'redawn', 'wander', 'warden'], 'wandle': ['delawn', 'lawned', 'wandle'], 'wandlike': ['dawnlike', 'wandlike'], 'wandy': ['dawny', 'wandy'], 'wane': ['anew', 'wane', 'wean'], 'waned': ['awned', 'dewan', 'waned'], 'wang': ['gawn', 'gnaw', 'wang'], 'wanghee': ['wanghee', 'whangee'], 'wangler': ['wangler', 'wrangle'], 'waning': ['awning', 'waning'], 'wankle': ['knawel', 'wankle'], 'wanly': ['lawny', 'wanly'], 'want': ['nawt', 'tawn', 'want'], 'wanty': ['tawny', 'wanty'], 'wany': ['awny', 'wany', 'yawn'], 'wap': ['paw', 'wap'], 'war': ['raw', 'war'], 'warble': ['bawler', 'brelaw', 'rebawl', 'warble'], 'warbler': ['brawler', 'warbler'], 'warbling': ['brawling', 'warbling'], 'warblingly': ['brawlingly', 'warblingly'], 'warbly': ['brawly', 'byrlaw', 'warbly'], 'ward': ['draw', 'ward'], 'wardable': ['drawable', 'wardable'], 'warded': ['edward', 'wadder', 'warded'], 'warden': ['andrew', 'redawn', 'wander', 'warden'], 'warder': ['drawer', 'redraw', 'reward', 'warder'], 'warderer': ['redrawer', 'rewarder', 'warderer'], 'warding': ['drawing', 'ginward', 'warding'], 'wardman': ['manward', 'wardman'], 'wardmote': ['damewort', 'wardmote'], 'wardrobe': ['drawbore', 'wardrobe'], 'wardroom': ['roomward', 'wardroom'], 'wardship': ['shipward', 'wardship'], 'wardsman': ['manwards', 'wardsman'], 'ware': ['waer', 'ware', 'wear'], 'warehouse': ['housewear', 'warehouse'], 'warf': ['warf', 'wraf'], 'warish': ['rawish', 'wairsh', 'warish'], 'warlock': ['lacwork', 'warlock'], 'warmed': ['meward', 'warmed'], 'warmer': ['rewarm', 'warmer'], 'warmhouse': ['housewarm', 'warmhouse'], 'warmish': ['warmish', 'wishram'], 'warn': ['warn', 'wran'], 'warnel': ['lawner', 'warnel'], 'warner': ['rewarn', 'warner', 'warren'], 'warp': ['warp', 'wrap'], 'warper': ['prewar', 'rewrap', 'warper'], 'warree': ['rewear', 'warree', 'wearer'], 'warren': ['rewarn', 'warner', 'warren'], 'warri': ['warri', 'wirra'], 'warse': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'warsel': ['swaler', 'warsel', 'warsle'], 'warsle': ['swaler', 'warsel', 'warsle'], 'warst': ['straw', 'swart', 'warst'], 'warth': ['thraw', 'warth', 'whart', 'wrath'], 'warua': ['warua', 'waura'], 'warve': ['warve', 'waver'], 'wary': ['awry', 'wary'], 'was': ['saw', 'swa', 'was'], 'wasel': ['swale', 'sweal', 'wasel'], 'wash': ['shaw', 'wash'], 'washen': ['washen', 'whenas'], 'washer': ['hawser', 'rewash', 'washer'], 'washington': ['nowanights', 'washington'], 'washland': ['landwash', 'washland'], 'washoan': ['shawano', 'washoan'], 'washout': ['outwash', 'washout'], 'washy': ['shawy', 'washy'], 'wasnt': ['stawn', 'wasnt'], 'wasp': ['swap', 'wasp'], 'waspily': ['slipway', 'waspily'], 'wast': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'waste': ['awest', 'sweat', 'tawse', 'waste'], 'wasted': ['wadset', 'wasted'], 'wasteful': ['sweatful', 'wasteful'], 'wasteless': ['sweatless', 'wasteless'], 'wasteproof': ['sweatproof', 'wasteproof'], 'wastrel': ['wastrel', 'wrastle'], 'wat': ['taw', 'twa', 'wat'], 'watchdog': ['dogwatch', 'watchdog'], 'watchout': ['outwatch', 'watchout'], 'water': ['tawer', 'water', 'wreat'], 'waterbrain': ['brainwater', 'waterbrain'], 'watered': ['dewater', 'tarweed', 'watered'], 'waterer': ['rewater', 'waterer'], 'waterflood': ['floodwater', 'toadflower', 'waterflood'], 'waterhead': ['headwater', 'waterhead'], 'wateriness': ['earwitness', 'wateriness'], 'waterlog': ['galewort', 'waterlog'], 'watershed': ['drawsheet', 'watershed'], 'watery': ['tawery', 'watery'], 'wath': ['thaw', 'wath', 'what'], 'watt': ['twat', 'watt'], 'wauf': ['awfu', 'wauf'], 'wauner': ['unware', 'wauner'], 'waura': ['warua', 'waura'], 'waver': ['warve', 'waver'], 'waxer': ['rewax', 'waxer'], 'way': ['way', 'yaw'], 'wayback': ['backway', 'wayback'], 'waygang': ['gangway', 'waygang'], 'waygate': ['gateway', 'getaway', 'waygate'], 'wayman': ['manway', 'wayman'], 'ways': ['sway', 'ways', 'yaws'], 'wayside': ['sideway', 'wayside'], 'wea': ['awe', 'wae', 'wea'], 'weak': ['wake', 'weak', 'weka'], 'weakener': ['reweaken', 'weakener'], 'weakliness': ['weakliness', 'weaselskin'], 'weal': ['wale', 'weal'], 'weald': ['dwale', 'waled', 'weald'], 'weam': ['wame', 'weam'], 'wean': ['anew', 'wane', 'wean'], 'weanel': ['leewan', 'weanel'], 'wear': ['waer', 'ware', 'wear'], 'wearer': ['rewear', 'warree', 'wearer'], 'weasand': ['sandawe', 'weasand'], 'weaselskin': ['weakliness', 'weaselskin'], 'weather': ['weather', 'whereat', 'wreathe'], 'weathered': ['heartweed', 'weathered'], 'weaver': ['rewave', 'weaver'], 'webster': ['bestrew', 'webster'], 'wed': ['dew', 'wed'], 'wede': ['wede', 'weed'], 'wedge': ['gweed', 'wedge'], 'wedger': ['edgrew', 'wedger'], 'wedset': ['stewed', 'wedset'], 'wee': ['ewe', 'wee'], 'weed': ['wede', 'weed'], 'weedhook': ['hookweed', 'weedhook'], 'weedy': ['dewey', 'weedy'], 'ween': ['ween', 'wene'], 'weeps': ['sweep', 'weeps'], 'weet': ['twee', 'weet'], 'wega': ['waeg', 'wage', 'wega'], 'wegotism': ['twigsome', 'wegotism'], 'weigher': ['reweigh', 'weigher'], 'weir': ['weir', 'weri', 'wire'], 'weirangle': ['weirangle', 'wierangle'], 'weird': ['weird', 'wired', 'wride', 'wried'], 'weka': ['wake', 'weak', 'weka'], 'weld': ['lewd', 'weld'], 'weldable': ['ballweed', 'weldable'], 'welder': ['reweld', 'welder'], 'weldor': ['lowder', 'weldor', 'wordle'], 'welf': ['flew', 'welf'], 'welkin': ['welkin', 'winkel', 'winkle'], 'well': ['llew', 'well'], 'wellat': ['wallet', 'wellat'], 'wels': ['slew', 'wels'], 'welshry': ['shrewly', 'welshry'], 'welting': ['twingle', 'welting', 'winglet'], 'wem': ['mew', 'wem'], 'wen': ['new', 'wen'], 'wende': ['endew', 'wende'], 'wendi': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'wene': ['ween', 'wene'], 'went': ['newt', 'went'], 'were': ['ewer', 'were'], 'weri': ['weir', 'weri', 'wire'], 'werther': ['werther', 'wherret'], 'wes': ['sew', 'wes'], 'weskit': ['weskit', 'wisket'], 'west': ['stew', 'west'], 'weste': ['sweet', 'weste'], 'westering': ['swingtree', 'westering'], 'westy': ['stewy', 'westy'], 'wet': ['tew', 'wet'], 'weta': ['tewa', 'twae', 'weta'], 'wetly': ['tewly', 'wetly'], 'wey': ['wey', 'wye', 'yew'], 'wha': ['haw', 'hwa', 'wah', 'wha'], 'whack': ['chawk', 'whack'], 'whale': ['whale', 'wheal'], 'wham': ['hawm', 'wham'], 'whame': ['whame', 'wheam'], 'whangee': ['wanghee', 'whangee'], 'whare': ['hawer', 'whare'], 'whart': ['thraw', 'warth', 'whart', 'wrath'], 'whase': ['hawse', 'shewa', 'whase'], 'what': ['thaw', 'wath', 'what'], 'whatreck': ['thwacker', 'whatreck'], 'whats': ['swath', 'whats'], 'wheal': ['whale', 'wheal'], 'wheam': ['whame', 'wheam'], 'wheat': ['awhet', 'wheat'], 'wheatear': ['aweather', 'wheatear'], 'wheedle': ['wheedle', 'wheeled'], 'wheel': ['hewel', 'wheel'], 'wheeled': ['wheedle', 'wheeled'], 'wheelroad': ['rowelhead', 'wheelroad'], 'wheer': ['hewer', 'wheer', 'where'], 'whein': ['whein', 'whine'], 'when': ['hewn', 'when'], 'whenas': ['washen', 'whenas'], 'whenso': ['whenso', 'whosen'], 'where': ['hewer', 'wheer', 'where'], 'whereat': ['weather', 'whereat', 'wreathe'], 'whereon': ['nowhere', 'whereon'], 'wherret': ['werther', 'wherret'], 'wherrit': ['wherrit', 'whirret', 'writher'], 'whet': ['hewt', 'thew', 'whet'], 'whichever': ['everwhich', 'whichever'], 'whicken': ['chewink', 'whicken'], 'whilter': ['whilter', 'whirtle'], 'whine': ['whein', 'whine'], 'whipper': ['prewhip', 'whipper'], 'whirler': ['rewhirl', 'whirler'], 'whirret': ['wherrit', 'whirret', 'writher'], 'whirtle': ['whilter', 'whirtle'], 'whisperer': ['rewhisper', 'whisperer'], 'whisson': ['snowish', 'whisson'], 'whist': ['swith', 'whist', 'whits', 'wisht'], 'whister': ['swither', 'whister', 'withers'], 'whit': ['whit', 'with'], 'white': ['white', 'withe'], 'whiten': ['whiten', 'withen'], 'whitener': ['rewhiten', 'whitener'], 'whitepot': ['whitepot', 'whitetop'], 'whites': ['swithe', 'whites'], 'whitetop': ['whitepot', 'whitetop'], 'whitewood': ['whitewood', 'withewood'], 'whitleather': ['therewithal', 'whitleather'], 'whitmanese': ['anthemwise', 'whitmanese'], 'whits': ['swith', 'whist', 'whits', 'wisht'], 'whity': ['whity', 'withy'], 'who': ['how', 'who'], 'whoever': ['everwho', 'however', 'whoever'], 'whole': ['howel', 'whole'], 'whomsoever': ['howsomever', 'whomsoever', 'whosomever'], 'whoreship': ['horsewhip', 'whoreship'], 'whort': ['throw', 'whort', 'worth', 'wroth'], 'whosen': ['whenso', 'whosen'], 'whosomever': ['howsomever', 'whomsoever', 'whosomever'], 'wicht': ['tchwi', 'wicht', 'witch'], 'widdle': ['widdle', 'wilded'], 'widely': ['dewily', 'widely', 'wieldy'], 'widen': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'widener': ['rewiden', 'widener'], 'wideness': ['dewiness', 'wideness'], 'widgeon': ['gowdnie', 'widgeon'], 'wieldy': ['dewily', 'widely', 'wieldy'], 'wierangle': ['weirangle', 'wierangle'], 'wigan': ['awing', 'wigan'], 'wiggler': ['wiggler', 'wriggle'], 'wilded': ['widdle', 'wilded'], 'wildness': ['wildness', 'windless'], 'winchester': ['trenchwise', 'winchester'], 'windbreak': ['breakwind', 'windbreak'], 'winder': ['rewind', 'winder'], 'windgall': ['dingwall', 'windgall'], 'windles': ['swindle', 'windles'], 'windless': ['wildness', 'windless'], 'windstorm': ['stormwind', 'windstorm'], 'windup': ['upwind', 'windup'], 'wined': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'winer': ['erwin', 'rewin', 'winer'], 'winglet': ['twingle', 'welting', 'winglet'], 'winkel': ['welkin', 'winkel', 'winkle'], 'winkle': ['welkin', 'winkel', 'winkle'], 'winklet': ['twinkle', 'winklet'], 'winnard': ['indrawn', 'winnard'], 'winnel': ['winnel', 'winnle'], 'winnle': ['winnel', 'winnle'], 'winsome': ['owenism', 'winsome'], 'wint': ['twin', 'wint'], 'winter': ['twiner', 'winter'], 'winterage': ['wagnerite', 'winterage'], 'wintered': ['interwed', 'wintered'], 'winterish': ['interwish', 'winterish'], 'winze': ['winze', 'wizen'], 'wips': ['wips', 'wisp'], 'wire': ['weir', 'weri', 'wire'], 'wired': ['weird', 'wired', 'wride', 'wried'], 'wirer': ['wirer', 'wrier'], 'wirra': ['warri', 'wirra'], 'wiselike': ['likewise', 'wiselike'], 'wiseman': ['manwise', 'wiseman'], 'wisen': ['sinew', 'swine', 'wisen'], 'wiser': ['swire', 'wiser'], 'wisewoman': ['wisewoman', 'womanwise'], 'wisher': ['rewish', 'wisher'], 'wishmay': ['wishmay', 'yahwism'], 'wishram': ['warmish', 'wishram'], 'wisht': ['swith', 'whist', 'whits', 'wisht'], 'wisket': ['weskit', 'wisket'], 'wisp': ['wips', 'wisp'], 'wispy': ['swipy', 'wispy'], 'wit': ['twi', 'wit'], 'witan': ['atwin', 'twain', 'witan'], 'witch': ['tchwi', 'wicht', 'witch'], 'witchetty': ['twitchety', 'witchetty'], 'with': ['whit', 'with'], 'withdrawer': ['rewithdraw', 'withdrawer'], 'withe': ['white', 'withe'], 'withen': ['whiten', 'withen'], 'wither': ['wither', 'writhe'], 'withered': ['redwithe', 'withered'], 'withering': ['withering', 'wrightine'], 'withers': ['swither', 'whister', 'withers'], 'withewood': ['whitewood', 'withewood'], 'within': ['inwith', 'within'], 'without': ['outwith', 'without'], 'withy': ['whity', 'withy'], 'wive': ['view', 'wive'], 'wiver': ['wiver', 'wrive'], 'wizen': ['winze', 'wizen'], 'wo': ['ow', 'wo'], 'woader': ['redowa', 'woader'], 'wob': ['bow', 'wob'], 'wod': ['dow', 'owd', 'wod'], 'woe': ['owe', 'woe'], 'woibe': ['bowie', 'woibe'], 'wold': ['dowl', 'wold'], 'wolf': ['flow', 'fowl', 'wolf'], 'wolfer': ['flower', 'fowler', 'reflow', 'wolfer'], 'wolter': ['rowlet', 'trowel', 'wolter'], 'wolve': ['vowel', 'wolve'], 'womanpost': ['postwoman', 'womanpost'], 'womanwise': ['wisewoman', 'womanwise'], 'won': ['now', 'own', 'won'], 'wonder': ['downer', 'wonder', 'worden'], 'wonderful': ['underflow', 'wonderful'], 'wone': ['enow', 'owen', 'wone'], 'wong': ['gown', 'wong'], 'wonga': ['gowan', 'wagon', 'wonga'], 'wonner': ['renown', 'wonner'], 'wont': ['nowt', 'town', 'wont'], 'wonted': ['towned', 'wonted'], 'woodbark': ['bookward', 'woodbark'], 'woodbind': ['bindwood', 'woodbind'], 'woodbush': ['bushwood', 'woodbush'], 'woodchat': ['chatwood', 'woodchat'], 'wooden': ['enwood', 'wooden'], 'woodfish': ['fishwood', 'woodfish'], 'woodhack': ['hackwood', 'woodhack'], 'woodhorse': ['horsewood', 'woodhorse'], 'woodness': ['sowdones', 'woodness'], 'woodpecker': ['peckerwood', 'woodpecker'], 'woodrock': ['corkwood', 'rockwood', 'woodrock'], 'woodsilver': ['silverwood', 'woodsilver'], 'woodstone': ['stonewood', 'woodstone'], 'woodworm': ['woodworm', 'wormwood'], 'wooled': ['dewool', 'elwood', 'wooled'], 'woons': ['swoon', 'woons'], 'woosh': ['howso', 'woosh'], 'wop': ['pow', 'wop'], 'worble': ['blower', 'bowler', 'reblow', 'worble'], 'word': ['drow', 'word'], 'wordage': ['dowager', 'wordage'], 'worden': ['downer', 'wonder', 'worden'], 'worder': ['reword', 'worder'], 'wordily': ['rowdily', 'wordily'], 'wordiness': ['rowdiness', 'wordiness'], 'wordle': ['lowder', 'weldor', 'wordle'], 'wordsman': ['sandworm', 'swordman', 'wordsman'], 'wordsmanship': ['swordmanship', 'wordsmanship'], 'wordy': ['dowry', 'rowdy', 'wordy'], 'wore': ['ower', 'wore'], 'workbasket': ['basketwork', 'workbasket'], 'workbench': ['benchwork', 'workbench'], 'workbook': ['bookwork', 'workbook'], 'workbox': ['boxwork', 'workbox'], 'workday': ['daywork', 'workday'], 'worker': ['rework', 'worker'], 'workhand': ['handwork', 'workhand'], 'workhouse': ['housework', 'workhouse'], 'working': ['kingrow', 'working'], 'workmaster': ['masterwork', 'workmaster'], 'workout': ['outwork', 'workout'], 'workpiece': ['piecework', 'workpiece'], 'workship': ['shipwork', 'workship'], 'workshop': ['shopwork', 'workshop'], 'worktime': ['timework', 'worktime'], 'wormed': ['deworm', 'wormed'], 'wormer': ['merrow', 'wormer'], 'wormroot': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'wormship': ['shipworm', 'wormship'], 'wormwood': ['woodworm', 'wormwood'], 'worse': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'worset': ['restow', 'stower', 'towser', 'worset'], 'worst': ['strow', 'worst'], 'wort': ['trow', 'wort'], 'worth': ['throw', 'whort', 'worth', 'wroth'], 'worthful': ['worthful', 'wrothful'], 'worthily': ['worthily', 'wrothily'], 'worthiness': ['worthiness', 'wrothiness'], 'worthy': ['worthy', 'wrothy'], 'wot': ['tow', 'two', 'wot'], 'wots': ['sowt', 'stow', 'swot', 'wots'], 'wounder': ['rewound', 'unrowed', 'wounder'], 'woy': ['woy', 'yow'], 'wraf': ['warf', 'wraf'], 'wrainbolt': ['browntail', 'wrainbolt'], 'wraitly': ['wraitly', 'wrytail'], 'wran': ['warn', 'wran'], 'wrangle': ['wangler', 'wrangle'], 'wrap': ['warp', 'wrap'], 'wrapper': ['prewrap', 'wrapper'], 'wrastle': ['wastrel', 'wrastle'], 'wrath': ['thraw', 'warth', 'whart', 'wrath'], 'wreak': ['waker', 'wreak'], 'wreat': ['tawer', 'water', 'wreat'], 'wreath': ['rethaw', 'thawer', 'wreath'], 'wreathe': ['weather', 'whereat', 'wreathe'], 'wrest': ['strew', 'trews', 'wrest'], 'wrester': ['strewer', 'wrester'], 'wrestle': ['swelter', 'wrestle'], 'wride': ['weird', 'wired', 'wride', 'wried'], 'wried': ['weird', 'wired', 'wride', 'wried'], 'wrier': ['wirer', 'wrier'], 'wriggle': ['wiggler', 'wriggle'], 'wrightine': ['withering', 'wrightine'], 'wrinklet': ['twinkler', 'wrinklet'], 'write': ['twire', 'write'], 'writhe': ['wither', 'writhe'], 'writher': ['wherrit', 'whirret', 'writher'], 'written': ['twinter', 'written'], 'wrive': ['wiver', 'wrive'], 'wro': ['row', 'wro'], 'wroken': ['knower', 'reknow', 'wroken'], 'wrong': ['grown', 'wrong'], 'wrote': ['rowet', 'tower', 'wrote'], 'wroth': ['throw', 'whort', 'worth', 'wroth'], 'wrothful': ['worthful', 'wrothful'], 'wrothily': ['worthily', 'wrothily'], 'wrothiness': ['worthiness', 'wrothiness'], 'wrothy': ['worthy', 'wrothy'], 'wrytail': ['wraitly', 'wrytail'], 'wunna': ['unwan', 'wunna'], 'wyde': ['dewy', 'wyde'], 'wye': ['wey', 'wye', 'yew'], 'wype': ['pewy', 'wype'], 'wyson': ['snowy', 'wyson'], 'xanthein': ['xanthein', 'xanthine'], 'xanthine': ['xanthein', 'xanthine'], 'xanthopurpurin': ['purpuroxanthin', 'xanthopurpurin'], 'xema': ['amex', 'exam', 'xema'], 'xenia': ['axine', 'xenia'], 'xenial': ['alexin', 'xenial'], 'xenoparasite': ['exasperation', 'xenoparasite'], 'xeres': ['resex', 'xeres'], 'xerophytic': ['hypertoxic', 'xerophytic'], 'xerotic': ['excitor', 'xerotic'], 'xylic': ['cylix', 'xylic'], 'xylitone': ['xylitone', 'xylonite'], 'xylonite': ['xylitone', 'xylonite'], 'xylophone': ['oxyphenol', 'xylophone'], 'xylose': ['lyxose', 'xylose'], 'xyst': ['styx', 'xyst'], 'xyster': ['sextry', 'xyster'], 'xysti': ['sixty', 'xysti'], 'ya': ['ay', 'ya'], 'yaba': ['baya', 'yaba'], 'yabber': ['babery', 'yabber'], 'yacht': ['cathy', 'cyath', 'yacht'], 'yachtist': ['chastity', 'yachtist'], 'yad': ['ady', 'day', 'yad'], 'yaff': ['affy', 'yaff'], 'yagnob': ['boyang', 'yagnob'], 'yah': ['hay', 'yah'], 'yahwism': ['wishmay', 'yahwism'], 'yair': ['airy', 'yair'], 'yaird': ['dairy', 'diary', 'yaird'], 'yak': ['kay', 'yak'], 'yakan': ['kayan', 'yakan'], 'yakima': ['kamiya', 'yakima'], 'yakka': ['kayak', 'yakka'], 'yalb': ['ably', 'blay', 'yalb'], 'yali': ['ilya', 'yali'], 'yalla': ['allay', 'yalla'], 'yallaer': ['allayer', 'yallaer'], 'yam': ['amy', 'may', 'mya', 'yam'], 'yamel': ['mealy', 'yamel'], 'yamen': ['maney', 'yamen'], 'yamilke': ['maylike', 'yamilke'], 'yamph': ['phyma', 'yamph'], 'yan': ['any', 'nay', 'yan'], 'yana': ['anay', 'yana'], 'yander': ['denary', 'yander'], 'yap': ['pay', 'pya', 'yap'], 'yapness': ['synapse', 'yapness'], 'yapper': ['papery', 'prepay', 'yapper'], 'yapster': ['atrepsy', 'yapster'], 'yar': ['ary', 'ray', 'yar'], 'yarb': ['bray', 'yarb'], 'yard': ['adry', 'dray', 'yard'], 'yardage': ['drayage', 'yardage'], 'yarder': ['dreary', 'yarder'], 'yardman': ['drayman', 'yardman'], 'yare': ['aery', 'eyra', 'yare', 'year'], 'yark': ['kyar', 'yark'], 'yarl': ['aryl', 'lyra', 'ryal', 'yarl'], 'yarm': ['army', 'mary', 'myra', 'yarm'], 'yarn': ['nary', 'yarn'], 'yarr': ['arry', 'yarr'], 'yarrow': ['arrowy', 'yarrow'], 'yaruran': ['unarray', 'yaruran'], 'yas': ['say', 'yas'], 'yasht': ['hasty', 'yasht'], 'yat': ['tay', 'yat'], 'yate': ['yate', 'yeat', 'yeta'], 'yatter': ['attery', 'treaty', 'yatter'], 'yaw': ['way', 'yaw'], 'yawler': ['lawyer', 'yawler'], 'yawn': ['awny', 'wany', 'yawn'], 'yaws': ['sway', 'ways', 'yaws'], 'ye': ['ey', 'ye'], 'yea': ['aye', 'yea'], 'yeah': ['ahey', 'eyah', 'yeah'], 'year': ['aery', 'eyra', 'yare', 'year'], 'yeard': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'yearly': ['layery', 'yearly'], 'yearn': ['enray', 'yearn'], 'yearth': ['earthy', 'hearty', 'yearth'], 'yeast': ['teasy', 'yeast'], 'yeat': ['yate', 'yeat', 'yeta'], 'yeather': ['erythea', 'hetaery', 'yeather'], 'yed': ['dey', 'dye', 'yed'], 'yede': ['eyed', 'yede'], 'yee': ['eye', 'yee'], 'yeel': ['eely', 'yeel'], 'yees': ['yees', 'yese'], 'yegg': ['eggy', 'yegg'], 'yelk': ['kyle', 'yelk'], 'yelm': ['elmy', 'yelm'], 'yelmer': ['merely', 'yelmer'], 'yelper': ['peerly', 'yelper'], 'yemen': ['enemy', 'yemen'], 'yemeni': ['menyie', 'yemeni'], 'yen': ['eyn', 'nye', 'yen'], 'yender': ['redeny', 'yender'], 'yeo': ['yeo', 'yoe'], 'yeorling': ['legionry', 'yeorling'], 'yer': ['rye', 'yer'], 'yerb': ['brey', 'byre', 'yerb'], 'yerba': ['barye', 'beray', 'yerba'], 'yerd': ['dyer', 'yerd'], 'yere': ['eyer', 'eyre', 'yere'], 'yern': ['ryen', 'yern'], 'yes': ['sey', 'sye', 'yes'], 'yese': ['yees', 'yese'], 'yest': ['stey', 'yest'], 'yester': ['reesty', 'yester'], 'yestern': ['streyne', 'styrene', 'yestern'], 'yet': ['tye', 'yet'], 'yeta': ['yate', 'yeat', 'yeta'], 'yeth': ['they', 'yeth'], 'yether': ['theyre', 'yether'], 'yetlin': ['lenity', 'yetlin'], 'yew': ['wey', 'wye', 'yew'], 'yielden': ['needily', 'yielden'], 'yielder': ['reedily', 'reyield', 'yielder'], 'yildun': ['unidly', 'yildun'], 'yill': ['illy', 'lily', 'yill'], 'yirm': ['miry', 'rimy', 'yirm'], 'ym': ['my', 'ym'], 'yock': ['coky', 'yock'], 'yodel': ['doyle', 'yodel'], 'yoe': ['yeo', 'yoe'], 'yoghurt': ['troughy', 'yoghurt'], 'yogin': ['goyin', 'yogin'], 'yoi': ['iyo', 'yoi'], 'yoker': ['rokey', 'yoker'], 'yolk': ['kylo', 'yolk'], 'yom': ['moy', 'yom'], 'yomud': ['moudy', 'yomud'], 'yon': ['noy', 'yon'], 'yond': ['ondy', 'yond'], 'yonder': ['rodney', 'yonder'], 'yont': ['tony', 'yont'], 'yor': ['ory', 'roy', 'yor'], 'yore': ['oyer', 'roey', 'yore'], 'york': ['kory', 'roky', 'york'], 'yot': ['toy', 'yot'], 'yote': ['eyot', 'yote'], 'youngun': ['unyoung', 'youngun'], 'yours': ['soury', 'yours'], 'yoursel': ['elusory', 'yoursel'], 'yoven': ['envoy', 'nevoy', 'yoven'], 'yow': ['woy', 'yow'], 'yowl': ['lowy', 'owly', 'yowl'], 'yowler': ['lowery', 'owlery', 'rowley', 'yowler'], 'yowt': ['towy', 'yowt'], 'yox': ['oxy', 'yox'], 'yttrious': ['touristy', 'yttrious'], 'yuca': ['cuya', 'yuca'], 'yuckel': ['yuckel', 'yuckle'], 'yuckle': ['yuckel', 'yuckle'], 'yulan': ['unlay', 'yulan'], 'yurok': ['rouky', 'yurok'], 'zabian': ['banzai', 'zabian'], 'zabra': ['braza', 'zabra'], 'zacate': ['azteca', 'zacate'], 'zad': ['adz', 'zad'], 'zag': ['gaz', 'zag'], 'zain': ['nazi', 'zain'], 'zaman': ['namaz', 'zaman'], 'zamenis': ['sizeman', 'zamenis'], 'zaparoan': ['parazoan', 'zaparoan'], 'zaratite': ['tatarize', 'zaratite'], 'zati': ['itza', 'tiza', 'zati'], 'zeal': ['laze', 'zeal'], 'zealotism': ['solmizate', 'zealotism'], 'zebra': ['braze', 'zebra'], 'zein': ['inez', 'zein'], 'zelanian': ['annalize', 'zelanian'], 'zelatrice': ['cartelize', 'zelatrice'], 'zemmi': ['zemmi', 'zimme'], 'zendic': ['dezinc', 'zendic'], 'zenick': ['zenick', 'zincke'], 'zenu': ['unze', 'zenu'], 'zequin': ['quinze', 'zequin'], 'zerda': ['adzer', 'zerda'], 'zerma': ['mazer', 'zerma'], 'ziarat': ['atazir', 'ziarat'], 'zibet': ['bizet', 'zibet'], 'ziega': ['gaize', 'ziega'], 'zimme': ['zemmi', 'zimme'], 'zincite': ['citizen', 'zincite'], 'zincke': ['zenick', 'zincke'], 'zinco': ['zinco', 'zonic'], 'zion': ['nozi', 'zion'], 'zira': ['izar', 'zira'], 'zirconate': ['narcotize', 'zirconate'], 'zoa': ['azo', 'zoa'], 'zoanthidae': ['zoanthidae', 'zoanthidea'], 'zoanthidea': ['zoanthidae', 'zoanthidea'], 'zoarite': ['azorite', 'zoarite'], 'zobo': ['bozo', 'zobo'], 'zoeal': ['azole', 'zoeal'], 'zogan': ['gazon', 'zogan'], 'zolotink': ['zolotink', 'zolotnik'], 'zolotnik': ['zolotink', 'zolotnik'], 'zonaria': ['arizona', 'azorian', 'zonaria'], 'zoned': ['dozen', 'zoned'], 'zonic': ['zinco', 'zonic'], 'zonotrichia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'zoonal': ['alonzo', 'zoonal'], 'zoonic': ['ozonic', 'zoonic'], 'zoonomic': ['monozoic', 'zoonomic'], 'zoopathy': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoophilic': ['philozoic', 'zoophilic'], 'zoophilist': ['philozoist', 'zoophilist'], 'zoophyta': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoospermatic': ['spermatozoic', 'zoospermatic'], 'zoosporic': ['sporozoic', 'zoosporic'], 'zootype': ['ozotype', 'zootype'], 'zyga': ['gazy', 'zyga'], 'zygal': ['glazy', 'zygal']}
all_anagrams = {'aal': ['aal', 'ala'], 'aam': ['aam', 'ama'], 'aaronic': ['aaronic', 'nicarao', 'ocarina'], 'aaronite': ['aaronite', 'aeration'], 'aaru': ['aaru', 'aura'], 'ab': ['ab', 'ba'], 'aba': ['aba', 'baa'], 'abac': ['abac', 'caba'], 'abactor': ['abactor', 'acrobat'], 'abaft': ['abaft', 'bafta'], 'abalone': ['abalone', 'balonea'], 'abandoner': ['abandoner', 'reabandon'], 'abanic': ['abanic', 'bianca'], 'abaris': ['abaris', 'arabis'], 'abas': ['abas', 'saba'], 'abaser': ['abaser', 'abrase'], 'abate': ['abate', 'ateba', 'batea', 'beata'], 'abater': ['abater', 'artabe', 'eartab', 'trabea'], 'abb': ['abb', 'bab'], 'abba': ['abba', 'baba'], 'abbey': ['abbey', 'bebay'], 'abby': ['abby', 'baby'], 'abdat': ['abdat', 'batad'], 'abdiel': ['abdiel', 'baldie'], 'abdominovaginal': ['abdominovaginal', 'vaginoabdominal'], 'abdominovesical': ['abdominovesical', 'vesicoabdominal'], 'abe': ['abe', 'bae', 'bea'], 'abed': ['abed', 'bade', 'bead'], 'abel': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'abele': ['abele', 'albee'], 'abelian': ['abelian', 'nebalia'], 'abenteric': ['abenteric', 'bicrenate'], 'aberia': ['aberia', 'baeria', 'baiera'], 'abet': ['abet', 'bate', 'beat', 'beta'], 'abetment': ['abetment', 'batement'], 'abettor': ['abettor', 'taboret'], 'abhorrent': ['abhorrent', 'earthborn'], 'abhorrer': ['abhorrer', 'harborer'], 'abider': ['abider', 'bardie'], 'abies': ['abies', 'beisa'], 'abilla': ['abilla', 'labial'], 'abilo': ['abilo', 'aboil'], 'abir': ['abir', 'bari', 'rabi'], 'abiston': ['abiston', 'bastion'], 'abiuret': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'abkar': ['abkar', 'arkab'], 'abkhas': ['abkhas', 'kasbah'], 'ablactate': ['ablactate', 'cabaletta'], 'ablare': ['ablare', 'arable', 'arbela'], 'ablastemic': ['ablastemic', 'masticable'], 'ablation': ['ablation', 'obtainal'], 'ablaut': ['ablaut', 'tabula'], 'able': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'ableness': ['ableness', 'blaeness', 'sensable'], 'ablepsia': ['ablepsia', 'epibasal'], 'abler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'ablest': ['ablest', 'stable', 'tables'], 'abloom': ['abloom', 'mabolo'], 'ablow': ['ablow', 'balow', 'bowla'], 'ablude': ['ablude', 'belaud'], 'abluent': ['abluent', 'tunable'], 'ablution': ['ablution', 'abutilon'], 'ably': ['ably', 'blay', 'yalb'], 'abmho': ['abmho', 'abohm'], 'abner': ['abner', 'arneb', 'reban'], 'abnet': ['abnet', 'beant'], 'abo': ['abo', 'boa'], 'aboard': ['aboard', 'aborad', 'abroad'], 'abode': ['abode', 'adobe'], 'abohm': ['abmho', 'abohm'], 'aboil': ['abilo', 'aboil'], 'abolisher': ['abolisher', 'reabolish'], 'abongo': ['abongo', 'gaboon'], 'aborad': ['aboard', 'aborad', 'abroad'], 'aboral': ['aboral', 'arbalo'], 'abord': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'abort': ['abort', 'tabor'], 'aborticide': ['aborticide', 'bacterioid'], 'abortient': ['abortient', 'torbanite'], 'abortin': ['abortin', 'taborin'], 'abortion': ['abortion', 'robotian'], 'abortive': ['abortive', 'bravoite'], 'abouts': ['abouts', 'basuto'], 'abram': ['abram', 'ambar'], 'abramis': ['abramis', 'arabism'], 'abrasax': ['abrasax', 'abraxas'], 'abrase': ['abaser', 'abrase'], 'abrasion': ['abrasion', 'sorabian'], 'abrastol': ['abrastol', 'albatros'], 'abraxas': ['abrasax', 'abraxas'], 'abreact': ['abreact', 'bractea', 'cabaret'], 'abret': ['abret', 'bater', 'berat'], 'abridge': ['abridge', 'brigade'], 'abrim': ['abrim', 'birma'], 'abrin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'abristle': ['abristle', 'libertas'], 'abroad': ['aboard', 'aborad', 'abroad'], 'abrotine': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'abrus': ['abrus', 'bursa', 'subra'], 'absalom': ['absalom', 'balsamo'], 'abscise': ['abscise', 'scabies'], 'absent': ['absent', 'basten'], 'absenter': ['absenter', 'reabsent'], 'absi': ['absi', 'bais', 'bias', 'isba'], 'absit': ['absit', 'batis'], 'absmho': ['absmho', 'absohm'], 'absohm': ['absmho', 'absohm'], 'absorber': ['absorber', 'reabsorb'], 'absorpt': ['absorpt', 'barpost'], 'abthain': ['abthain', 'habitan'], 'abulic': ['abulic', 'baculi'], 'abut': ['abut', 'tabu', 'tuba'], 'abuta': ['abuta', 'bauta'], 'abutilon': ['ablution', 'abutilon'], 'aby': ['aby', 'bay'], 'abysmal': ['abysmal', 'balsamy'], 'academite': ['academite', 'acetamide'], 'acadie': ['acadie', 'acedia', 'adicea'], 'acaleph': ['acaleph', 'acephal'], 'acalepha': ['acalepha', 'acephala'], 'acalephae': ['acalephae', 'apalachee'], 'acalephan': ['acalephan', 'acephalan'], 'acalyptrate': ['acalyptrate', 'calyptratae'], 'acamar': ['acamar', 'camara', 'maraca'], 'acanth': ['acanth', 'anchat', 'tanach'], 'acanthia': ['acanthia', 'achatina'], 'acanthial': ['acanthial', 'calathian'], 'acanthin': ['acanthin', 'chinanta'], 'acara': ['acara', 'araca'], 'acardia': ['acardia', 'acarida', 'arcadia'], 'acarian': ['acarian', 'acarina', 'acrania'], 'acarid': ['acarid', 'cardia', 'carida'], 'acarida': ['acardia', 'acarida', 'arcadia'], 'acarina': ['acarian', 'acarina', 'acrania'], 'acarine': ['acarine', 'acraein', 'arecain'], 'acastus': ['acastus', 'astacus'], 'acatholic': ['acatholic', 'chaotical'], 'acaudate': ['acaudate', 'ecaudata'], 'acca': ['acca', 'caca'], 'accelerator': ['accelerator', 'retrocaecal'], 'acception': ['acception', 'peccation'], 'accessioner': ['accessioner', 'reaccession'], 'accipitres': ['accipitres', 'preascitic'], 'accite': ['accite', 'acetic'], 'acclinate': ['acclinate', 'analectic'], 'accoil': ['accoil', 'calico'], 'accomplisher': ['accomplisher', 'reaccomplish'], 'accompt': ['accompt', 'compact'], 'accorder': ['accorder', 'reaccord'], 'accoy': ['accoy', 'ccoya'], 'accretion': ['accretion', 'anorectic', 'neoarctic'], 'accrual': ['accrual', 'carucal'], 'accurate': ['accurate', 'carucate'], 'accurse': ['accurse', 'accuser'], 'accusable': ['accusable', 'subcaecal'], 'accused': ['accused', 'succade'], 'accuser': ['accurse', 'accuser'], 'acedia': ['acadie', 'acedia', 'adicea'], 'acedy': ['acedy', 'decay'], 'acentric': ['acentric', 'encratic', 'nearctic'], 'acentrous': ['acentrous', 'courtesan', 'nectarous'], 'acephal': ['acaleph', 'acephal'], 'acephala': ['acalepha', 'acephala'], 'acephalan': ['acalephan', 'acephalan'], 'acephali': ['acephali', 'phacelia'], 'acephalina': ['acephalina', 'phalaecian'], 'acer': ['acer', 'acre', 'care', 'crea', 'race'], 'aceraceae': ['aceraceae', 'arecaceae'], 'aceraceous': ['aceraceous', 'arecaceous'], 'acerb': ['acerb', 'brace', 'caber'], 'acerbic': ['acerbic', 'breccia'], 'acerdol': ['acerdol', 'coraled'], 'acerin': ['acerin', 'cearin'], 'acerous': ['acerous', 'carouse', 'euscaro'], 'acervate': ['acervate', 'revacate'], 'acervation': ['acervation', 'vacationer'], 'acervuline': ['acervuline', 'avirulence'], 'acetamide': ['academite', 'acetamide'], 'acetamido': ['acetamido', 'coadamite'], 'acetanilid': ['acetanilid', 'laciniated', 'teniacidal'], 'acetanion': ['acetanion', 'antoecian'], 'acetation': ['acetation', 'itaconate'], 'acetic': ['accite', 'acetic'], 'acetin': ['acetin', 'actine', 'enatic'], 'acetmethylanilide': ['acetmethylanilide', 'methylacetanilide'], 'acetoin': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'acetol': ['acetol', 'colate', 'locate'], 'acetone': ['acetone', 'oceanet'], 'acetonuria': ['acetonuria', 'aeronautic'], 'acetopyrin': ['acetopyrin', 'capernoity'], 'acetous': ['acetous', 'outcase'], 'acetum': ['acetum', 'tecuma'], 'aceturic': ['aceturic', 'cruciate'], 'ach': ['ach', 'cha'], 'achar': ['achar', 'chara'], 'achate': ['achate', 'chaeta'], 'achatina': ['acanthia', 'achatina'], 'ache': ['ache', 'each', 'haec'], 'acheirus': ['acheirus', 'eucharis'], 'achen': ['achen', 'chane', 'chena', 'hance'], 'acher': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'acherontic': ['acherontic', 'anchoretic'], 'acherontical': ['acherontical', 'anchoretical'], 'achete': ['achete', 'hecate', 'teache', 'thecae'], 'acheulean': ['acheulean', 'euchlaena'], 'achill': ['achill', 'cahill', 'chilla'], 'achillea': ['achillea', 'heliacal'], 'acholia': ['acholia', 'alochia'], 'achondrite': ['achondrite', 'ditrochean', 'ordanchite'], 'achor': ['achor', 'chora', 'corah', 'orach', 'roach'], 'achras': ['achras', 'charas'], 'achromat': ['achromat', 'trachoma'], 'achromatin': ['achromatin', 'chariotman', 'machinator'], 'achromatinic': ['achromatinic', 'chromatician'], 'achtel': ['achtel', 'chalet', 'thecal', 'thecla'], 'achy': ['achy', 'chay'], 'aciculated': ['aciculated', 'claudicate'], 'acid': ['acid', 'cadi', 'caid'], 'acidanthera': ['acidanthera', 'cantharidae'], 'acider': ['acider', 'ericad'], 'acidimeter': ['acidimeter', 'mediatrice'], 'acidity': ['acidity', 'adicity'], 'acidly': ['acidly', 'acidyl'], 'acidometry': ['acidometry', 'medicatory', 'radiectomy'], 'acidophilous': ['acidophilous', 'aphidicolous'], 'acidyl': ['acidly', 'acidyl'], 'acier': ['acier', 'aeric', 'ceria', 'erica'], 'acieral': ['acieral', 'aerical'], 'aciform': ['aciform', 'formica'], 'acilius': ['acilius', 'iliacus'], 'acinar': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'acinic': ['acinic', 'incaic'], 'aciniform': ['aciniform', 'formicina'], 'acipenserid': ['acipenserid', 'presidencia'], 'acis': ['acis', 'asci', 'saic'], 'acker': ['acker', 'caker', 'crake', 'creak'], 'ackey': ['ackey', 'cakey'], 'acle': ['acle', 'alec', 'lace'], 'acleistous': ['acleistous', 'ossiculate'], 'aclemon': ['aclemon', 'cloamen'], 'aclinal': ['aclinal', 'ancilla'], 'aclys': ['aclys', 'scaly'], 'acme': ['acme', 'came', 'mace'], 'acmite': ['acmite', 'micate'], 'acne': ['acne', 'cane', 'nace'], 'acnemia': ['acnemia', 'anaemic'], 'acnida': ['acnida', 'anacid', 'dacian'], 'acnodal': ['acnodal', 'canadol', 'locanda'], 'acnode': ['acnode', 'deacon'], 'acoin': ['acoin', 'oncia'], 'acoma': ['acoma', 'macao'], 'acone': ['acone', 'canoe', 'ocean'], 'aconital': ['aconital', 'actional', 'anatolic'], 'aconite': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'aconitic': ['aconitic', 'cationic', 'itaconic'], 'aconitin': ['aconitin', 'inaction', 'nicotian'], 'aconitum': ['aconitum', 'acontium'], 'acontias': ['acontias', 'tacsonia'], 'acontium': ['aconitum', 'acontium'], 'acontius': ['acontius', 'anticous'], 'acopon': ['acopon', 'poonac'], 'acor': ['acor', 'caro', 'cora', 'orca'], 'acorn': ['acorn', 'acron', 'racon'], 'acorus': ['acorus', 'soucar'], 'acosmist': ['acosmist', 'massicot', 'somatics'], 'acquest': ['acquest', 'casquet'], 'acrab': ['acrab', 'braca'], 'acraein': ['acarine', 'acraein', 'arecain'], 'acrania': ['acarian', 'acarina', 'acrania'], 'acraniate': ['acraniate', 'carinatae'], 'acratia': ['acratia', 'cataria'], 'acre': ['acer', 'acre', 'care', 'crea', 'race'], 'acream': ['acream', 'camera', 'mareca'], 'acred': ['acred', 'cader', 'cadre', 'cedar'], 'acrid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'acridan': ['acridan', 'craniad'], 'acridian': ['acridian', 'cnidaria'], 'acrididae': ['acrididae', 'cardiidae', 'cidaridae'], 'acridly': ['acridly', 'acridyl'], 'acridonium': ['acridonium', 'dicoumarin'], 'acridyl': ['acridly', 'acridyl'], 'acrimonious': ['acrimonious', 'isocoumarin'], 'acrisius': ['acrisius', 'sicarius'], 'acrita': ['acrita', 'arctia'], 'acritan': ['acritan', 'arctian'], 'acrite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'acroa': ['acroa', 'caroa'], 'acrobat': ['abactor', 'acrobat'], 'acrocera': ['acrocera', 'caracore'], 'acroclinium': ['acroclinium', 'alcicornium'], 'acrodus': ['acrodus', 'crusado'], 'acrogen': ['acrogen', 'cornage'], 'acrolein': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'acrolith': ['acrolith', 'trochila'], 'acron': ['acorn', 'acron', 'racon'], 'acronical': ['acronical', 'alcoranic'], 'acronym': ['acronym', 'romancy'], 'acropetal': ['acropetal', 'cleopatra'], 'acrose': ['acrose', 'coarse'], 'acrostic': ['acrostic', 'sarcotic', 'socratic'], 'acrostical': ['acrostical', 'socratical'], 'acrostically': ['acrostically', 'socratically'], 'acrosticism': ['acrosticism', 'socraticism'], 'acrotic': ['acrotic', 'carotic'], 'acrotism': ['acrotism', 'rotacism'], 'acrotrophic': ['acrotrophic', 'prothoracic'], 'acryl': ['acryl', 'caryl', 'clary'], 'act': ['act', 'cat'], 'actaeonidae': ['actaeonidae', 'donatiaceae'], 'actian': ['actian', 'natica', 'tanica'], 'actifier': ['actifier', 'artifice'], 'actin': ['actin', 'antic'], 'actinal': ['actinal', 'alantic', 'alicant', 'antical'], 'actine': ['acetin', 'actine', 'enatic'], 'actiniform': ['actiniform', 'naticiform'], 'actinine': ['actinine', 'naticine'], 'actinism': ['actinism', 'manistic'], 'actinogram': ['actinogram', 'morganatic'], 'actinoid': ['actinoid', 'diatonic', 'naticoid'], 'actinon': ['actinon', 'cantion', 'contain'], 'actinopteran': ['actinopteran', 'precantation'], 'actinopteri': ['actinopteri', 'crepitation', 'precitation'], 'actinost': ['actinost', 'oscitant'], 'actinula': ['actinula', 'nautical'], 'action': ['action', 'atonic', 'cation'], 'actional': ['aconital', 'actional', 'anatolic'], 'actioner': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'activable': ['activable', 'biclavate'], 'activate': ['activate', 'cavitate'], 'activation': ['activation', 'cavitation'], 'activin': ['activin', 'civitan'], 'actomyosin': ['actomyosin', 'inocystoma'], 'acton': ['acton', 'canto', 'octan'], 'actor': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'actorship': ['actorship', 'strophaic'], 'acts': ['acts', 'cast', 'scat'], 'actuator': ['actuator', 'autocrat'], 'acture': ['acture', 'cauter', 'curate'], 'acuan': ['acuan', 'aucan'], 'acubens': ['acubens', 'benacus'], 'acumen': ['acumen', 'cueman'], 'acuminose': ['acuminose', 'mniaceous'], 'acutenaculum': ['acutenaculum', 'unaccumulate'], 'acuteness': ['acuteness', 'encaustes'], 'acutorsion': ['acutorsion', 'octonarius'], 'acyl': ['acyl', 'clay', 'lacy'], 'acylation': ['acylation', 'claytonia'], 'acylogen': ['acylogen', 'cynogale'], 'ad': ['ad', 'da'], 'adad': ['adad', 'adda', 'dada'], 'adage': ['adage', 'agade'], 'adam': ['adam', 'dama'], 'adamic': ['adamic', 'cadmia'], 'adamine': ['adamine', 'manidae'], 'adamite': ['adamite', 'amidate'], 'adamsite': ['adamsite', 'diastema'], 'adance': ['adance', 'ecanda'], 'adapter': ['adapter', 'predata', 'readapt'], 'adaption': ['adaption', 'adoptian'], 'adaptionism': ['adaptionism', 'adoptianism'], 'adar': ['adar', 'arad', 'raad', 'rada'], 'adarme': ['adarme', 'adream'], 'adat': ['adat', 'data'], 'adawn': ['adawn', 'wadna'], 'adays': ['adays', 'dasya'], 'add': ['add', 'dad'], 'adda': ['adad', 'adda', 'dada'], 'addendum': ['addendum', 'unmadded'], 'adder': ['adder', 'dread', 'readd'], 'addicent': ['addicent', 'dedicant'], 'addlings': ['addlings', 'saddling'], 'addresser': ['addresser', 'readdress'], 'addu': ['addu', 'dadu', 'daud', 'duad'], 'addy': ['addy', 'dyad'], 'ade': ['ade', 'dae'], 'adeem': ['adeem', 'ameed', 'edema'], 'adela': ['adela', 'dalea'], 'adeline': ['adeline', 'daniele', 'delaine'], 'adeling': ['adeling', 'dealing', 'leading'], 'adelops': ['adelops', 'deposal'], 'ademonist': ['ademonist', 'demoniast', 'staminode'], 'ademption': ['ademption', 'tampioned'], 'adendric': ['adendric', 'riddance'], 'adenectopic': ['adenectopic', 'pentadecoic'], 'adenia': ['adenia', 'idaean'], 'adenochondroma': ['adenochondroma', 'chondroadenoma'], 'adenocystoma': ['adenocystoma', 'cystoadenoma'], 'adenofibroma': ['adenofibroma', 'fibroadenoma'], 'adenolipoma': ['adenolipoma', 'palaemonoid'], 'adenosarcoma': ['adenosarcoma', 'sarcoadenoma'], 'adenylic': ['adenylic', 'lycaenid'], 'adeptness': ['adeptness', 'pedantess'], 'adequation': ['adequation', 'deaquation'], 'adermia': ['adermia', 'madeira'], 'adermin': ['adermin', 'amerind', 'dimeran'], 'adet': ['adet', 'date', 'tade', 'tead', 'teda'], 'adevism': ['adevism', 'vedaism'], 'adhere': ['adhere', 'header', 'hedera', 'rehead'], 'adherent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'adiaphon': ['adiaphon', 'aphodian'], 'adib': ['adib', 'ibad'], 'adicea': ['acadie', 'acedia', 'adicea'], 'adicity': ['acidity', 'adicity'], 'adiel': ['adiel', 'delia', 'ideal'], 'adieux': ['adieux', 'exaudi'], 'adighe': ['adighe', 'hidage'], 'adin': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'adinole': ['adinole', 'idoneal'], 'adion': ['adion', 'danio', 'doina', 'donia'], 'adipocele': ['adipocele', 'cepolidae', 'ploceidae'], 'adipocere': ['adipocere', 'percoidea'], 'adipyl': ['adipyl', 'plaidy'], 'adit': ['adit', 'dita'], 'adital': ['adital', 'altaid'], 'aditus': ['aditus', 'studia'], 'adjuster': ['adjuster', 'readjust'], 'adlai': ['adlai', 'alida'], 'adlay': ['adlay', 'dayal'], 'adlet': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'adlumine': ['adlumine', 'unmailed'], 'adman': ['adman', 'daman', 'namda'], 'admi': ['admi', 'amid', 'madi', 'maid'], 'adminicle': ['adminicle', 'medicinal'], 'admire': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'admired': ['admired', 'diaderm'], 'admirer': ['admirer', 'madrier', 'married'], 'admissive': ['admissive', 'misadvise'], 'admit': ['admit', 'atmid'], 'admittee': ['admittee', 'meditate'], 'admonisher': ['admonisher', 'rhamnoside'], 'admonition': ['admonition', 'domination'], 'admonitive': ['admonitive', 'dominative'], 'admonitor': ['admonitor', 'dominator'], 'adnascence': ['adnascence', 'ascendance'], 'adnascent': ['adnascent', 'ascendant'], 'adnate': ['adnate', 'entada'], 'ado': ['ado', 'dao', 'oda'], 'adobe': ['abode', 'adobe'], 'adolph': ['adolph', 'pholad'], 'adonai': ['adonai', 'adonia'], 'adonia': ['adonai', 'adonia'], 'adonic': ['adonic', 'anodic'], 'adonin': ['adonin', 'nanoid', 'nonaid'], 'adoniram': ['adoniram', 'radioman'], 'adonize': ['adonize', 'anodize'], 'adopter': ['adopter', 'protead', 'readopt'], 'adoptian': ['adaption', 'adoptian'], 'adoptianism': ['adaptionism', 'adoptianism'], 'adoptional': ['adoptional', 'aplodontia'], 'adorability': ['adorability', 'roadability'], 'adorable': ['adorable', 'roadable'], 'adorant': ['adorant', 'ondatra'], 'adore': ['adore', 'oared', 'oread'], 'adorer': ['adorer', 'roader'], 'adorn': ['adorn', 'donar', 'drona', 'radon'], 'adorner': ['adorner', 'readorn'], 'adpao': ['adpao', 'apoda'], 'adpromission': ['adpromission', 'proadmission'], 'adream': ['adarme', 'adream'], 'adrenin': ['adrenin', 'nardine'], 'adrenine': ['adrenine', 'adrienne'], 'adrenolytic': ['adrenolytic', 'declinatory'], 'adrenotropic': ['adrenotropic', 'incorporated'], 'adrian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'adrienne': ['adrenine', 'adrienne'], 'adrip': ['adrip', 'rapid'], 'adroitly': ['adroitly', 'dilatory', 'idolatry'], 'adrop': ['adrop', 'pardo'], 'adry': ['adry', 'dray', 'yard'], 'adscendent': ['adscendent', 'descendant'], 'adsmith': ['adsmith', 'mahdist'], 'adular': ['adular', 'aludra', 'radula'], 'adulation': ['adulation', 'laudation'], 'adulator': ['adulator', 'laudator'], 'adulatory': ['adulatory', 'laudatory'], 'adult': ['adult', 'dulat'], 'adulterine': ['adulterine', 'laurentide'], 'adultness': ['adultness', 'dauntless'], 'adustion': ['adustion', 'sudation'], 'advene': ['advene', 'evadne'], 'adventism': ['adventism', 'vedantism'], 'adventist': ['adventist', 'vedantist'], 'adventure': ['adventure', 'unaverted'], 'advice': ['advice', 'vedaic'], 'ady': ['ady', 'day', 'yad'], 'adz': ['adz', 'zad'], 'adze': ['adze', 'daze'], 'adzer': ['adzer', 'zerda'], 'ae': ['ae', 'ea'], 'aecidioform': ['aecidioform', 'formicoidea'], 'aedilian': ['aedilian', 'laniidae'], 'aedilic': ['aedilic', 'elaidic'], 'aedility': ['aedility', 'ideality'], 'aegipan': ['aegipan', 'apinage'], 'aegirine': ['aegirine', 'erigenia'], 'aegirite': ['aegirite', 'ariegite'], 'aegle': ['aegle', 'eagle', 'galee'], 'aenean': ['aenean', 'enaena'], 'aeolharmonica': ['aeolharmonica', 'chloroanaemia'], 'aeolian': ['aeolian', 'aeolina', 'aeonial'], 'aeolic': ['aeolic', 'coelia'], 'aeolina': ['aeolian', 'aeolina', 'aeonial'], 'aeolis': ['aeolis', 'laiose'], 'aeolist': ['aeolist', 'isolate'], 'aeolistic': ['aeolistic', 'socialite'], 'aeon': ['aeon', 'eoan'], 'aeonial': ['aeolian', 'aeolina', 'aeonial'], 'aeonist': ['aeonist', 'asiento', 'satieno'], 'aer': ['aer', 'are', 'ear', 'era', 'rea'], 'aerage': ['aerage', 'graeae'], 'aerarian': ['aerarian', 'arenaria'], 'aeration': ['aaronite', 'aeration'], 'aerial': ['aerial', 'aralie'], 'aeric': ['acier', 'aeric', 'ceria', 'erica'], 'aerical': ['acieral', 'aerical'], 'aeried': ['aeried', 'dearie'], 'aerogenic': ['aerogenic', 'recoinage'], 'aerographer': ['aerographer', 'areographer'], 'aerographic': ['aerographic', 'areographic'], 'aerographical': ['aerographical', 'areographical'], 'aerography': ['aerography', 'areography'], 'aerologic': ['aerologic', 'areologic'], 'aerological': ['aerological', 'areological'], 'aerologist': ['aerologist', 'areologist'], 'aerology': ['aerology', 'areology'], 'aeromantic': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'aerometer': ['aerometer', 'areometer'], 'aerometric': ['aerometric', 'areometric'], 'aerometry': ['aerometry', 'areometry'], 'aeronautic': ['acetonuria', 'aeronautic'], 'aeronautism': ['aeronautism', 'measuration'], 'aerope': ['aerope', 'operae'], 'aerophilic': ['aerophilic', 'epichorial'], 'aerosol': ['aerosol', 'roseola'], 'aerostatics': ['aerostatics', 'aortectasis'], 'aery': ['aery', 'eyra', 'yare', 'year'], 'aes': ['aes', 'ase', 'sea'], 'aesthetic': ['aesthetic', 'chaetites'], 'aethalioid': ['aethalioid', 'haliotidae'], 'aetian': ['aetian', 'antiae', 'taenia'], 'aetobatus': ['aetobatus', 'eastabout'], 'afebrile': ['afebrile', 'balefire', 'fireable'], 'afenil': ['afenil', 'finale'], 'affair': ['affair', 'raffia'], 'affecter': ['affecter', 'reaffect'], 'affeer': ['affeer', 'raffee'], 'affiance': ['affiance', 'caffeina'], 'affirmer': ['affirmer', 'reaffirm'], 'afflicter': ['afflicter', 'reafflict'], 'affy': ['affy', 'yaff'], 'afghan': ['afghan', 'hafgan'], 'afield': ['afield', 'defial'], 'afire': ['afire', 'feria'], 'aflare': ['aflare', 'rafael'], 'aflat': ['aflat', 'fatal'], 'afresh': ['afresh', 'fasher', 'ferash'], 'afret': ['afret', 'after'], 'afric': ['afric', 'firca'], 'afshar': ['afshar', 'ashraf'], 'aft': ['aft', 'fat'], 'after': ['afret', 'after'], 'afteract': ['afteract', 'artefact', 'farcetta', 'farctate'], 'afterage': ['afterage', 'fregatae'], 'afterblow': ['afterblow', 'batfowler'], 'aftercome': ['aftercome', 'forcemeat'], 'aftercrop': ['aftercrop', 'prefactor'], 'aftergo': ['aftergo', 'fagoter'], 'afterguns': ['afterguns', 'transfuge'], 'aftermath': ['aftermath', 'hamfatter'], 'afterstate': ['afterstate', 'aftertaste'], 'aftertaste': ['afterstate', 'aftertaste'], 'afunctional': ['afunctional', 'unfactional'], 'agade': ['adage', 'agade'], 'agal': ['agal', 'agla', 'alga', 'gala'], 'agalite': ['agalite', 'tailage', 'taliage'], 'agalma': ['agalma', 'malaga'], 'agama': ['agama', 'amaga'], 'agamid': ['agamid', 'madiga'], 'agapeti': ['agapeti', 'agpaite'], 'agapornis': ['agapornis', 'sporangia'], 'agar': ['agar', 'agra', 'gara', 'raga'], 'agaricin': ['agaricin', 'garcinia'], 'agau': ['agau', 'agua'], 'aged': ['aged', 'egad', 'gade'], 'ageless': ['ageless', 'eagless'], 'agen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'agenesic': ['agenesic', 'genesiac'], 'agenesis': ['agenesis', 'assignee'], 'agential': ['agential', 'alginate'], 'agentive': ['agentive', 'negative'], 'ager': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agger': ['agger', 'gager', 'regga'], 'aggeration': ['aggeration', 'agregation'], 'aggry': ['aggry', 'raggy'], 'agialid': ['agialid', 'galidia'], 'agib': ['agib', 'biga', 'gabi'], 'agiel': ['agiel', 'agile', 'galei'], 'agile': ['agiel', 'agile', 'galei'], 'agileness': ['agileness', 'signalese'], 'agistment': ['agistment', 'magnetist'], 'agistor': ['agistor', 'agrotis', 'orgiast'], 'agla': ['agal', 'agla', 'alga', 'gala'], 'aglaos': ['aglaos', 'salago'], 'aglare': ['aglare', 'alegar', 'galera', 'laager'], 'aglet': ['aglet', 'galet'], 'agley': ['agley', 'galey'], 'agmatine': ['agmatine', 'agminate'], 'agminate': ['agmatine', 'agminate'], 'agminated': ['agminated', 'diamagnet'], 'agnail': ['agnail', 'linaga'], 'agname': ['agname', 'manage'], 'agnel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'agnes': ['agnes', 'gesan'], 'agnize': ['agnize', 'ganzie'], 'agnosis': ['agnosis', 'ganosis'], 'agnostic': ['agnostic', 'coasting'], 'agnus': ['agnus', 'angus', 'sugan'], 'ago': ['ago', 'goa'], 'agon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'agonal': ['agonal', 'angola'], 'agone': ['agone', 'genoa'], 'agoniadin': ['agoniadin', 'anangioid', 'ganoidian'], 'agonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'agonista': ['agonista', 'santiago'], 'agonizer': ['agonizer', 'orangize', 'organize'], 'agpaite': ['agapeti', 'agpaite'], 'agra': ['agar', 'agra', 'gara', 'raga'], 'agral': ['agral', 'argal'], 'agrania': ['agrania', 'angaria', 'niagara'], 'agre': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agree': ['agree', 'eager', 'eagre'], 'agreed': ['agreed', 'geared'], 'agregation': ['aggeration', 'agregation'], 'agrege': ['agrege', 'raggee'], 'agrestian': ['agrestian', 'gerastian', 'stangeria'], 'agrestic': ['agrestic', 'ergastic'], 'agria': ['agria', 'igara'], 'agricolist': ['agricolist', 'algoristic'], 'agrilus': ['agrilus', 'gularis'], 'agrin': ['agrin', 'grain'], 'agrito': ['agrito', 'ortiga'], 'agroan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'agrom': ['agrom', 'morga'], 'agrotis': ['agistor', 'agrotis', 'orgiast'], 'aground': ['aground', 'durango'], 'agrufe': ['agrufe', 'gaufer', 'gaufre'], 'agrypnia': ['agrypnia', 'paginary'], 'agsam': ['agsam', 'magas'], 'agua': ['agau', 'agua'], 'ague': ['ague', 'auge'], 'agush': ['agush', 'saugh'], 'agust': ['agust', 'tsuga'], 'agy': ['agy', 'gay'], 'ah': ['ah', 'ha'], 'ahem': ['ahem', 'haem', 'hame'], 'ahet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'ahey': ['ahey', 'eyah', 'yeah'], 'ahind': ['ahind', 'dinah'], 'ahint': ['ahint', 'hiant', 'tahin'], 'ahir': ['ahir', 'hair'], 'ahmed': ['ahmed', 'hemad'], 'ahmet': ['ahmet', 'thema'], 'aho': ['aho', 'hao'], 'ahom': ['ahom', 'moha'], 'ahong': ['ahong', 'hogan'], 'ahorse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ahoy': ['ahoy', 'hoya'], 'ahriman': ['ahriman', 'miranha'], 'ahsan': ['ahsan', 'hansa', 'hasan'], 'aht': ['aht', 'hat', 'tha'], 'ahtena': ['ahtena', 'aneath', 'athena'], 'ahu': ['ahu', 'auh', 'hau'], 'ahum': ['ahum', 'huma'], 'ahunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'aid': ['aid', 'ida'], 'aidance': ['aidance', 'canidae'], 'aide': ['aide', 'idea'], 'aidenn': ['aidenn', 'andine', 'dannie', 'indane'], 'aider': ['aider', 'deair', 'irade', 'redia'], 'aides': ['aides', 'aside', 'sadie'], 'aiel': ['aiel', 'aile', 'elia'], 'aiglet': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ail': ['ail', 'ila', 'lai'], 'ailantine': ['ailantine', 'antialien'], 'ailanto': ['ailanto', 'alation', 'laotian', 'notalia'], 'aile': ['aiel', 'aile', 'elia'], 'aileen': ['aileen', 'elaine'], 'aileron': ['aileron', 'alienor'], 'ailing': ['ailing', 'angili', 'nilgai'], 'ailment': ['ailment', 'aliment'], 'aim': ['aim', 'ami', 'ima'], 'aimer': ['aimer', 'maire', 'marie', 'ramie'], 'aimless': ['aimless', 'melissa', 'seismal'], 'ainaleh': ['ainaleh', 'halenia'], 'aint': ['aint', 'anti', 'tain', 'tina'], 'aion': ['aion', 'naio'], 'air': ['air', 'ira', 'ria'], 'aira': ['aira', 'aria', 'raia'], 'airan': ['airan', 'arain', 'arian'], 'airdrome': ['airdrome', 'armoried'], 'aire': ['aire', 'eria'], 'airer': ['airer', 'arrie'], 'airlike': ['airlike', 'kiliare'], 'airman': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'airplane': ['airplane', 'perianal'], 'airplanist': ['airplanist', 'triplasian'], 'airt': ['airt', 'rita', 'tari', 'tiar'], 'airy': ['airy', 'yair'], 'aisle': ['aisle', 'elias'], 'aisled': ['aisled', 'deasil', 'ladies', 'sailed'], 'aisling': ['aisling', 'sailing'], 'aissor': ['aissor', 'rissoa'], 'ait': ['ait', 'ati', 'ita', 'tai'], 'aitch': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'aition': ['aition', 'itonia'], 'aizle': ['aizle', 'eliza'], 'ajar': ['ajar', 'jara', 'raja'], 'ajhar': ['ajhar', 'rajah'], 'ajuga': ['ajuga', 'jagua'], 'ak': ['ak', 'ka'], 'akal': ['akal', 'kala'], 'akali': ['akali', 'alaki'], 'akan': ['akan', 'kana'], 'ake': ['ake', 'kea'], 'akebi': ['akebi', 'bakie'], 'akha': ['akha', 'kaha'], 'akim': ['akim', 'maki'], 'akin': ['akin', 'kina', 'naik'], 'akka': ['akka', 'kaka'], 'aknee': ['aknee', 'ankee', 'keena'], 'ako': ['ako', 'koa', 'oak', 'oka'], 'akoasma': ['akoasma', 'amakosa'], 'aku': ['aku', 'auk', 'kua'], 'al': ['al', 'la'], 'ala': ['aal', 'ala'], 'alacritous': ['alacritous', 'lactarious', 'lactosuria'], 'alain': ['alain', 'alani', 'liana'], 'alaki': ['akali', 'alaki'], 'alalite': ['alalite', 'tillaea'], 'alamo': ['alamo', 'aloma'], 'alan': ['alan', 'anal', 'lana'], 'alangin': ['alangin', 'anginal', 'anglian', 'nagnail'], 'alangine': ['alangine', 'angelina', 'galenian'], 'alani': ['alain', 'alani', 'liana'], 'alanine': ['alanine', 'linnaea'], 'alans': ['alans', 'lanas', 'nasal'], 'alantic': ['actinal', 'alantic', 'alicant', 'antical'], 'alantolic': ['alantolic', 'allantoic'], 'alanyl': ['alanyl', 'anally'], 'alares': ['alares', 'arales'], 'alaria': ['alaria', 'aralia'], 'alaric': ['alaric', 'racial'], 'alarm': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'alarmable': ['alarmable', 'ambarella'], 'alarmedly': ['alarmedly', 'medallary'], 'alarming': ['alarming', 'marginal'], 'alarmingly': ['alarmingly', 'marginally'], 'alarmist': ['alarmist', 'alastrim'], 'alas': ['alas', 'lasa'], 'alastair': ['alastair', 'salariat'], 'alaster': ['alaster', 'tarsale'], 'alastrim': ['alarmist', 'alastrim'], 'alatern': ['alatern', 'lateran'], 'alaternus': ['alaternus', 'saturnale'], 'alation': ['ailanto', 'alation', 'laotian', 'notalia'], 'alb': ['alb', 'bal', 'lab'], 'alba': ['alba', 'baal', 'bala'], 'alban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'albanite': ['albanite', 'balanite', 'nabalite'], 'albardine': ['albardine', 'drainable'], 'albarium': ['albarium', 'brumalia'], 'albata': ['albata', 'atabal', 'balata'], 'albatros': ['abrastol', 'albatros'], 'albe': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'albedo': ['albedo', 'doable'], 'albee': ['abele', 'albee'], 'albeit': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'albert': ['albert', 'balter', 'labret', 'tabler'], 'alberta': ['alberta', 'latebra', 'ratable'], 'albertina': ['albertina', 'trainable'], 'alberto': ['alberto', 'bloater', 'latrobe'], 'albetad': ['albetad', 'datable'], 'albi': ['albi', 'bail', 'bali'], 'albian': ['albian', 'bilaan'], 'albin': ['albin', 'binal', 'blain'], 'albino': ['albino', 'albion', 'alboin', 'oliban'], 'albion': ['albino', 'albion', 'alboin', 'oliban'], 'albite': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'alboin': ['albino', 'albion', 'alboin', 'oliban'], 'alboranite': ['alboranite', 'rationable'], 'albronze': ['albronze', 'blazoner'], 'albuca': ['albuca', 'bacula'], 'albuminate': ['albuminate', 'antelabium'], 'alburnum': ['alburnum', 'laburnum'], 'alcaic': ['alcaic', 'cicala'], 'alcaide': ['alcaide', 'alcidae'], 'alcamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'alcantarines': ['alcantarines', 'lancasterian'], 'alcedo': ['alcedo', 'dacelo'], 'alces': ['alces', 'casel', 'scale'], 'alchemic': ['alchemic', 'chemical'], 'alchemistic': ['alchemistic', 'hemiclastic'], 'alchera': ['alchera', 'archeal'], 'alchitran': ['alchitran', 'clathrina'], 'alcicornium': ['acroclinium', 'alcicornium'], 'alcidae': ['alcaide', 'alcidae'], 'alcidine': ['alcidine', 'danielic', 'lecaniid'], 'alcine': ['alcine', 'ancile'], 'alco': ['alco', 'coal', 'cola', 'loca'], 'alcoate': ['alcoate', 'coelata'], 'alcogel': ['alcogel', 'collage'], 'alcor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'alcoran': ['alcoran', 'ancoral', 'carolan'], 'alcoranic': ['acronical', 'alcoranic'], 'alcove': ['alcove', 'coeval', 'volcae'], 'alcyon': ['alcyon', 'cyanol'], 'alcyone': ['alcyone', 'cyanole'], 'aldamine': ['aldamine', 'lamnidae'], 'aldeament': ['aldeament', 'mandelate'], 'alder': ['alder', 'daler', 'lader'], 'aldermanry': ['aldermanry', 'marylander'], 'aldern': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'aldime': ['aldime', 'mailed', 'medial'], 'aldine': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'aldus': ['aldus', 'sauld'], 'ale': ['ale', 'lea'], 'alec': ['acle', 'alec', 'lace'], 'aleconner': ['aleconner', 'noncereal'], 'alecost': ['alecost', 'lactose', 'scotale', 'talcose'], 'alectoris': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'alectrion': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'alectryon': ['alectryon', 'tolerancy'], 'alecup': ['alecup', 'clupea'], 'alef': ['alef', 'feal', 'flea', 'leaf'], 'aleft': ['aleft', 'alfet', 'fetal', 'fleta'], 'alegar': ['aglare', 'alegar', 'galera', 'laager'], 'alem': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'alemanni': ['alemanni', 'melanian'], 'alemite': ['alemite', 'elamite'], 'alen': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'aleph': ['aleph', 'pheal'], 'alepot': ['alepot', 'pelota'], 'alerce': ['alerce', 'cereal', 'relace'], 'alerse': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'alert': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alertly': ['alertly', 'elytral'], 'alestake': ['alestake', 'eastlake'], 'aletap': ['aletap', 'palate', 'platea'], 'aletris': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'aleuronic': ['aleuronic', 'urceolina'], 'aleut': ['aleut', 'atule'], 'aleutic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'alevin': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'alex': ['alex', 'axel', 'axle'], 'alexandrian': ['alexandrian', 'alexandrina'], 'alexandrina': ['alexandrian', 'alexandrina'], 'alexin': ['alexin', 'xenial'], 'aleyard': ['aleyard', 'already'], 'alfenide': ['alfenide', 'enfilade'], 'alfet': ['aleft', 'alfet', 'fetal', 'fleta'], 'alfred': ['alfred', 'fardel'], 'alfur': ['alfur', 'fural'], 'alga': ['agal', 'agla', 'alga', 'gala'], 'algae': ['algae', 'galea'], 'algal': ['algal', 'galla'], 'algebar': ['algebar', 'algebra'], 'algebra': ['algebar', 'algebra'], 'algedi': ['algedi', 'galeid'], 'algedo': ['algedo', 'geodal'], 'algedonic': ['algedonic', 'genocidal'], 'algenib': ['algenib', 'bealing', 'belgian', 'bengali'], 'algerian': ['algerian', 'geranial', 'regalian'], 'algernon': ['algernon', 'nonglare'], 'algesia': ['algesia', 'sailage'], 'algesis': ['algesis', 'glassie'], 'algieba': ['algieba', 'bailage'], 'algin': ['algin', 'align', 'langi', 'liang', 'linga'], 'alginate': ['agential', 'alginate'], 'algine': ['algine', 'genial', 'linage'], 'algist': ['algist', 'gaslit'], 'algometer': ['algometer', 'glomerate'], 'algometric': ['algometric', 'melotragic'], 'algomian': ['algomian', 'magnolia'], 'algor': ['algor', 'argol', 'goral', 'largo'], 'algoristic': ['agricolist', 'algoristic'], 'algorithm': ['algorithm', 'logarithm'], 'algorithmic': ['algorithmic', 'logarithmic'], 'algraphic': ['algraphic', 'graphical'], 'algum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'alibility': ['alibility', 'liability'], 'alible': ['alible', 'belial', 'labile', 'liable'], 'alicant': ['actinal', 'alantic', 'alicant', 'antical'], 'alice': ['alice', 'celia', 'ileac'], 'alichel': ['alichel', 'challie', 'helical'], 'alida': ['adlai', 'alida'], 'alien': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alienation': ['alienation', 'alineation'], 'alienator': ['alienator', 'rationale'], 'alienism': ['alienism', 'milesian'], 'alienor': ['aileron', 'alienor'], 'alif': ['alif', 'fail'], 'aligerous': ['aligerous', 'glaireous'], 'align': ['algin', 'align', 'langi', 'liang', 'linga'], 'aligner': ['aligner', 'engrail', 'realign', 'reginal'], 'alignment': ['alignment', 'lamenting'], 'alike': ['alike', 'lakie'], 'alikeness': ['alikeness', 'leakiness'], 'alima': ['alima', 'lamia'], 'aliment': ['ailment', 'aliment'], 'alimenter': ['alimenter', 'marteline'], 'alimentic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'alimonied': ['alimonied', 'maleinoid'], 'alin': ['alin', 'anil', 'lain', 'lina', 'nail'], 'aline': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alineation': ['alienation', 'alineation'], 'aliped': ['aliped', 'elapid'], 'aliptes': ['aliptes', 'pastile', 'talipes'], 'aliptic': ['aliptic', 'aplitic'], 'aliseptal': ['aliseptal', 'pallasite'], 'alish': ['alish', 'hilsa'], 'alisier': ['alisier', 'israeli'], 'aliso': ['aliso', 'alois'], 'alison': ['alison', 'anolis'], 'alisp': ['alisp', 'lapsi'], 'alist': ['alist', 'litas', 'slait', 'talis'], 'alister': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'alit': ['alit', 'tail', 'tali'], 'alite': ['alite', 'laeti'], 'aliunde': ['aliunde', 'unideal'], 'aliveness': ['aliveness', 'vealiness'], 'alix': ['alix', 'axil'], 'alk': ['alk', 'lak'], 'alkalizer': ['alkalizer', 'lazarlike'], 'alkamin': ['alkamin', 'malakin'], 'alkene': ['alkene', 'lekane'], 'alkes': ['alkes', 'sakel', 'slake'], 'alkine': ['alkine', 'ilkane', 'inlake', 'inleak'], 'alky': ['alky', 'laky'], 'alkylic': ['alkylic', 'lilacky'], 'allagite': ['allagite', 'alligate', 'talliage'], 'allah': ['allah', 'halal'], 'allantoic': ['alantolic', 'allantoic'], 'allay': ['allay', 'yalla'], 'allayer': ['allayer', 'yallaer'], 'allbone': ['allbone', 'bellona'], 'alle': ['alle', 'ella', 'leal'], 'allecret': ['allecret', 'cellaret'], 'allegate': ['allegate', 'ellagate'], 'allegorist': ['allegorist', 'legislator'], 'allergen': ['allergen', 'generall'], 'allergia': ['allergia', 'galleria'], 'allergin': ['allergin', 'gralline'], 'allergy': ['allergy', 'gallery', 'largely', 'regally'], 'alliable': ['alliable', 'labiella'], 'alliably': ['alliably', 'labially'], 'alliance': ['alliance', 'canaille'], 'alliancer': ['alliancer', 'ralliance'], 'allie': ['allie', 'leila', 'lelia'], 'allies': ['allies', 'aselli'], 'alligate': ['allagite', 'alligate', 'talliage'], 'allium': ['allium', 'alulim', 'muilla'], 'allocation': ['allocation', 'locational'], 'allocute': ['allocute', 'loculate'], 'allocution': ['allocution', 'loculation'], 'allogenic': ['allogenic', 'collegian'], 'allonym': ['allonym', 'malonyl'], 'allopathy': ['allopathy', 'lalopathy'], 'allopatric': ['allopatric', 'patrilocal'], 'allot': ['allot', 'atoll'], 'allothogenic': ['allothogenic', 'ethnological'], 'allover': ['allover', 'overall'], 'allower': ['allower', 'reallow'], 'alloy': ['alloy', 'loyal'], 'allude': ['allude', 'aludel'], 'allure': ['allure', 'laurel'], 'alma': ['alma', 'amla', 'lama', 'mala'], 'almach': ['almach', 'chamal'], 'almaciga': ['almaciga', 'macaglia'], 'almain': ['almain', 'animal', 'lamina', 'manila'], 'alman': ['alman', 'lamna', 'manal'], 'almandite': ['almandite', 'laminated'], 'alme': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'almerian': ['almerian', 'manerial'], 'almoign': ['almoign', 'loaming'], 'almon': ['almon', 'monal'], 'almond': ['almond', 'dolman'], 'almoner': ['almoner', 'moneral', 'nemoral'], 'almonry': ['almonry', 'romanly'], 'alms': ['alms', 'salm', 'slam'], 'almuce': ['almuce', 'caelum', 'macule'], 'almude': ['almude', 'maudle'], 'almug': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'almuten': ['almuten', 'emulant'], 'aln': ['aln', 'lan'], 'alnage': ['alnage', 'angela', 'galena', 'lagena'], 'alnico': ['alnico', 'cliona', 'oilcan'], 'alnilam': ['alnilam', 'manilla'], 'alnoite': ['alnoite', 'elation', 'toenail'], 'alnuin': ['alnuin', 'unnail'], 'alo': ['alo', 'lao', 'loa'], 'alochia': ['acholia', 'alochia'], 'alod': ['alod', 'dola', 'load', 'odal'], 'aloe': ['aloe', 'olea'], 'aloetic': ['aloetic', 'coalite'], 'aloft': ['aloft', 'float', 'flota'], 'alogian': ['alogian', 'logania'], 'alogical': ['alogical', 'colalgia'], 'aloid': ['aloid', 'dolia', 'idola'], 'aloin': ['aloin', 'anoil', 'anoli'], 'alois': ['aliso', 'alois'], 'aloma': ['alamo', 'aloma'], 'alone': ['alone', 'anole', 'olena'], 'along': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'alonso': ['alonso', 'alsoon', 'saloon'], 'alonzo': ['alonzo', 'zoonal'], 'alop': ['alop', 'opal'], 'alopecist': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'alosa': ['alosa', 'loasa', 'oasal'], 'alose': ['alose', 'osela', 'solea'], 'alow': ['alow', 'awol', 'lowa'], 'aloxite': ['aloxite', 'oxalite'], 'alp': ['alp', 'lap', 'pal'], 'alpeen': ['alpeen', 'lenape', 'pelean'], 'alpen': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'alpestral': ['alpestral', 'palestral'], 'alpestrian': ['alpestrian', 'palestrian', 'psalterian'], 'alpestrine': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'alphenic': ['alphenic', 'cephalin'], 'alphonse': ['alphonse', 'phenosal'], 'alphos': ['alphos', 'pholas'], 'alphosis': ['alphosis', 'haplosis'], 'alpid': ['alpid', 'plaid'], 'alpieu': ['alpieu', 'paulie'], 'alpine': ['alpine', 'nepali', 'penial', 'pineal'], 'alpinist': ['alpinist', 'antislip'], 'alpist': ['alpist', 'pastil', 'spital'], 'alraun': ['alraun', 'alruna', 'ranula'], 'already': ['aleyard', 'already'], 'alrighty': ['alrighty', 'arightly'], 'alruna': ['alraun', 'alruna', 'ranula'], 'alsine': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'also': ['also', 'sola'], 'alsoon': ['alonso', 'alsoon', 'saloon'], 'alstonidine': ['alstonidine', 'nonidealist'], 'alstonine': ['alstonine', 'tensional'], 'alt': ['alt', 'lat', 'tal'], 'altaian': ['altaian', 'latania', 'natalia'], 'altaic': ['altaic', 'altica'], 'altaid': ['adital', 'altaid'], 'altair': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'altamira': ['altamira', 'matralia'], 'altar': ['altar', 'artal', 'ratal', 'talar'], 'altared': ['altared', 'laterad'], 'altarist': ['altarist', 'striatal'], 'alter': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alterability': ['alterability', 'bilaterality', 'relatability'], 'alterable': ['alterable', 'relatable'], 'alterant': ['alterant', 'tarletan'], 'alterer': ['alterer', 'realter', 'relater'], 'altern': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'alterne': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'althea': ['althea', 'elatha'], 'altho': ['altho', 'lhota', 'loath'], 'althorn': ['althorn', 'anthrol', 'thronal'], 'altica': ['altaic', 'altica'], 'altin': ['altin', 'latin'], 'altiscope': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'altitude': ['altitude', 'latitude'], 'altitudinal': ['altitudinal', 'latitudinal'], 'altitudinarian': ['altitudinarian', 'latitudinarian'], 'alto': ['alto', 'lota'], 'altrices': ['altrices', 'selictar'], 'altruism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'altruist': ['altruist', 'ultraist'], 'altruistic': ['altruistic', 'truistical', 'ultraistic'], 'aludel': ['allude', 'aludel'], 'aludra': ['adular', 'aludra', 'radula'], 'alulet': ['alulet', 'luteal'], 'alulim': ['allium', 'alulim', 'muilla'], 'alum': ['alum', 'maul'], 'aluminate': ['aluminate', 'alumniate'], 'aluminide': ['aluminide', 'unimedial'], 'aluminosilicate': ['aluminosilicate', 'silicoaluminate'], 'alumna': ['alumna', 'manual'], 'alumni': ['alumni', 'unmail'], 'alumniate': ['aluminate', 'alumniate'], 'alur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'alure': ['alure', 'ureal'], 'alurgite': ['alurgite', 'ligature'], 'aluta': ['aluta', 'taula'], 'alvan': ['alvan', 'naval'], 'alvar': ['alvar', 'arval', 'larva'], 'alveus': ['alveus', 'avulse'], 'alvin': ['alvin', 'anvil', 'nival', 'vinal'], 'alvine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'aly': ['aly', 'lay'], 'alypin': ['alypin', 'pialyn'], 'alytes': ['alytes', 'astely', 'lysate', 'stealy'], 'am': ['am', 'ma'], 'ama': ['aam', 'ama'], 'amacrine': ['amacrine', 'american', 'camerina', 'cinerama'], 'amadi': ['amadi', 'damia', 'madia', 'maida'], 'amaethon': ['amaethon', 'thomaean'], 'amaga': ['agama', 'amaga'], 'amah': ['amah', 'maha'], 'amain': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amakosa': ['akoasma', 'amakosa'], 'amalgam': ['amalgam', 'malagma'], 'amang': ['amang', 'ganam', 'manga'], 'amani': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amanist': ['amanist', 'stamina'], 'amanitin': ['amanitin', 'maintain'], 'amanitine': ['amanitine', 'inanimate'], 'amanori': ['amanori', 'moarian'], 'amapa': ['amapa', 'apama'], 'amar': ['amar', 'amra', 'mara', 'rama'], 'amarin': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'amaroid': ['amaroid', 'diorama'], 'amarth': ['amarth', 'martha'], 'amass': ['amass', 'assam', 'massa', 'samas'], 'amasser': ['amasser', 'reamass'], 'amati': ['amati', 'amita', 'matai'], 'amatorian': ['amatorian', 'inamorata'], 'amaurosis': ['amaurosis', 'mosasauri'], 'amazonite': ['amazonite', 'anatomize'], 'amba': ['amba', 'maba'], 'ambar': ['abram', 'ambar'], 'ambarella': ['alarmable', 'ambarella'], 'ambash': ['ambash', 'shamba'], 'ambay': ['ambay', 'mbaya'], 'ambeer': ['ambeer', 'beamer'], 'amber': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'ambier': ['ambier', 'bremia', 'embira'], 'ambit': ['ambit', 'imbat'], 'ambivert': ['ambivert', 'verbatim'], 'amble': ['amble', 'belam', 'blame', 'mabel'], 'ambler': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'ambling': ['ambling', 'blaming'], 'amblingly': ['amblingly', 'blamingly'], 'ambo': ['ambo', 'boma'], 'ambos': ['ambos', 'sambo'], 'ambrein': ['ambrein', 'mirbane'], 'ambrette': ['ambrette', 'tambreet'], 'ambrose': ['ambrose', 'mesobar'], 'ambrosia': ['ambrosia', 'saboraim'], 'ambrosin': ['ambrosin', 'barosmin', 'sabromin'], 'ambry': ['ambry', 'barmy'], 'ambury': ['ambury', 'aumbry'], 'ambush': ['ambush', 'shambu'], 'amchoor': ['amchoor', 'ochroma'], 'ame': ['ame', 'mae'], 'ameed': ['adeem', 'ameed', 'edema'], 'ameen': ['ameen', 'amene', 'enema'], 'amelification': ['amelification', 'maleficiation'], 'ameliorant': ['ameliorant', 'lomentaria'], 'amellus': ['amellus', 'malleus'], 'amelu': ['amelu', 'leuma', 'ulema'], 'amelus': ['amelus', 'samuel'], 'amen': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'amenability': ['amenability', 'nameability'], 'amenable': ['amenable', 'nameable'], 'amend': ['amend', 'mande', 'maned'], 'amende': ['amende', 'demean', 'meaned', 'nadeem'], 'amender': ['amender', 'meander', 'reamend', 'reedman'], 'amends': ['amends', 'desman'], 'amene': ['ameen', 'amene', 'enema'], 'amenia': ['amenia', 'anemia'], 'amenism': ['amenism', 'immanes', 'misname'], 'amenite': ['amenite', 'etamine', 'matinee'], 'amenorrheal': ['amenorrheal', 'melanorrhea'], 'ament': ['ament', 'meant', 'teman'], 'amental': ['amental', 'leatman'], 'amentia': ['amentia', 'aminate', 'anamite', 'animate'], 'amerce': ['amerce', 'raceme'], 'amercer': ['amercer', 'creamer'], 'american': ['amacrine', 'american', 'camerina', 'cinerama'], 'amerind': ['adermin', 'amerind', 'dimeran'], 'amerism': ['amerism', 'asimmer', 'sammier'], 'ameristic': ['ameristic', 'armistice', 'artemisic'], 'amesite': ['amesite', 'mesitae', 'semitae'], 'ametria': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ametrope': ['ametrope', 'metapore'], 'amex': ['amex', 'exam', 'xema'], 'amgarn': ['amgarn', 'mangar', 'marang', 'ragman'], 'amhar': ['amhar', 'mahar', 'mahra'], 'amherstite': ['amherstite', 'hemistater'], 'amhran': ['amhran', 'harman', 'mahran'], 'ami': ['aim', 'ami', 'ima'], 'amia': ['amia', 'maia'], 'amic': ['amic', 'mica'], 'amical': ['amical', 'camail', 'lamaic'], 'amiced': ['amiced', 'decima'], 'amicicide': ['amicicide', 'cimicidae'], 'amicron': ['amicron', 'marconi', 'minorca', 'romanic'], 'amid': ['admi', 'amid', 'madi', 'maid'], 'amidate': ['adamite', 'amidate'], 'amide': ['amide', 'damie', 'media'], 'amidide': ['amidide', 'diamide', 'mididae'], 'amidin': ['amidin', 'damnii'], 'amidine': ['amidine', 'diamine'], 'amidism': ['amidism', 'maidism'], 'amidist': ['amidist', 'dimatis'], 'amidon': ['amidon', 'daimon', 'domain'], 'amidophenol': ['amidophenol', 'monodelphia'], 'amidst': ['amidst', 'datism'], 'amigo': ['amigo', 'imago'], 'amiidae': ['amiidae', 'maiidae'], 'amil': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amiles': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'amimia': ['amimia', 'miamia'], 'amimide': ['amimide', 'mimidae'], 'amin': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'aminate': ['amentia', 'aminate', 'anamite', 'animate'], 'amination': ['amination', 'animation'], 'amine': ['amine', 'anime', 'maine', 'manei'], 'amini': ['amini', 'animi'], 'aminize': ['aminize', 'animize', 'azimine'], 'amino': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'aminoplast': ['aminoplast', 'plasmation'], 'amintor': ['amintor', 'tormina'], 'amir': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'amiranha': ['amiranha', 'maharani'], 'amiray': ['amiray', 'myaria'], 'amissness': ['amissness', 'massiness'], 'amita': ['amati', 'amita', 'matai'], 'amitosis': ['amitosis', 'omasitis'], 'amixia': ['amixia', 'ixiama'], 'amla': ['alma', 'amla', 'lama', 'mala'], 'amli': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amlong': ['amlong', 'logman'], 'amma': ['amma', 'maam'], 'ammelin': ['ammelin', 'limeman'], 'ammeline': ['ammeline', 'melamine'], 'ammeter': ['ammeter', 'metamer'], 'ammi': ['ammi', 'imam', 'maim', 'mima'], 'ammine': ['ammine', 'immane'], 'ammo': ['ammo', 'mamo'], 'ammonic': ['ammonic', 'mocmain'], 'ammonolytic': ['ammonolytic', 'commonality'], 'ammunition': ['ammunition', 'antimonium'], 'amnestic': ['amnestic', 'semantic'], 'amnia': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amniac': ['amniac', 'caiman', 'maniac'], 'amnic': ['amnic', 'manic'], 'amnion': ['amnion', 'minoan', 'nomina'], 'amnionata': ['amnionata', 'anamniota'], 'amnionate': ['amnionate', 'anamniote', 'emanation'], 'amniota': ['amniota', 'itonama'], 'amniote': ['amniote', 'anomite'], 'amniotic': ['amniotic', 'mication'], 'amniotome': ['amniotome', 'momotinae'], 'amok': ['amok', 'mako'], 'amole': ['amole', 'maleo'], 'amomis': ['amomis', 'mimosa'], 'among': ['among', 'mango'], 'amor': ['amor', 'maro', 'mora', 'omar', 'roam'], 'amores': ['amores', 'ramose', 'sorema'], 'amoret': ['amoret', 'morate'], 'amorist': ['amorist', 'aortism', 'miastor'], 'amoritic': ['amoritic', 'microtia'], 'amorpha': ['amorpha', 'amphora'], 'amorphic': ['amorphic', 'amphoric'], 'amorphous': ['amorphous', 'amphorous'], 'amort': ['amort', 'morat', 'torma'], 'amortize': ['amortize', 'atomizer'], 'amos': ['amos', 'soam', 'soma'], 'amotion': ['amotion', 'otomian'], 'amount': ['amount', 'moutan', 'outman'], 'amoy': ['amoy', 'mayo'], 'ampelis': ['ampelis', 'lepisma'], 'ampelite': ['ampelite', 'pimelate'], 'ampelitic': ['ampelitic', 'implicate'], 'amper': ['amper', 'remap'], 'amperemeter': ['amperemeter', 'permeameter'], 'amperian': ['amperian', 'paramine', 'pearmain'], 'amphicyon': ['amphicyon', 'hypomanic'], 'amphigenous': ['amphigenous', 'musophagine'], 'amphiphloic': ['amphiphloic', 'amphophilic'], 'amphipodous': ['amphipodous', 'hippodamous'], 'amphitropous': ['amphitropous', 'pastophorium'], 'amphophilic': ['amphiphloic', 'amphophilic'], 'amphora': ['amorpha', 'amphora'], 'amphore': ['amphore', 'morphea'], 'amphorette': ['amphorette', 'haptometer'], 'amphoric': ['amorphic', 'amphoric'], 'amphorous': ['amorphous', 'amphorous'], 'amphoteric': ['amphoteric', 'metaphoric'], 'ample': ['ample', 'maple'], 'ampliate': ['ampliate', 'palamite'], 'amplification': ['amplification', 'palmification'], 'amply': ['amply', 'palmy'], 'ampul': ['ampul', 'pluma'], 'ampulla': ['ampulla', 'palmula'], 'amra': ['amar', 'amra', 'mara', 'rama'], 'amsath': ['amsath', 'asthma'], 'amsel': ['amsel', 'melas', 'mesal', 'samel'], 'amsonia': ['amsonia', 'anosmia'], 'amt': ['amt', 'mat', 'tam'], 'amulet': ['amulet', 'muleta'], 'amunam': ['amunam', 'manuma'], 'amuse': ['amuse', 'mesua'], 'amused': ['amused', 'masdeu', 'medusa'], 'amusee': ['amusee', 'saeume'], 'amuser': ['amuser', 'mauser'], 'amusgo': ['amusgo', 'sugamo'], 'amvis': ['amvis', 'mavis'], 'amy': ['amy', 'may', 'mya', 'yam'], 'amyelic': ['amyelic', 'mycelia'], 'amyl': ['amyl', 'lyam', 'myal'], 'amylan': ['amylan', 'lamany', 'layman'], 'amylenol': ['amylenol', 'myelonal'], 'amylidene': ['amylidene', 'mydaleine'], 'amylin': ['amylin', 'mainly'], 'amylo': ['amylo', 'loamy'], 'amylon': ['amylon', 'onymal'], 'amyotrophy': ['amyotrophy', 'myoatrophy'], 'amyrol': ['amyrol', 'molary'], 'an': ['an', 'na'], 'ana': ['ana', 'naa'], 'anacara': ['anacara', 'aracana'], 'anacard': ['anacard', 'caranda'], 'anaces': ['anaces', 'scaean'], 'anachorism': ['anachorism', 'chorasmian', 'maraschino'], 'anacid': ['acnida', 'anacid', 'dacian'], 'anacreontic': ['anacreontic', 'canceration'], 'anacusis': ['anacusis', 'ascanius'], 'anadem': ['anadem', 'maenad'], 'anadenia': ['anadenia', 'danainae'], 'anadrom': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'anaemic': ['acnemia', 'anaemic'], 'anaeretic': ['anaeretic', 'ecarinate'], 'anal': ['alan', 'anal', 'lana'], 'analcime': ['alcamine', 'analcime', 'calamine', 'camelina'], 'analcite': ['analcite', 'anticlea', 'laitance'], 'analcitite': ['analcitite', 'catalinite'], 'analectic': ['acclinate', 'analectic'], 'analeptical': ['analeptical', 'placentalia'], 'anally': ['alanyl', 'anally'], 'analogic': ['analogic', 'calinago'], 'analogist': ['analogist', 'nostalgia'], 'anam': ['anam', 'mana', 'naam', 'nama'], 'anamesite': ['anamesite', 'seamanite'], 'anamirta': ['anamirta', 'araminta'], 'anamite': ['amentia', 'aminate', 'anamite', 'animate'], 'anamniota': ['amnionata', 'anamniota'], 'anamniote': ['amnionate', 'anamniote', 'emanation'], 'anan': ['anan', 'anna', 'nana'], 'ananda': ['ananda', 'danaan'], 'anandria': ['anandria', 'andriana'], 'anangioid': ['agoniadin', 'anangioid', 'ganoidian'], 'ananism': ['ananism', 'samnani'], 'ananite': ['ananite', 'anatine', 'taenian'], 'anaphoric': ['anaphoric', 'pharaonic'], 'anaphorical': ['anaphorical', 'pharaonical'], 'anapnea': ['anapnea', 'napaean'], 'anapsid': ['anapsid', 'sapinda'], 'anapsida': ['anapsida', 'anaspida'], 'anaptotic': ['anaptotic', 'captation'], 'anarchic': ['anarchic', 'characin'], 'anarchism': ['anarchism', 'arachnism'], 'anarchist': ['anarchist', 'archsaint', 'cantharis'], 'anarcotin': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'anaretic': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'anarthropod': ['anarthropod', 'arthropodan'], 'anas': ['anas', 'ansa', 'saan'], 'anasa': ['anasa', 'asana'], 'anaspida': ['anapsida', 'anaspida'], 'anastaltic': ['anastaltic', 'catalanist'], 'anat': ['anat', 'anta', 'tana'], 'anatidae': ['anatidae', 'taeniada'], 'anatine': ['ananite', 'anatine', 'taenian'], 'anatocism': ['anatocism', 'anosmatic'], 'anatole': ['anatole', 'notaeal'], 'anatolic': ['aconital', 'actional', 'anatolic'], 'anatomicopathologic': ['anatomicopathologic', 'pathologicoanatomic'], 'anatomicopathological': ['anatomicopathological', 'pathologicoanatomical'], 'anatomicophysiologic': ['anatomicophysiologic', 'physiologicoanatomic'], 'anatomism': ['anatomism', 'nomismata'], 'anatomize': ['amazonite', 'anatomize'], 'anatum': ['anatum', 'mantua', 'tamanu'], 'anay': ['anay', 'yana'], 'anba': ['anba', 'bana'], 'ancestor': ['ancestor', 'entosarc'], 'ancestral': ['ancestral', 'lancaster'], 'anchat': ['acanth', 'anchat', 'tanach'], 'anchietin': ['anchietin', 'cathinine'], 'anchistea': ['anchistea', 'hanseatic'], 'anchor': ['anchor', 'archon', 'charon', 'rancho'], 'anchored': ['anchored', 'rondache'], 'anchorer': ['anchorer', 'ranchero', 'reanchor'], 'anchoretic': ['acherontic', 'anchoretic'], 'anchoretical': ['acherontical', 'anchoretical'], 'anchoretism': ['anchoretism', 'trichomanes'], 'anchorite': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'anchoritism': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'ancile': ['alcine', 'ancile'], 'ancilla': ['aclinal', 'ancilla'], 'ancillary': ['ancillary', 'carlylian', 'cranially'], 'ancon': ['ancon', 'canon'], 'anconitis': ['anconitis', 'antiscion', 'onanistic'], 'ancony': ['ancony', 'canyon'], 'ancoral': ['alcoran', 'ancoral', 'carolan'], 'ancylus': ['ancylus', 'unscaly'], 'ancyrene': ['ancyrene', 'cerynean'], 'and': ['and', 'dan'], 'anda': ['anda', 'dana'], 'andante': ['andante', 'dantean'], 'ande': ['ande', 'dane', 'dean', 'edna'], 'andesitic': ['andesitic', 'dianetics'], 'andhra': ['andhra', 'dharna'], 'andi': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'andian': ['andian', 'danian', 'nidana'], 'andine': ['aidenn', 'andine', 'dannie', 'indane'], 'andira': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'andre': ['andre', 'arend', 'daren', 'redan'], 'andrew': ['andrew', 'redawn', 'wander', 'warden'], 'andria': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andriana': ['anandria', 'andriana'], 'andrias': ['andrias', 'sardian', 'sarinda'], 'andric': ['andric', 'cardin', 'rancid'], 'andries': ['andries', 'isander', 'sardine'], 'androgynus': ['androgynus', 'gynandrous'], 'androl': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'andronicus': ['andronicus', 'unsardonic'], 'androtomy': ['androtomy', 'dynamotor'], 'anear': ['anear', 'arean', 'arena'], 'aneath': ['ahtena', 'aneath', 'athena'], 'anecdota': ['anecdota', 'coadnate'], 'anele': ['anele', 'elean'], 'anematosis': ['anematosis', 'menostasia'], 'anemia': ['amenia', 'anemia'], 'anemic': ['anemic', 'cinema', 'iceman'], 'anemograph': ['anemograph', 'phanerogam'], 'anemographic': ['anemographic', 'phanerogamic'], 'anemography': ['anemography', 'phanerogamy'], 'anemone': ['anemone', 'monaene'], 'anent': ['anent', 'annet', 'nenta'], 'anepia': ['anepia', 'apinae'], 'aneretic': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'anergic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'anergy': ['anergy', 'rangey'], 'anerly': ['anerly', 'nearly'], 'aneroid': ['aneroid', 'arenoid'], 'anerotic': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'anes': ['anes', 'sane', 'sean'], 'anesis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'aneuric': ['aneuric', 'rinceau'], 'aneurin': ['aneurin', 'uranine'], 'aneurism': ['aneurism', 'arsenium', 'sumerian'], 'anew': ['anew', 'wane', 'wean'], 'angami': ['angami', 'magani', 'magian'], 'angara': ['angara', 'aranga', 'nagara'], 'angaria': ['agrania', 'angaria', 'niagara'], 'angel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angela': ['alnage', 'angela', 'galena', 'lagena'], 'angeldom': ['angeldom', 'lodgeman'], 'angelet': ['angelet', 'elegant'], 'angelic': ['angelic', 'galenic'], 'angelical': ['angelical', 'englacial', 'galenical'], 'angelically': ['angelically', 'englacially'], 'angelin': ['angelin', 'leaning'], 'angelina': ['alangine', 'angelina', 'galenian'], 'angelique': ['angelique', 'equiangle'], 'angelo': ['angelo', 'engaol'], 'angelot': ['angelot', 'tangelo'], 'anger': ['anger', 'areng', 'grane', 'range'], 'angerly': ['angerly', 'geranyl'], 'angers': ['angers', 'sanger', 'serang'], 'angico': ['agonic', 'angico', 'gaonic', 'goniac'], 'angie': ['angie', 'gaine'], 'angild': ['angild', 'lading'], 'angili': ['ailing', 'angili', 'nilgai'], 'angina': ['angina', 'inanga'], 'anginal': ['alangin', 'anginal', 'anglian', 'nagnail'], 'angiocholitis': ['angiocholitis', 'cholangioitis'], 'angiochondroma': ['angiochondroma', 'chondroangioma'], 'angiofibroma': ['angiofibroma', 'fibroangioma'], 'angioid': ['angioid', 'gonidia'], 'angiokeratoma': ['angiokeratoma', 'keratoangioma'], 'angiometer': ['angiometer', 'ergotamine', 'geometrina'], 'angka': ['angka', 'kanga'], 'anglaise': ['anglaise', 'gelasian'], 'angle': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angled': ['angled', 'dangle', 'englad', 'lagend'], 'angler': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'angles': ['angles', 'gansel'], 'angleworm': ['angleworm', 'lawmonger'], 'anglian': ['alangin', 'anginal', 'anglian', 'nagnail'], 'anglic': ['anglic', 'lacing'], 'anglish': ['anglish', 'ashling'], 'anglist': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'angloid': ['angloid', 'loading'], 'ango': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'angola': ['agonal', 'angola'], 'angolar': ['angolar', 'organal'], 'angor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'angora': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'angriness': ['angriness', 'ranginess'], 'angrite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'angry': ['angry', 'rangy'], 'angst': ['angst', 'stang', 'tangs'], 'angster': ['angster', 'garnets', 'nagster', 'strange'], 'anguid': ['anguid', 'gaduin'], 'anguine': ['anguine', 'guanine', 'guinean'], 'angula': ['angula', 'nagual'], 'angular': ['angular', 'granula'], 'angulate': ['angulate', 'gaetulan'], 'anguria': ['anguria', 'gaurian', 'guarani'], 'angus': ['agnus', 'angus', 'sugan'], 'anharmonic': ['anharmonic', 'monarchian'], 'anhematosis': ['anhematosis', 'somasthenia'], 'anhidrotic': ['anhidrotic', 'trachinoid'], 'anhistous': ['anhistous', 'isanthous'], 'anhydridize': ['anhydridize', 'hydrazidine'], 'anhydrize': ['anhydrize', 'hydrazine'], 'ani': ['ani', 'ian'], 'anice': ['anice', 'eniac'], 'aniconic': ['aniconic', 'ciconian'], 'aniconism': ['aniconism', 'insomniac'], 'anicular': ['anicular', 'caulinar'], 'anicut': ['anicut', 'nautic', 'ticuna', 'tunica'], 'anidian': ['anidian', 'indiana'], 'aniente': ['aniente', 'itenean'], 'anight': ['anight', 'athing'], 'anil': ['alin', 'anil', 'lain', 'lina', 'nail'], 'anile': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'anilic': ['anilic', 'clinia'], 'anilid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'anilide': ['anilide', 'elaidin'], 'anilidic': ['anilidic', 'indicial'], 'anima': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'animable': ['animable', 'maniable'], 'animal': ['almain', 'animal', 'lamina', 'manila'], 'animalic': ['animalic', 'limacina'], 'animate': ['amentia', 'aminate', 'anamite', 'animate'], 'animated': ['animated', 'mandaite', 'mantidae'], 'animater': ['animater', 'marinate'], 'animating': ['animating', 'imaginant'], 'animation': ['amination', 'animation'], 'animator': ['animator', 'tamanoir'], 'anime': ['amine', 'anime', 'maine', 'manei'], 'animi': ['amini', 'animi'], 'animist': ['animist', 'santimi'], 'animize': ['aminize', 'animize', 'azimine'], 'animus': ['animus', 'anisum', 'anusim', 'manius'], 'anionic': ['anionic', 'iconian'], 'anis': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'anisal': ['anisal', 'nasial', 'salian', 'salina'], 'anisate': ['anisate', 'entasia'], 'anise': ['anise', 'insea', 'siena', 'sinae'], 'anisette': ['anisette', 'atestine', 'settaine'], 'anisic': ['anisic', 'sicani', 'sinaic'], 'anisilic': ['anisilic', 'sicilian'], 'anisodont': ['anisodont', 'sondation'], 'anisometric': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'anisopod': ['anisopod', 'isopodan'], 'anisoptera': ['anisoptera', 'asperation', 'separation'], 'anisum': ['animus', 'anisum', 'anusim', 'manius'], 'anisuria': ['anisuria', 'isaurian'], 'anisyl': ['anisyl', 'snaily'], 'anita': ['anita', 'niata', 'tania'], 'anither': ['anither', 'inearth', 'naither'], 'ankee': ['aknee', 'ankee', 'keena'], 'anker': ['anker', 'karen', 'naker'], 'ankh': ['ankh', 'hank', 'khan'], 'anklet': ['anklet', 'lanket', 'tankle'], 'ankoli': ['ankoli', 'kaolin'], 'ankus': ['ankus', 'kusan'], 'ankyroid': ['ankyroid', 'dikaryon'], 'anlace': ['anlace', 'calean'], 'ann': ['ann', 'nan'], 'anna': ['anan', 'anna', 'nana'], 'annale': ['annale', 'anneal'], 'annaline': ['annaline', 'linnaean'], 'annalist': ['annalist', 'santalin'], 'annalize': ['annalize', 'zelanian'], 'annam': ['annam', 'manna'], 'annamite': ['annamite', 'manatine'], 'annard': ['annard', 'randan'], 'annat': ['annat', 'tanan'], 'annates': ['annates', 'tannase'], 'anne': ['anne', 'nane'], 'anneal': ['annale', 'anneal'], 'annealer': ['annealer', 'lernaean', 'reanneal'], 'annelid': ['annelid', 'lindane'], 'annelism': ['annelism', 'linesman'], 'anneloid': ['anneloid', 'nonideal'], 'annet': ['anent', 'annet', 'nenta'], 'annexer': ['annexer', 'reannex'], 'annie': ['annie', 'inane'], 'annite': ['annite', 'innate', 'tinean'], 'annotine': ['annotine', 'tenonian'], 'annoy': ['annoy', 'nonya'], 'annoyancer': ['annoyancer', 'rayonnance'], 'annoyer': ['annoyer', 'reannoy'], 'annualist': ['annualist', 'sultanian'], 'annulation': ['annulation', 'unnational'], 'annulet': ['annulet', 'nauntle'], 'annulment': ['annulment', 'tunnelman'], 'annuloid': ['annuloid', 'uninodal'], 'anodic': ['adonic', 'anodic'], 'anodize': ['adonize', 'anodize'], 'anodynic': ['anodynic', 'cydonian'], 'anoestrous': ['anoestrous', 'treasonous'], 'anoestrum': ['anoestrum', 'neuromast'], 'anoetic': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'anogenic': ['anogenic', 'canoeing'], 'anogra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'anoil': ['aloin', 'anoil', 'anoli'], 'anoint': ['anoint', 'nation'], 'anointer': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'anole': ['alone', 'anole', 'olena'], 'anoli': ['aloin', 'anoil', 'anoli'], 'anolis': ['alison', 'anolis'], 'anomaliped': ['anomaliped', 'palaemonid'], 'anomalism': ['anomalism', 'malmaison'], 'anomalist': ['anomalist', 'atonalism'], 'anomiidae': ['anomiidae', 'maioidean'], 'anomite': ['amniote', 'anomite'], 'anomodont': ['anomodont', 'monodonta'], 'anomural': ['anomural', 'monaural'], 'anon': ['anon', 'nona', 'onan'], 'anophyte': ['anophyte', 'typhoean'], 'anopia': ['anopia', 'aponia', 'poiana'], 'anorak': ['anorak', 'korana'], 'anorchism': ['anorchism', 'harmonics'], 'anorectic': ['accretion', 'anorectic', 'neoarctic'], 'anorthic': ['anorthic', 'anthroic', 'tanchoir'], 'anorthitite': ['anorthitite', 'trithionate'], 'anorthose': ['anorthose', 'hoarstone'], 'anosia': ['anosia', 'asonia'], 'anosmatic': ['anatocism', 'anosmatic'], 'anosmia': ['amsonia', 'anosmia'], 'anosmic': ['anosmic', 'masonic'], 'anoterite': ['anoterite', 'orientate'], 'another': ['another', 'athenor', 'rheotan'], 'anotia': ['anotia', 'atonia'], 'anoxia': ['anoxia', 'axonia'], 'anoxic': ['anoxic', 'oxanic'], 'ansa': ['anas', 'ansa', 'saan'], 'ansar': ['ansar', 'saran', 'sarna'], 'ansation': ['ansation', 'sonatina'], 'anseis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'ansel': ['ansel', 'slane'], 'anselm': ['anselm', 'mensal'], 'anser': ['anser', 'nares', 'rasen', 'snare'], 'anserine': ['anserine', 'reinsane'], 'anserous': ['anserous', 'arsenous'], 'ansu': ['ansu', 'anus'], 'answerer': ['answerer', 'reanswer'], 'ant': ['ant', 'nat', 'tan'], 'anta': ['anat', 'anta', 'tana'], 'antacrid': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'antagonism': ['antagonism', 'montagnais'], 'antagonist': ['antagonist', 'stagnation'], 'antal': ['antal', 'natal'], 'antanemic': ['antanemic', 'cinnamate'], 'antar': ['antar', 'antra'], 'antarchistical': ['antarchistical', 'charlatanistic'], 'ante': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'anteact': ['anteact', 'cantate'], 'anteal': ['anteal', 'lanate', 'teanal'], 'antechoir': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'antecornu': ['antecornu', 'connature'], 'antedate': ['antedate', 'edentata'], 'antelabium': ['albuminate', 'antelabium'], 'antelopian': ['antelopian', 'neapolitan', 'panelation'], 'antelucan': ['antelucan', 'cannulate'], 'antelude': ['antelude', 'unelated'], 'anteluminary': ['anteluminary', 'unalimentary'], 'antemedial': ['antemedial', 'delaminate'], 'antenatal': ['antenatal', 'atlantean', 'tantalean'], 'anteriad': ['anteriad', 'atridean', 'dentaria'], 'anteroinferior': ['anteroinferior', 'inferoanterior'], 'anterosuperior': ['anterosuperior', 'superoanterior'], 'antes': ['antes', 'nates', 'stane', 'stean'], 'anthela': ['anthela', 'ethanal'], 'anthem': ['anthem', 'hetman', 'mentha'], 'anthemwise': ['anthemwise', 'whitmanese'], 'anther': ['anther', 'nather', 'tharen', 'thenar'], 'anthericum': ['anthericum', 'narthecium'], 'anthicidae': ['anthicidae', 'tachinidae'], 'anthinae': ['anthinae', 'athenian'], 'anthogenous': ['anthogenous', 'neognathous'], 'anthonomus': ['anthonomus', 'monanthous'], 'anthophile': ['anthophile', 'lithophane'], 'anthracia': ['anthracia', 'antiarcha', 'catharina'], 'anthroic': ['anorthic', 'anthroic', 'tanchoir'], 'anthrol': ['althorn', 'anthrol', 'thronal'], 'anthropic': ['anthropic', 'rhapontic'], 'anti': ['aint', 'anti', 'tain', 'tina'], 'antiabrin': ['antiabrin', 'britannia'], 'antiae': ['aetian', 'antiae', 'taenia'], 'antiager': ['antiager', 'trainage'], 'antialbumid': ['antialbumid', 'balantidium'], 'antialien': ['ailantine', 'antialien'], 'antiarcha': ['anthracia', 'antiarcha', 'catharina'], 'antiaris': ['antiaris', 'intarsia'], 'antibenzaldoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'antiblue': ['antiblue', 'nubilate'], 'antic': ['actin', 'antic'], 'antical': ['actinal', 'alantic', 'alicant', 'antical'], 'anticaste': ['anticaste', 'ataentsic'], 'anticlea': ['analcite', 'anticlea', 'laitance'], 'anticlinorium': ['anticlinorium', 'inclinatorium'], 'anticly': ['anticly', 'cantily'], 'anticness': ['anticness', 'cantiness', 'incessant'], 'anticor': ['anticor', 'carotin', 'cortina', 'ontaric'], 'anticouncil': ['anticouncil', 'inculcation'], 'anticourt': ['anticourt', 'curtation', 'ructation'], 'anticous': ['acontius', 'anticous'], 'anticreative': ['anticreative', 'antireactive'], 'anticreep': ['anticreep', 'apenteric', 'increpate'], 'antidote': ['antidote', 'tetanoid'], 'antidotical': ['antidotical', 'dictational'], 'antietam': ['antietam', 'manettia'], 'antiextreme': ['antiextreme', 'exterminate'], 'antifouler': ['antifouler', 'fluorinate', 'uniflorate'], 'antifriction': ['antifriction', 'nitrifaction'], 'antifungin': ['antifungin', 'unfainting'], 'antigen': ['antigen', 'gentian'], 'antigenic': ['antigenic', 'gentianic'], 'antiglare': ['antiglare', 'raglanite'], 'antigod': ['antigod', 'doating'], 'antigone': ['antigone', 'negation'], 'antiheroic': ['antiheroic', 'theorician'], 'antilemic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'antilia': ['antilia', 'italian'], 'antilipase': ['antilipase', 'sapiential'], 'antilope': ['antilope', 'antipole'], 'antimallein': ['antimallein', 'inalimental'], 'antimasque': ['antimasque', 'squamatine'], 'antimeric': ['antimeric', 'carminite', 'criminate', 'metrician'], 'antimerina': ['antimerina', 'maintainer', 'remaintain'], 'antimeter': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'antimodel': ['antimodel', 'maldonite', 'monilated'], 'antimodern': ['antimodern', 'ordainment'], 'antimonial': ['antimonial', 'lamination'], 'antimonic': ['antimonic', 'antinomic'], 'antimonium': ['ammunition', 'antimonium'], 'antimony': ['antimony', 'antinomy'], 'antimoral': ['antimoral', 'tailorman'], 'antimosquito': ['antimosquito', 'misquotation'], 'antinegro': ['antinegro', 'argentino', 'argention'], 'antinepotic': ['antinepotic', 'pectination'], 'antineutral': ['antineutral', 'triannulate'], 'antinial': ['antinial', 'latinian'], 'antinome': ['antinome', 'nominate'], 'antinomian': ['antinomian', 'innominata'], 'antinomic': ['antimonic', 'antinomic'], 'antinomy': ['antimony', 'antinomy'], 'antinormal': ['antinormal', 'nonmarital', 'nonmartial'], 'antiphonetic': ['antiphonetic', 'pentathionic'], 'antiphonic': ['antiphonic', 'napthionic'], 'antiphony': ['antiphony', 'typhonian'], 'antiphrasis': ['antiphrasis', 'artisanship'], 'antipodic': ['antipodic', 'diapnotic'], 'antipole': ['antilope', 'antipole'], 'antipolo': ['antipolo', 'antipool', 'optional'], 'antipool': ['antipolo', 'antipool', 'optional'], 'antipope': ['antipope', 'appointe'], 'antiprotease': ['antiprotease', 'entoparasite'], 'antipsoric': ['antipsoric', 'ascription', 'crispation'], 'antiptosis': ['antiptosis', 'panostitis'], 'antiputrid': ['antiputrid', 'tripudiant'], 'antipyretic': ['antipyretic', 'pertinacity'], 'antique': ['antique', 'quinate'], 'antiquer': ['antiquer', 'quartine'], 'antirabies': ['antirabies', 'bestiarian'], 'antiracer': ['antiracer', 'tarriance'], 'antireactive': ['anticreative', 'antireactive'], 'antired': ['antired', 'detrain', 'randite', 'trained'], 'antireducer': ['antireducer', 'reincrudate', 'untraceried'], 'antiroyalist': ['antiroyalist', 'stationarily'], 'antirumor': ['antirumor', 'ruminator'], 'antirun': ['antirun', 'untrain', 'urinant'], 'antirust': ['antirust', 'naturist'], 'antiscion': ['anconitis', 'antiscion', 'onanistic'], 'antisepsin': ['antisepsin', 'paintiness'], 'antisepsis': ['antisepsis', 'inspissate'], 'antiseptic': ['antiseptic', 'psittacine'], 'antiserum': ['antiserum', 'misaunter'], 'antisi': ['antisi', 'isatin'], 'antislip': ['alpinist', 'antislip'], 'antisoporific': ['antisoporific', 'prosification', 'sporification'], 'antispace': ['antispace', 'panaceist'], 'antistes': ['antistes', 'titaness'], 'antisun': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'antitheism': ['antitheism', 'themistian'], 'antitonic': ['antitonic', 'nictation'], 'antitorpedo': ['antitorpedo', 'deportation'], 'antitrade': ['antitrade', 'attainder'], 'antitrope': ['antitrope', 'patronite', 'tritanope'], 'antitropic': ['antitropic', 'tritanopic'], 'antitropical': ['antitropical', 'practitional'], 'antivice': ['antivice', 'inactive', 'vineatic'], 'antler': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'antlia': ['antlia', 'latian', 'nalita'], 'antliate': ['antliate', 'latinate'], 'antlid': ['antlid', 'tindal'], 'antling': ['antling', 'tanling'], 'antoeci': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'antoecian': ['acetanion', 'antoecian'], 'anton': ['anton', 'notan', 'tonna'], 'antproof': ['antproof', 'tanproof'], 'antra': ['antar', 'antra'], 'antral': ['antral', 'tarnal'], 'antre': ['antre', 'arent', 'retan', 'terna'], 'antrocele': ['antrocele', 'coeternal', 'tolerance'], 'antronasal': ['antronasal', 'nasoantral'], 'antroscope': ['antroscope', 'contrapose'], 'antroscopy': ['antroscopy', 'syncopator'], 'antrotome': ['antrotome', 'nototrema'], 'antrustion': ['antrustion', 'nasturtion'], 'antu': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'anubis': ['anubis', 'unbias'], 'anura': ['anura', 'ruana'], 'anuresis': ['anuresis', 'senarius'], 'anuretic': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'anuria': ['anuria', 'urania'], 'anuric': ['anuric', 'cinura', 'uranic'], 'anurous': ['anurous', 'uranous'], 'anury': ['anury', 'unary', 'unray'], 'anus': ['ansu', 'anus'], 'anusim': ['animus', 'anisum', 'anusim', 'manius'], 'anvil': ['alvin', 'anvil', 'nival', 'vinal'], 'any': ['any', 'nay', 'yan'], 'aonach': ['aonach', 'choana'], 'aoristic': ['aoristic', 'iscariot'], 'aortal': ['aortal', 'rotala'], 'aortectasis': ['aerostatics', 'aortectasis'], 'aortism': ['amorist', 'aortism', 'miastor'], 'aosmic': ['aosmic', 'mosaic'], 'apachite': ['apachite', 'hepatica'], 'apalachee': ['acalephae', 'apalachee'], 'apama': ['amapa', 'apama'], 'apanthropy': ['apanthropy', 'panatrophy'], 'apar': ['apar', 'paar', 'para'], 'apart': ['apart', 'trapa'], 'apatetic': ['apatetic', 'capitate'], 'ape': ['ape', 'pea'], 'apedom': ['apedom', 'pomade'], 'apeiron': ['apeiron', 'peorian'], 'apelet': ['apelet', 'ptelea'], 'apelike': ['apelike', 'pealike'], 'apeling': ['apeling', 'leaping'], 'apenteric': ['anticreep', 'apenteric', 'increpate'], 'apeptic': ['apeptic', 'catpipe'], 'aper': ['aper', 'pare', 'pear', 'rape', 'reap'], 'aperch': ['aperch', 'eparch', 'percha', 'preach'], 'aperitive': ['aperitive', 'petiveria'], 'apert': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'apertly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'apertness': ['apertness', 'peartness', 'taperness'], 'apertured': ['apertured', 'departure'], 'apery': ['apery', 'payer', 'repay'], 'aphanes': ['aphanes', 'saphena'], 'aphasia': ['aphasia', 'asaphia'], 'aphasic': ['aphasic', 'asaphic'], 'aphemic': ['aphemic', 'impeach'], 'aphetic': ['aphetic', 'caphite', 'hepatic'], 'aphetism': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'aphetize': ['aphetize', 'hepatize'], 'aphides': ['aphides', 'diphase'], 'aphidicolous': ['acidophilous', 'aphidicolous'], 'aphis': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'aphodian': ['adiaphon', 'aphodian'], 'aphonic': ['aphonic', 'phocian'], 'aphorismical': ['aphorismical', 'parochialism'], 'aphotic': ['aphotic', 'picotah'], 'aphra': ['aphra', 'harpa', 'parah'], 'aphrodistic': ['aphrodistic', 'diastrophic'], 'aphrodite': ['aphrodite', 'atrophied', 'diaporthe'], 'apian': ['apian', 'apina'], 'apiator': ['apiator', 'atropia', 'parotia'], 'apical': ['apical', 'palaic'], 'apicular': ['apicular', 'piacular'], 'apina': ['apian', 'apina'], 'apinae': ['anepia', 'apinae'], 'apinage': ['aegipan', 'apinage'], 'apinch': ['apinch', 'chapin', 'phanic'], 'aping': ['aping', 'ngapi', 'pangi'], 'apiole': ['apiole', 'leipoa'], 'apiolin': ['apiolin', 'pinolia'], 'apionol': ['apionol', 'polonia'], 'apiose': ['apiose', 'apoise'], 'apis': ['apis', 'pais', 'pasi', 'saip'], 'apish': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'apishly': ['apishly', 'layship'], 'apism': ['apism', 'sampi'], 'apitpat': ['apitpat', 'pitapat'], 'apivorous': ['apivorous', 'oviparous'], 'aplenty': ['aplenty', 'penalty'], 'aplite': ['aplite', 'pilate'], 'aplitic': ['aliptic', 'aplitic'], 'aplodontia': ['adoptional', 'aplodontia'], 'aplome': ['aplome', 'malope'], 'apnea': ['apnea', 'paean'], 'apneal': ['apneal', 'panela'], 'apochromat': ['apochromat', 'archoptoma'], 'apocrita': ['apocrita', 'aproctia'], 'apocryph': ['apocryph', 'hypocarp'], 'apod': ['apod', 'dopa'], 'apoda': ['adpao', 'apoda'], 'apogon': ['apogon', 'poonga'], 'apoise': ['apiose', 'apoise'], 'apolaustic': ['apolaustic', 'autopsical'], 'apolistan': ['apolistan', 'lapsation'], 'apollo': ['apollo', 'palolo'], 'aponia': ['anopia', 'aponia', 'poiana'], 'aponic': ['aponic', 'ponica'], 'aporetic': ['aporetic', 'capriote', 'operatic'], 'aporetical': ['aporetical', 'operatical'], 'aporia': ['aporia', 'piaroa'], 'aport': ['aport', 'parto', 'porta'], 'aportoise': ['aportoise', 'esotropia'], 'aposporous': ['aposporous', 'aprosopous'], 'apostil': ['apostil', 'topsail'], 'apostle': ['apostle', 'aseptol'], 'apostrophus': ['apostrophus', 'pastophorus'], 'apothesine': ['apothesine', 'isoheptane'], 'apout': ['apout', 'taupo'], 'appall': ['appall', 'palpal'], 'apparent': ['apparent', 'trappean'], 'appealer': ['appealer', 'reappeal'], 'appealing': ['appealing', 'lagniappe', 'panplegia'], 'appearer': ['appearer', 'rapparee', 'reappear'], 'append': ['append', 'napped'], 'applauder': ['applauder', 'reapplaud'], 'applicator': ['applicator', 'procapital'], 'applier': ['applier', 'aripple'], 'appointe': ['antipope', 'appointe'], 'appointer': ['appointer', 'reappoint'], 'appointor': ['appointor', 'apportion'], 'apportion': ['appointor', 'apportion'], 'apportioner': ['apportioner', 'reapportion'], 'appraisable': ['appraisable', 'parablepsia'], 'apprehender': ['apprehender', 'reapprehend'], 'approacher': ['approacher', 'reapproach'], 'apricot': ['apricot', 'atropic', 'parotic', 'patrico'], 'april': ['april', 'pilar', 'ripal'], 'aprilis': ['aprilis', 'liparis'], 'aproctia': ['apocrita', 'aproctia'], 'apronless': ['apronless', 'responsal'], 'aprosopous': ['aposporous', 'aprosopous'], 'apse': ['apse', 'pesa', 'spae'], 'apsidiole': ['apsidiole', 'episodial'], 'apt': ['apt', 'pat', 'tap'], 'aptal': ['aptal', 'palta', 'talpa'], 'aptera': ['aptera', 'parate', 'patera'], 'apterial': ['apterial', 'parietal'], 'apteroid': ['apteroid', 'proteida'], 'aptian': ['aptian', 'patina', 'taipan'], 'aptly': ['aptly', 'patly', 'platy', 'typal'], 'aptness': ['aptness', 'patness'], 'aptote': ['aptote', 'optate', 'potate', 'teapot'], 'apulian': ['apulian', 'paulian', 'paulina'], 'apulse': ['apulse', 'upseal'], 'apus': ['apus', 'supa', 'upas'], 'aquabelle': ['aquabelle', 'equalable'], 'aqueoigneous': ['aqueoigneous', 'igneoaqueous'], 'aquicolous': ['aquicolous', 'loquacious'], 'ar': ['ar', 'ra'], 'arab': ['arab', 'arba', 'baar', 'bara'], 'arabic': ['arabic', 'cairba'], 'arabinic': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'arabis': ['abaris', 'arabis'], 'arabism': ['abramis', 'arabism'], 'arabist': ['arabist', 'bartsia'], 'arabit': ['arabit', 'tabira'], 'arable': ['ablare', 'arable', 'arbela'], 'araca': ['acara', 'araca'], 'aracana': ['anacara', 'aracana'], 'aracanga': ['aracanga', 'caragana'], 'arachic': ['arachic', 'archaic'], 'arachidonic': ['arachidonic', 'characinoid'], 'arachis': ['arachis', 'asiarch', 'saharic'], 'arachne': ['arachne', 'archean'], 'arachnism': ['anarchism', 'arachnism'], 'arachnitis': ['arachnitis', 'christiana'], 'arad': ['adar', 'arad', 'raad', 'rada'], 'arain': ['airan', 'arain', 'arian'], 'arales': ['alares', 'arales'], 'aralia': ['alaria', 'aralia'], 'aralie': ['aerial', 'aralie'], 'aramaic': ['aramaic', 'cariama'], 'aramina': ['aramina', 'mariana'], 'araminta': ['anamirta', 'araminta'], 'aramus': ['aramus', 'asarum'], 'araneid': ['araneid', 'ariadne', 'ranidae'], 'aranein': ['aranein', 'raninae'], 'aranga': ['angara', 'aranga', 'nagara'], 'arango': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'arati': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'aration': ['aration', 'otarian'], 'arauan': ['arauan', 'arauna'], 'arauna': ['arauan', 'arauna'], 'arba': ['arab', 'arba', 'baar', 'bara'], 'arbacin': ['arbacin', 'carabin', 'cariban'], 'arbalester': ['arbalester', 'arbalestre', 'arrestable'], 'arbalestre': ['arbalester', 'arbalestre', 'arrestable'], 'arbalister': ['arbalister', 'breastrail'], 'arbalo': ['aboral', 'arbalo'], 'arbela': ['ablare', 'arable', 'arbela'], 'arbiter': ['arbiter', 'rarebit'], 'arbored': ['arbored', 'boarder', 'reboard'], 'arboret': ['arboret', 'roberta', 'taborer'], 'arboretum': ['arboretum', 'tambourer'], 'arborist': ['arborist', 'ribroast'], 'arbuscle': ['arbuscle', 'buscarle'], 'arbutin': ['arbutin', 'tribuna'], 'arc': ['arc', 'car'], 'arca': ['arca', 'cara'], 'arcadia': ['acardia', 'acarida', 'arcadia'], 'arcadic': ['arcadic', 'cardiac'], 'arcane': ['arcane', 'carane'], 'arcanite': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'arcate': ['arcate', 'cerata'], 'arch': ['arch', 'char', 'rach'], 'archae': ['archae', 'areach'], 'archaic': ['arachic', 'archaic'], 'archaism': ['archaism', 'charisma'], 'archapostle': ['archapostle', 'thecasporal'], 'archcount': ['archcount', 'crouchant'], 'arche': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'archeal': ['alchera', 'archeal'], 'archean': ['arachne', 'archean'], 'archer': ['archer', 'charer', 'rechar'], 'arches': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'archidome': ['archidome', 'chromidae'], 'archil': ['archil', 'chiral'], 'arching': ['arching', 'chagrin'], 'architis': ['architis', 'rachitis'], 'archocele': ['archocele', 'cochleare'], 'archon': ['anchor', 'archon', 'charon', 'rancho'], 'archontia': ['archontia', 'tocharian'], 'archoptoma': ['apochromat', 'archoptoma'], 'archpoet': ['archpoet', 'protheca'], 'archprelate': ['archprelate', 'pretracheal'], 'archsaint': ['anarchist', 'archsaint', 'cantharis'], 'archsee': ['archsee', 'rechase'], 'archsin': ['archsin', 'incrash'], 'archy': ['archy', 'chary'], 'arcidae': ['arcidae', 'caridea'], 'arcing': ['arcing', 'racing'], 'arcite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'arcked': ['arcked', 'dacker'], 'arcking': ['arcking', 'carking', 'racking'], 'arcos': ['arcos', 'crosa', 'oscar', 'sacro'], 'arctia': ['acrita', 'arctia'], 'arctian': ['acritan', 'arctian'], 'arcticize': ['arcticize', 'cicatrize'], 'arctiid': ['arctiid', 'triacid', 'triadic'], 'arctoid': ['arctoid', 'carotid', 'dartoic'], 'arctoidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'arctomys': ['arctomys', 'costmary', 'mascotry'], 'arctos': ['arctos', 'castor', 'costar', 'scrota'], 'arcual': ['arcual', 'arcula'], 'arcuale': ['arcuale', 'caurale'], 'arcubalist': ['arcubalist', 'ultrabasic'], 'arcula': ['arcual', 'arcula'], 'arculite': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'ardea': ['ardea', 'aread'], 'ardeb': ['ardeb', 'beard', 'bread', 'debar'], 'ardelia': ['ardelia', 'laridae', 'radiale'], 'ardella': ['ardella', 'dareall'], 'ardency': ['ardency', 'dancery'], 'ardish': ['ardish', 'radish'], 'ardoise': ['ardoise', 'aroides', 'soredia'], 'ardu': ['ardu', 'daur', 'dura'], 'are': ['aer', 'are', 'ear', 'era', 'rea'], 'areach': ['archae', 'areach'], 'aread': ['ardea', 'aread'], 'areal': ['areal', 'reaal'], 'arean': ['anear', 'arean', 'arena'], 'arecaceae': ['aceraceae', 'arecaceae'], 'arecaceous': ['aceraceous', 'arecaceous'], 'arecain': ['acarine', 'acraein', 'arecain'], 'arecolin': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'arecoline': ['arecoline', 'arenicole'], 'arecuna': ['arecuna', 'aucaner'], 'ared': ['ared', 'daer', 'dare', 'dear', 'read'], 'areel': ['areel', 'earle'], 'arena': ['anear', 'arean', 'arena'], 'arenaria': ['aerarian', 'arenaria'], 'arend': ['andre', 'arend', 'daren', 'redan'], 'areng': ['anger', 'areng', 'grane', 'range'], 'arenga': ['arenga', 'argean'], 'arenicole': ['arecoline', 'arenicole'], 'arenicolite': ['arenicolite', 'ricinoleate'], 'arenig': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'arenoid': ['aneroid', 'arenoid'], 'arenose': ['arenose', 'serenoa'], 'arent': ['antre', 'arent', 'retan', 'terna'], 'areographer': ['aerographer', 'areographer'], 'areographic': ['aerographic', 'areographic'], 'areographical': ['aerographical', 'areographical'], 'areography': ['aerography', 'areography'], 'areologic': ['aerologic', 'areologic'], 'areological': ['aerological', 'areological'], 'areologist': ['aerologist', 'areologist'], 'areology': ['aerology', 'areology'], 'areometer': ['aerometer', 'areometer'], 'areometric': ['aerometric', 'areometric'], 'areometry': ['aerometry', 'areometry'], 'arete': ['arete', 'eater', 'teaer'], 'argal': ['agral', 'argal'], 'argali': ['argali', 'garial'], 'argans': ['argans', 'sangar'], 'argante': ['argante', 'granate', 'tanager'], 'argas': ['argas', 'sagra'], 'argean': ['arenga', 'argean'], 'argeers': ['argeers', 'greaser', 'serrage'], 'argel': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'argenol': ['argenol', 'longear'], 'argent': ['argent', 'garnet', 'garten', 'tanger'], 'argentamid': ['argentamid', 'marginated'], 'argenter': ['argenter', 'garneter'], 'argenteum': ['argenteum', 'augmenter'], 'argentic': ['argentic', 'citrange'], 'argentide': ['argentide', 'denigrate', 'dinergate'], 'argentiferous': ['argentiferous', 'garnetiferous'], 'argentina': ['argentina', 'tanagrine'], 'argentine': ['argentine', 'tangerine'], 'argentino': ['antinegro', 'argentino', 'argention'], 'argention': ['antinegro', 'argentino', 'argention'], 'argentite': ['argentite', 'integrate'], 'argentol': ['argentol', 'gerontal'], 'argenton': ['argenton', 'negatron'], 'argentous': ['argentous', 'neotragus'], 'argentum': ['argentum', 'argument'], 'arghan': ['arghan', 'hangar'], 'argil': ['argil', 'glair', 'grail'], 'arginine': ['arginine', 'nigerian'], 'argive': ['argive', 'rivage'], 'argo': ['argo', 'garo', 'gora'], 'argoan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'argol': ['algor', 'argol', 'goral', 'largo'], 'argolet': ['argolet', 'gloater', 'legator'], 'argolian': ['argolian', 'gloriana'], 'argolic': ['argolic', 'cograil'], 'argolid': ['argolid', 'goliard'], 'argon': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'argot': ['argot', 'gator', 'gotra', 'groat'], 'argue': ['argue', 'auger'], 'argulus': ['argulus', 'lagurus'], 'argument': ['argentum', 'argument'], 'argus': ['argus', 'sugar'], 'arguslike': ['arguslike', 'sugarlike'], 'argute': ['argute', 'guetar', 'rugate', 'tuareg'], 'argyle': ['argyle', 'gleary'], 'arhar': ['arhar', 'arrah'], 'arhat': ['arhat', 'artha', 'athar'], 'aria': ['aira', 'aria', 'raia'], 'ariadne': ['araneid', 'ariadne', 'ranidae'], 'arian': ['airan', 'arain', 'arian'], 'arianrhod': ['arianrhod', 'hordarian'], 'aribine': ['aribine', 'bairnie', 'iberian'], 'arician': ['arician', 'icarian'], 'arid': ['arid', 'dari', 'raid'], 'aridian': ['aridian', 'diarian'], 'aridly': ['aridly', 'lyraid'], 'ariegite': ['aegirite', 'ariegite'], 'aries': ['aries', 'arise', 'raise', 'serai'], 'arietid': ['arietid', 'iridate'], 'arietta': ['arietta', 'ratitae'], 'aright': ['aright', 'graith'], 'arightly': ['alrighty', 'arightly'], 'ariidae': ['ariidae', 'raiidae'], 'aril': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'ariled': ['ariled', 'derail', 'dialer'], 'arillate': ['arillate', 'tiarella'], 'arion': ['arion', 'noria'], 'ariot': ['ariot', 'ratio'], 'aripple': ['applier', 'aripple'], 'arise': ['aries', 'arise', 'raise', 'serai'], 'arisen': ['arisen', 'arsine', 'resina', 'serian'], 'arist': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'arista': ['arista', 'tarsia'], 'aristeas': ['aristeas', 'asterias'], 'aristol': ['aristol', 'oralist', 'ortalis', 'striola'], 'aristulate': ['aristulate', 'australite'], 'arite': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'arithmic': ['arithmic', 'mithraic', 'mithriac'], 'arius': ['arius', 'asuri'], 'arizona': ['arizona', 'azorian', 'zonaria'], 'ark': ['ark', 'kra'], 'arkab': ['abkar', 'arkab'], 'arkite': ['arkite', 'karite'], 'arkose': ['arkose', 'resoak', 'soaker'], 'arlene': ['arlene', 'leaner'], 'arleng': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'arles': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arline': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'arm': ['arm', 'mar', 'ram'], 'armada': ['armada', 'damara', 'ramada'], 'armangite': ['armangite', 'marginate'], 'armata': ['armata', 'matara', 'tamara'], 'armed': ['armed', 'derma', 'dream', 'ramed'], 'armenian': ['armenian', 'marianne'], 'armenic': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'armer': ['armer', 'rearm'], 'armeria': ['armeria', 'mararie'], 'armet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'armful': ['armful', 'fulmar'], 'armgaunt': ['armgaunt', 'granatum'], 'armied': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'armiferous': ['armiferous', 'ramiferous'], 'armigerous': ['armigerous', 'ramigerous'], 'armil': ['armil', 'marli', 'rimal'], 'armilla': ['armilla', 'marilla'], 'armillated': ['armillated', 'malladrite', 'mallardite'], 'arming': ['arming', 'ingram', 'margin'], 'armistice': ['ameristic', 'armistice', 'artemisic'], 'armlet': ['armlet', 'malter', 'martel'], 'armonica': ['armonica', 'macaroni', 'marocain'], 'armoried': ['airdrome', 'armoried'], 'armpit': ['armpit', 'impart'], 'armplate': ['armplate', 'malapert'], 'arms': ['arms', 'mars'], 'armscye': ['armscye', 'screamy'], 'army': ['army', 'mary', 'myra', 'yarm'], 'arn': ['arn', 'nar', 'ran'], 'arna': ['arna', 'rana'], 'arnaut': ['arnaut', 'arunta'], 'arne': ['arne', 'earn', 'rane'], 'arneb': ['abner', 'arneb', 'reban'], 'arni': ['arni', 'iran', 'nair', 'rain', 'rani'], 'arnica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'arnold': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'arnotta': ['arnotta', 'natator'], 'arnotto': ['arnotto', 'notator'], 'arnut': ['arnut', 'tuarn', 'untar'], 'aro': ['aro', 'oar', 'ora'], 'aroast': ['aroast', 'ostara'], 'arock': ['arock', 'croak'], 'aroid': ['aroid', 'doria', 'radio'], 'aroides': ['ardoise', 'aroides', 'soredia'], 'aroint': ['aroint', 'ration'], 'aromatic': ['aromatic', 'macrotia'], 'aroon': ['aroon', 'oraon'], 'arose': ['arose', 'oreas'], 'around': ['around', 'arundo'], 'arpen': ['arpen', 'paren'], 'arpent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'arrah': ['arhar', 'arrah'], 'arras': ['arras', 'sarra'], 'arrau': ['arrau', 'aurar'], 'arrayer': ['arrayer', 'rearray'], 'arrect': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'arrector': ['arrector', 'carroter'], 'arrent': ['arrent', 'errant', 'ranter', 'ternar'], 'arrest': ['arrest', 'astrer', 'raster', 'starer'], 'arrestable': ['arbalester', 'arbalestre', 'arrestable'], 'arrester': ['arrester', 'rearrest'], 'arresting': ['arresting', 'astringer'], 'arretine': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'arride': ['arride', 'raider'], 'arrie': ['airer', 'arrie'], 'arriet': ['arriet', 'tarrie'], 'arrish': ['arrish', 'harris', 'rarish', 'sirrah'], 'arrive': ['arrive', 'varier'], 'arrogance': ['arrogance', 'coarrange'], 'arrogant': ['arrogant', 'tarragon'], 'arrogative': ['arrogative', 'variegator'], 'arrowy': ['arrowy', 'yarrow'], 'arry': ['arry', 'yarr'], 'arsacid': ['arsacid', 'ascarid'], 'arse': ['arse', 'rase', 'sare', 'sear', 'sera'], 'arsedine': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenal': ['arsenal', 'ranales'], 'arsenate': ['arsenate', 'serenata'], 'arsenation': ['arsenation', 'senatorian', 'sonneratia'], 'arseniate': ['arseniate', 'saernaite'], 'arsenic': ['arsenic', 'cerasin', 'sarcine'], 'arsenide': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenite': ['arsenite', 'resinate', 'teresian', 'teresina'], 'arsenium': ['aneurism', 'arsenium', 'sumerian'], 'arseniuret': ['arseniuret', 'uniserrate'], 'arseno': ['arseno', 'reason'], 'arsenopyrite': ['arsenopyrite', 'pyroarsenite'], 'arsenous': ['anserous', 'arsenous'], 'arses': ['arses', 'rasse'], 'arshine': ['arshine', 'nearish', 'rhesian', 'sherani'], 'arsine': ['arisen', 'arsine', 'resina', 'serian'], 'arsino': ['arsino', 'rasion', 'sonrai'], 'arsis': ['arsis', 'sarsi'], 'arsle': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arson': ['arson', 'saron', 'sonar'], 'arsonic': ['arsonic', 'saronic'], 'arsonite': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'art': ['art', 'rat', 'tar', 'tra'], 'artaba': ['artaba', 'batara'], 'artabe': ['abater', 'artabe', 'eartab', 'trabea'], 'artal': ['altar', 'artal', 'ratal', 'talar'], 'artamus': ['artamus', 'sumatra'], 'artarine': ['artarine', 'errantia'], 'artefact': ['afteract', 'artefact', 'farcetta', 'farctate'], 'artel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'artemas': ['artemas', 'astream'], 'artemia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'artemis': ['artemis', 'maestri', 'misrate'], 'artemisic': ['ameristic', 'armistice', 'artemisic'], 'arterial': ['arterial', 'triareal'], 'arterin': ['arterin', 'retrain', 'terrain', 'trainer'], 'arterious': ['arterious', 'autoriser'], 'artesian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'artgum': ['artgum', 'targum'], 'artha': ['arhat', 'artha', 'athar'], 'arthel': ['arthel', 'halter', 'lather', 'thaler'], 'arthemis': ['arthemis', 'marshite', 'meharist'], 'arthrochondritis': ['arthrochondritis', 'chondroarthritis'], 'arthromere': ['arthromere', 'metrorrhea'], 'arthropodan': ['anarthropod', 'arthropodan'], 'arthrosteitis': ['arthrosteitis', 'ostearthritis'], 'article': ['article', 'recital'], 'articled': ['articled', 'lacertid'], 'artie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'artifice': ['actifier', 'artifice'], 'artisan': ['artisan', 'astrain', 'sartain', 'tsarina'], 'artisanship': ['antiphrasis', 'artisanship'], 'artist': ['artist', 'strait', 'strati'], 'artiste': ['artiste', 'striate'], 'artlet': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'artlike': ['artlike', 'ratlike', 'tarlike'], 'arty': ['arty', 'atry', 'tray'], 'aru': ['aru', 'rua', 'ura'], 'aruac': ['aruac', 'carua'], 'arui': ['arui', 'uria'], 'arum': ['arum', 'maru', 'mura'], 'arundo': ['around', 'arundo'], 'arunta': ['arnaut', 'arunta'], 'arusa': ['arusa', 'saura', 'usara'], 'arusha': ['arusha', 'aushar'], 'arustle': ['arustle', 'estrual', 'saluter', 'saulter'], 'arval': ['alvar', 'arval', 'larva'], 'arvel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'arx': ['arx', 'rax'], 'ary': ['ary', 'ray', 'yar'], 'arya': ['arya', 'raya'], 'aryan': ['aryan', 'nayar', 'rayan'], 'aryl': ['aryl', 'lyra', 'ryal', 'yarl'], 'as': ['as', 'sa'], 'asa': ['asa', 'saa'], 'asak': ['asak', 'kasa', 'saka'], 'asana': ['anasa', 'asana'], 'asaph': ['asaph', 'pasha'], 'asaphia': ['aphasia', 'asaphia'], 'asaphic': ['aphasic', 'asaphic'], 'asaprol': ['asaprol', 'parasol'], 'asarh': ['asarh', 'raash', 'sarah'], 'asarite': ['asarite', 'asteria', 'atresia', 'setaria'], 'asarum': ['aramus', 'asarum'], 'asbest': ['asbest', 'basset'], 'ascanius': ['anacusis', 'ascanius'], 'ascare': ['ascare', 'caesar', 'resaca'], 'ascarid': ['arsacid', 'ascarid'], 'ascaris': ['ascaris', 'carissa'], 'ascendance': ['adnascence', 'ascendance'], 'ascendant': ['adnascent', 'ascendant'], 'ascender': ['ascender', 'reascend'], 'ascent': ['ascent', 'secant', 'stance'], 'ascertain': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'ascertainer': ['ascertainer', 'reascertain', 'secretarian'], 'ascetic': ['ascetic', 'castice', 'siccate'], 'ascham': ['ascham', 'chasma'], 'asci': ['acis', 'asci', 'saic'], 'ascian': ['ascian', 'sacian', 'scania', 'sicana'], 'ascidia': ['ascidia', 'diascia'], 'ascii': ['ascii', 'isiac'], 'ascites': ['ascites', 'ectasis'], 'ascitic': ['ascitic', 'sciatic'], 'ascitical': ['ascitical', 'sciatical'], 'asclent': ['asclent', 'scantle'], 'asclepian': ['asclepian', 'spalacine'], 'ascolichen': ['ascolichen', 'chalcosine'], 'ascon': ['ascon', 'canso', 'oscan'], 'ascot': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'ascription': ['antipsoric', 'ascription', 'crispation'], 'ascry': ['ascry', 'scary', 'scray'], 'ascula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'asdic': ['asdic', 'sadic'], 'ase': ['aes', 'ase', 'sea'], 'asearch': ['asearch', 'eschara'], 'aselli': ['allies', 'aselli'], 'asem': ['asem', 'mesa', 'same', 'seam'], 'asemia': ['asemia', 'saeima'], 'aseptic': ['aseptic', 'spicate'], 'aseptol': ['apostle', 'aseptol'], 'ash': ['ash', 'sah', 'sha'], 'ashanti': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'ashen': ['ashen', 'hanse', 'shane', 'shean'], 'asher': ['asher', 'share', 'shear'], 'ashet': ['ashet', 'haste', 'sheat'], 'ashimmer': ['ashimmer', 'haremism'], 'ashir': ['ashir', 'shari'], 'ashling': ['anglish', 'ashling'], 'ashman': ['ashman', 'shaman'], 'ashore': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ashraf': ['afshar', 'ashraf'], 'ashur': ['ashur', 'surah'], 'ashy': ['ashy', 'shay'], 'asian': ['asian', 'naias', 'sanai'], 'asiarch': ['arachis', 'asiarch', 'saharic'], 'aside': ['aides', 'aside', 'sadie'], 'asideu': ['asideu', 'suidae'], 'asiento': ['aeonist', 'asiento', 'satieno'], 'asilid': ['asilid', 'sialid'], 'asilidae': ['asilidae', 'sialidae'], 'asilus': ['asilus', 'lasius'], 'asimen': ['asimen', 'inseam', 'mesian'], 'asimmer': ['amerism', 'asimmer', 'sammier'], 'asiphonate': ['asiphonate', 'asthenopia'], 'ask': ['ask', 'sak'], 'asker': ['asker', 'reask', 'saker', 'sekar'], 'askew': ['askew', 'wakes'], 'askip': ['askip', 'spaik'], 'askr': ['askr', 'kras', 'sark'], 'aslant': ['aslant', 'lansat', 'natals', 'santal'], 'asleep': ['asleep', 'elapse', 'please'], 'aslope': ['aslope', 'poales'], 'asmalte': ['asmalte', 'maltase'], 'asmile': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'asnort': ['asnort', 'satron'], 'asoak': ['asoak', 'asoka'], 'asok': ['asok', 'soak', 'soka'], 'asoka': ['asoak', 'asoka'], 'asonia': ['anosia', 'asonia'], 'asop': ['asop', 'sapo', 'soap'], 'asor': ['asor', 'rosa', 'soar', 'sora'], 'asp': ['asp', 'sap', 'spa'], 'aspartic': ['aspartic', 'satrapic'], 'aspection': ['aspection', 'stenopaic'], 'aspectual': ['aspectual', 'capsulate'], 'aspen': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'asper': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'asperate': ['asperate', 'separate'], 'asperation': ['anisoptera', 'asperation', 'separation'], 'asperge': ['asperge', 'presage'], 'asperger': ['asperger', 'presager'], 'aspergil': ['aspergil', 'splairge'], 'asperite': ['asperite', 'parietes'], 'aspermia': ['aspermia', 'sapremia'], 'aspermic': ['aspermic', 'sapremic'], 'asperser': ['asperser', 'repasser'], 'asperulous': ['asperulous', 'pleasurous'], 'asphalt': ['asphalt', 'spathal', 'taplash'], 'aspic': ['aspic', 'spica'], 'aspidinol': ['aspidinol', 'diplasion'], 'aspirant': ['aspirant', 'partisan', 'spartina'], 'aspirata': ['aspirata', 'parasita'], 'aspirate': ['aspirate', 'parasite'], 'aspire': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'aspirer': ['aspirer', 'praiser', 'serpari'], 'aspiring': ['aspiring', 'praising', 'singarip'], 'aspiringly': ['aspiringly', 'praisingly'], 'aspish': ['aspish', 'phasis'], 'asporous': ['asporous', 'saporous'], 'asport': ['asport', 'pastor', 'sproat'], 'aspread': ['aspread', 'saperda'], 'aspring': ['aspring', 'rasping', 'sparing'], 'asquirm': ['asquirm', 'marquis'], 'assagai': ['assagai', 'gaiassa'], 'assailer': ['assailer', 'reassail'], 'assam': ['amass', 'assam', 'massa', 'samas'], 'assaulter': ['assaulter', 'reassault', 'saleratus'], 'assayer': ['assayer', 'reassay'], 'assemble': ['assemble', 'beamless'], 'assent': ['assent', 'snaste'], 'assenter': ['assenter', 'reassent', 'sarsenet'], 'assentor': ['assentor', 'essorant', 'starnose'], 'assert': ['assert', 'tasser'], 'asserter': ['asserter', 'reassert'], 'assertible': ['assertible', 'resistable'], 'assertional': ['assertional', 'sensatorial'], 'assertor': ['assertor', 'assorter', 'oratress', 'reassort'], 'asset': ['asset', 'tasse'], 'assets': ['assets', 'stases'], 'assidean': ['assidean', 'nassidae'], 'assiento': ['assiento', 'ossetian'], 'assignee': ['agenesis', 'assignee'], 'assigner': ['assigner', 'reassign'], 'assist': ['assist', 'stasis'], 'assister': ['assister', 'reassist'], 'associationism': ['associationism', 'misassociation'], 'assoilment': ['assoilment', 'salmonsite'], 'assorter': ['assertor', 'assorter', 'oratress', 'reassort'], 'assuage': ['assuage', 'sausage'], 'assume': ['assume', 'seamus'], 'assumer': ['assumer', 'erasmus', 'masseur'], 'ast': ['ast', 'sat'], 'astacus': ['acastus', 'astacus'], 'astare': ['astare', 'satrae'], 'astart': ['astart', 'strata'], 'astartian': ['astartian', 'astrantia'], 'astatine': ['astatine', 'sanitate'], 'asteep': ['asteep', 'peseta'], 'asteer': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'astelic': ['astelic', 'elastic', 'latices'], 'astely': ['alytes', 'astely', 'lysate', 'stealy'], 'aster': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'asteria': ['asarite', 'asteria', 'atresia', 'setaria'], 'asterias': ['aristeas', 'asterias'], 'asterikos': ['asterikos', 'keratosis'], 'asterin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'asterina': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asterion': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'astern': ['astern', 'enstar', 'stenar', 'sterna'], 'asternia': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asteroid': ['asteroid', 'troiades'], 'asterope': ['asterope', 'protease'], 'asthenopia': ['asiphonate', 'asthenopia'], 'asthma': ['amsath', 'asthma'], 'asthmogenic': ['asthmogenic', 'mesognathic'], 'asthore': ['asthore', 'earshot'], 'astian': ['astian', 'tasian'], 'astigmism': ['astigmism', 'sigmatism'], 'astilbe': ['astilbe', 'bestial', 'blastie', 'stabile'], 'astint': ['astint', 'tanist'], 'astir': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'astomous': ['astomous', 'somatous'], 'astonied': ['astonied', 'sedation'], 'astonisher': ['astonisher', 'reastonish', 'treasonish'], 'astor': ['astor', 'roast'], 'astragali': ['astragali', 'tarsalgia'], 'astrain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'astral': ['astral', 'tarsal'], 'astrantia': ['astartian', 'astrantia'], 'astream': ['artemas', 'astream'], 'astrer': ['arrest', 'astrer', 'raster', 'starer'], 'astrict': ['astrict', 'cartist', 'stratic'], 'astride': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'astrier': ['astrier', 'tarsier'], 'astringe': ['astringe', 'ganister', 'gantries'], 'astringent': ['astringent', 'transigent'], 'astringer': ['arresting', 'astringer'], 'astrodome': ['astrodome', 'roomstead'], 'astrofel': ['astrofel', 'forestal'], 'astroite': ['astroite', 'ostraite', 'storiate'], 'astrolabe': ['astrolabe', 'roastable'], 'astrut': ['astrut', 'rattus', 'stuart'], 'astur': ['astur', 'surat', 'sutra'], 'asturian': ['asturian', 'austrian', 'saturnia'], 'astute': ['astute', 'statue'], 'astylar': ['astylar', 'saltary'], 'asunder': ['asunder', 'drusean'], 'asuri': ['arius', 'asuri'], 'aswail': ['aswail', 'sawali'], 'asweat': ['asweat', 'awaste'], 'aswim': ['aswim', 'swami'], 'aswing': ['aswing', 'sawing'], 'asyla': ['asyla', 'salay', 'sayal'], 'asyllabic': ['asyllabic', 'basically'], 'asyndetic': ['asyndetic', 'cystidean', 'syndicate'], 'asynergia': ['asynergia', 'gainsayer'], 'at': ['at', 'ta'], 'ata': ['ata', 'taa'], 'atabal': ['albata', 'atabal', 'balata'], 'atabrine': ['atabrine', 'rabatine'], 'atacaman': ['atacaman', 'tamanaca'], 'ataentsic': ['anticaste', 'ataentsic'], 'atalan': ['atalan', 'tanala'], 'atap': ['atap', 'pata', 'tapa'], 'atazir': ['atazir', 'ziarat'], 'atchison': ['atchison', 'chitosan'], 'ate': ['ate', 'eat', 'eta', 'tae', 'tea'], 'ateba': ['abate', 'ateba', 'batea', 'beata'], 'atebrin': ['atebrin', 'rabinet'], 'atechnic': ['atechnic', 'catechin', 'technica'], 'atechny': ['atechny', 'chantey'], 'ateeter': ['ateeter', 'treatee'], 'atef': ['atef', 'fate', 'feat'], 'ateles': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'atelets': ['atelets', 'tsatlee'], 'atelier': ['atelier', 'tiralee'], 'aten': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'atenism': ['atenism', 'inmeats', 'insteam', 'samnite'], 'atenist': ['atenist', 'instate', 'satient', 'steatin'], 'ates': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'atestine': ['anisette', 'atestine', 'settaine'], 'athar': ['arhat', 'artha', 'athar'], 'atheism': ['atheism', 'hamites'], 'athena': ['ahtena', 'aneath', 'athena'], 'athenian': ['anthinae', 'athenian'], 'athenor': ['another', 'athenor', 'rheotan'], 'athens': ['athens', 'hasten', 'snathe', 'sneath'], 'atherine': ['atherine', 'herniate'], 'atheris': ['atheris', 'sheriat'], 'athermic': ['athermic', 'marchite', 'rhematic'], 'athing': ['anight', 'athing'], 'athirst': ['athirst', 'rattish', 'tartish'], 'athletic': ['athletic', 'thetical'], 'athletics': ['athletics', 'statelich'], 'athort': ['athort', 'throat'], 'athrive': ['athrive', 'hervati'], 'ati': ['ait', 'ati', 'ita', 'tai'], 'atik': ['atik', 'ikat'], 'atimon': ['atimon', 'manito', 'montia'], 'atingle': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'atip': ['atip', 'pita'], 'atis': ['atis', 'sita', 'tsia'], 'atlantean': ['antenatal', 'atlantean', 'tantalean'], 'atlantic': ['atlantic', 'tantalic'], 'atlantid': ['atlantid', 'dilatant'], 'atlantite': ['atlantite', 'tantalite'], 'atlas': ['atlas', 'salat', 'salta'], 'atle': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'atlee': ['atlee', 'elate'], 'atloidean': ['atloidean', 'dealation'], 'atma': ['atma', 'tama'], 'atman': ['atman', 'manta'], 'atmid': ['admit', 'atmid'], 'atmo': ['atmo', 'atom', 'moat', 'toma'], 'atmogenic': ['atmogenic', 'geomantic'], 'atmos': ['atmos', 'stoma', 'tomas'], 'atmosphere': ['atmosphere', 'shapometer'], 'atmostea': ['atmostea', 'steatoma'], 'atnah': ['atnah', 'tanha', 'thana'], 'atocia': ['atocia', 'coaita'], 'atokal': ['atokal', 'lakota'], 'atoll': ['allot', 'atoll'], 'atom': ['atmo', 'atom', 'moat', 'toma'], 'atomic': ['atomic', 'matico'], 'atomics': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'atomize': ['atomize', 'miaotze'], 'atomizer': ['amortize', 'atomizer'], 'atonal': ['atonal', 'latona'], 'atonalism': ['anomalist', 'atonalism'], 'atone': ['atone', 'oaten'], 'atoner': ['atoner', 'norate', 'ornate'], 'atonia': ['anotia', 'atonia'], 'atonic': ['action', 'atonic', 'cation'], 'atony': ['atony', 'ayont'], 'atop': ['atop', 'pato'], 'atopic': ['atopic', 'capito', 'copita'], 'atorai': ['atorai', 'otaria'], 'atrail': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atrepsy': ['atrepsy', 'yapster'], 'atresia': ['asarite', 'asteria', 'atresia', 'setaria'], 'atresic': ['atresic', 'stearic'], 'atresy': ['atresy', 'estray', 'reasty', 'stayer'], 'atretic': ['atretic', 'citrate'], 'atria': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'atrial': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atridean': ['anteriad', 'atridean', 'dentaria'], 'atrip': ['atrip', 'tapir'], 'atrocity': ['atrocity', 'citatory'], 'atrophied': ['aphrodite', 'atrophied', 'diaporthe'], 'atropia': ['apiator', 'atropia', 'parotia'], 'atropic': ['apricot', 'atropic', 'parotic', 'patrico'], 'atroscine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'atry': ['arty', 'atry', 'tray'], 'attacco': ['attacco', 'toccata'], 'attach': ['attach', 'chatta'], 'attache': ['attache', 'thecata'], 'attacher': ['attacher', 'reattach'], 'attacker': ['attacker', 'reattack'], 'attain': ['attain', 'tatian'], 'attainder': ['antitrade', 'attainder'], 'attainer': ['attainer', 'reattain', 'tertiana'], 'attar': ['attar', 'tatar'], 'attempter': ['attempter', 'reattempt'], 'attender': ['attender', 'nattered', 'reattend'], 'attention': ['attention', 'tentation'], 'attentive': ['attentive', 'tentative'], 'attentively': ['attentively', 'tentatively'], 'attentiveness': ['attentiveness', 'tentativeness'], 'atter': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'attermine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'attern': ['attern', 'natter', 'ratten', 'tarten'], 'attery': ['attery', 'treaty', 'yatter'], 'attester': ['attester', 'reattest'], 'attic': ['attic', 'catti', 'tacit'], 'attical': ['attical', 'cattail'], 'attinge': ['attinge', 'tintage'], 'attire': ['attire', 'ratite', 'tertia'], 'attired': ['attired', 'tradite'], 'attorn': ['attorn', 'ratton', 'rottan'], 'attracter': ['attracter', 'reattract'], 'attractor': ['attractor', 'tractator'], 'attrite': ['attrite', 'titrate'], 'attrition': ['attrition', 'titration'], 'attune': ['attune', 'nutate', 'tauten'], 'atule': ['aleut', 'atule'], 'atumble': ['atumble', 'mutable'], 'atwin': ['atwin', 'twain', 'witan'], 'atypic': ['atypic', 'typica'], 'aube': ['aube', 'beau'], 'aubrite': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'aucan': ['acuan', 'aucan'], 'aucaner': ['arecuna', 'aucaner'], 'auchlet': ['auchlet', 'cutheal', 'taluche'], 'auction': ['auction', 'caution'], 'auctionary': ['auctionary', 'cautionary'], 'audiencier': ['audiencier', 'enicuridae'], 'auge': ['ague', 'auge'], 'augen': ['augen', 'genua'], 'augend': ['augend', 'engaud', 'unaged'], 'auger': ['argue', 'auger'], 'augerer': ['augerer', 'reargue'], 'augh': ['augh', 'guha'], 'augmenter': ['argenteum', 'augmenter'], 'augustan': ['augustan', 'guatusan'], 'auh': ['ahu', 'auh', 'hau'], 'auk': ['aku', 'auk', 'kua'], 'auld': ['auld', 'dual', 'laud', 'udal'], 'aulete': ['aulete', 'eluate'], 'auletic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'auletris': ['auletris', 'lisuarte'], 'aulic': ['aulic', 'lucia'], 'aulostoma': ['aulostoma', 'autosomal'], 'aulu': ['aulu', 'ulua'], 'aum': ['aum', 'mau'], 'aumbry': ['ambury', 'aumbry'], 'aumil': ['aumil', 'miaul'], 'aumrie': ['aumrie', 'uremia'], 'auncel': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'aunt': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'auntie': ['auntie', 'uniate'], 'auntish': ['auntish', 'inhaust'], 'auntly': ['auntly', 'lutany'], 'auntsary': ['auntsary', 'unastray'], 'aura': ['aaru', 'aura'], 'aural': ['aural', 'laura'], 'aurar': ['arrau', 'aurar'], 'auresca': ['auresca', 'caesura'], 'aureus': ['aureus', 'uraeus'], 'auricle': ['auricle', 'ciruela'], 'auricled': ['auricled', 'radicule'], 'auride': ['auride', 'rideau'], 'aurin': ['aurin', 'urian'], 'aurir': ['aurir', 'urari'], 'auriscalp': ['auriscalp', 'spiracula'], 'auscult': ['auscult', 'scutula'], 'aushar': ['arusha', 'aushar'], 'auster': ['auster', 'reatus'], 'austere': ['austere', 'euaster'], 'australian': ['australian', 'saturnalia'], 'australic': ['australic', 'lactarius'], 'australite': ['aristulate', 'australite'], 'austrian': ['asturian', 'austrian', 'saturnia'], 'aute': ['aute', 'etua'], 'autecism': ['autecism', 'musicate'], 'authotype': ['authotype', 'autophyte'], 'autoclave': ['autoclave', 'vacuolate'], 'autocrat': ['actuator', 'autocrat'], 'autoheterosis': ['autoheterosis', 'heteroousiast'], 'autometric': ['autometric', 'tautomeric'], 'autometry': ['autometry', 'tautomery'], 'autophyte': ['authotype', 'autophyte'], 'autoplast': ['autoplast', 'postulata'], 'autopsic': ['autopsic', 'captious'], 'autopsical': ['apolaustic', 'autopsical'], 'autoradiograph': ['autoradiograph', 'radioautograph'], 'autoradiographic': ['autoradiographic', 'radioautographic'], 'autoradiography': ['autoradiography', 'radioautography'], 'autoriser': ['arterious', 'autoriser'], 'autosomal': ['aulostoma', 'autosomal'], 'auxetic': ['auxetic', 'eutaxic'], 'aval': ['aval', 'lava'], 'avanti': ['avanti', 'vinata'], 'avar': ['avar', 'vara'], 'ave': ['ave', 'eva'], 'avenge': ['avenge', 'geneva', 'vangee'], 'avenger': ['avenger', 'engrave'], 'avenin': ['avenin', 'vienna'], 'aventine': ['aventine', 'venetian'], 'aventurine': ['aventurine', 'uninervate'], 'aver': ['aver', 'rave', 'vare', 'vera'], 'avera': ['avera', 'erava'], 'averil': ['averil', 'elvira'], 'averin': ['averin', 'ravine'], 'avert': ['avert', 'tarve', 'taver', 'trave'], 'avertible': ['avertible', 'veritable'], 'avertin': ['avertin', 'vitrean'], 'aves': ['aves', 'save', 'vase'], 'aviatic': ['aviatic', 'viatica'], 'aviator': ['aviator', 'tovaria'], 'avicular': ['avicular', 'varicula'], 'avid': ['avid', 'diva'], 'avidous': ['avidous', 'vaudois'], 'avignonese': ['avignonese', 'ingaevones'], 'avine': ['avine', 'naive', 'vinea'], 'avirulence': ['acervuline', 'avirulence'], 'avis': ['avis', 'siva', 'visa'], 'avitic': ['avitic', 'viatic'], 'avo': ['avo', 'ova'], 'avocet': ['avocet', 'octave', 'vocate'], 'avodire': ['avodire', 'avoider', 'reavoid'], 'avoider': ['avodire', 'avoider', 'reavoid'], 'avolation': ['avolation', 'ovational'], 'avolitional': ['avolitional', 'violational'], 'avoucher': ['avoucher', 'reavouch'], 'avower': ['avower', 'reavow'], 'avshar': ['avshar', 'varsha'], 'avulse': ['alveus', 'avulse'], 'aw': ['aw', 'wa'], 'awag': ['awag', 'waag'], 'awaiter': ['awaiter', 'reawait'], 'awakener': ['awakener', 'reawaken'], 'awarder': ['awarder', 'reaward'], 'awash': ['awash', 'sawah'], 'awaste': ['asweat', 'awaste'], 'awat': ['awat', 'tawa'], 'awd': ['awd', 'daw', 'wad'], 'awe': ['awe', 'wae', 'wea'], 'aweather': ['aweather', 'wheatear'], 'aweek': ['aweek', 'keawe'], 'awesome': ['awesome', 'waesome'], 'awest': ['awest', 'sweat', 'tawse', 'waste'], 'awfu': ['awfu', 'wauf'], 'awful': ['awful', 'fulwa'], 'awhet': ['awhet', 'wheat'], 'awin': ['awin', 'wain'], 'awing': ['awing', 'wigan'], 'awl': ['awl', 'law'], 'awn': ['awn', 'naw', 'wan'], 'awned': ['awned', 'dewan', 'waned'], 'awner': ['awner', 'newar'], 'awning': ['awning', 'waning'], 'awny': ['awny', 'wany', 'yawn'], 'awol': ['alow', 'awol', 'lowa'], 'awork': ['awork', 'korwa'], 'awreck': ['awreck', 'wacker'], 'awrong': ['awrong', 'growan'], 'awry': ['awry', 'wary'], 'axel': ['alex', 'axel', 'axle'], 'axes': ['axes', 'saxe', 'seax'], 'axil': ['alix', 'axil'], 'axile': ['axile', 'lexia'], 'axine': ['axine', 'xenia'], 'axle': ['alex', 'axel', 'axle'], 'axon': ['axon', 'noxa', 'oxan'], 'axonal': ['axonal', 'oxalan'], 'axonia': ['anoxia', 'axonia'], 'ay': ['ay', 'ya'], 'ayah': ['ayah', 'haya'], 'aye': ['aye', 'yea'], 'ayont': ['atony', 'ayont'], 'azimine': ['aminize', 'animize', 'azimine'], 'azo': ['azo', 'zoa'], 'azole': ['azole', 'zoeal'], 'azon': ['azon', 'onza', 'ozan'], 'azorian': ['arizona', 'azorian', 'zonaria'], 'azorite': ['azorite', 'zoarite'], 'azoxine': ['azoxine', 'oxazine'], 'azteca': ['azteca', 'zacate'], 'azurine': ['azurine', 'urazine'], 'ba': ['ab', 'ba'], 'baa': ['aba', 'baa'], 'baal': ['alba', 'baal', 'bala'], 'baalath': ['baalath', 'bathala'], 'baalite': ['baalite', 'bialate', 'labiate'], 'baalshem': ['baalshem', 'shamable'], 'baar': ['arab', 'arba', 'baar', 'bara'], 'bab': ['abb', 'bab'], 'baba': ['abba', 'baba'], 'babbler': ['babbler', 'blabber', 'brabble'], 'babery': ['babery', 'yabber'], 'babhan': ['babhan', 'habnab'], 'babishly': ['babishly', 'shabbily'], 'babishness': ['babishness', 'shabbiness'], 'babite': ['babite', 'bebait'], 'babu': ['babu', 'buba'], 'babul': ['babul', 'bubal'], 'baby': ['abby', 'baby'], 'babylonish': ['babylonish', 'nabobishly'], 'bac': ['bac', 'cab'], 'bacao': ['bacao', 'caoba'], 'bach': ['bach', 'chab'], 'bache': ['bache', 'beach'], 'bachel': ['bachel', 'bleach'], 'bachelor': ['bachelor', 'crabhole'], 'bacillar': ['bacillar', 'cabrilla'], 'bacis': ['bacis', 'basic'], 'backblow': ['backblow', 'blowback'], 'backen': ['backen', 'neback'], 'backer': ['backer', 'reback'], 'backfall': ['backfall', 'fallback'], 'backfire': ['backfire', 'fireback'], 'backlog': ['backlog', 'gablock'], 'backrun': ['backrun', 'runback'], 'backsaw': ['backsaw', 'sawback'], 'backset': ['backset', 'setback'], 'backstop': ['backstop', 'stopback'], 'backswing': ['backswing', 'swingback'], 'backward': ['backward', 'drawback'], 'backway': ['backway', 'wayback'], 'bacon': ['bacon', 'banco'], 'bacterial': ['bacterial', 'calibrate'], 'bacteriform': ['bacteriform', 'bracteiform'], 'bacterin': ['bacterin', 'centibar'], 'bacterioid': ['aborticide', 'bacterioid'], 'bacterium': ['bacterium', 'cumbraite'], 'bactrian': ['bactrian', 'cantabri'], 'bacula': ['albuca', 'bacula'], 'baculi': ['abulic', 'baculi'], 'baculite': ['baculite', 'cubitale'], 'baculites': ['baculites', 'bisulcate'], 'baculoid': ['baculoid', 'cuboidal'], 'bad': ['bad', 'dab'], 'badaga': ['badaga', 'dagaba', 'gadaba'], 'badan': ['badan', 'banda'], 'bade': ['abed', 'bade', 'bead'], 'badge': ['badge', 'begad'], 'badian': ['badian', 'indaba'], 'badigeon': ['badigeon', 'gabioned'], 'badly': ['badly', 'baldy', 'blady'], 'badon': ['badon', 'bando'], 'bae': ['abe', 'bae', 'bea'], 'baeria': ['aberia', 'baeria', 'baiera'], 'baetulus': ['baetulus', 'subulate'], 'baetyl': ['baetyl', 'baylet', 'bleaty'], 'baetylic': ['baetylic', 'biacetyl'], 'bafta': ['abaft', 'bafta'], 'bag': ['bag', 'gab'], 'bagani': ['bagani', 'bangia', 'ibanag'], 'bagel': ['bagel', 'belga', 'gable', 'gleba'], 'bagger': ['bagger', 'beggar'], 'bagnio': ['bagnio', 'gabion', 'gobian'], 'bago': ['bago', 'boga'], 'bagre': ['bagre', 'barge', 'begar', 'rebag'], 'bahar': ['bahar', 'bhara'], 'bahoe': ['bahoe', 'bohea', 'obeah'], 'baht': ['baht', 'bath', 'bhat'], 'baiera': ['aberia', 'baeria', 'baiera'], 'baignet': ['baignet', 'beating'], 'bail': ['albi', 'bail', 'bali'], 'bailage': ['algieba', 'bailage'], 'bailer': ['bailer', 'barile'], 'baillone': ['baillone', 'bonellia'], 'bailment': ['bailment', 'libament'], 'bailor': ['bailor', 'bioral'], 'bailsman': ['bailsman', 'balanism', 'nabalism'], 'bain': ['bain', 'bani', 'iban'], 'baioc': ['baioc', 'cabio', 'cobia'], 'bairam': ['bairam', 'bramia'], 'bairn': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'bairnie': ['aribine', 'bairnie', 'iberian'], 'bairnish': ['bairnish', 'bisharin'], 'bais': ['absi', 'bais', 'bias', 'isba'], 'baister': ['baister', 'tribase'], 'baiter': ['baiter', 'barite', 'rebait', 'terbia'], 'baith': ['baith', 'habit'], 'bajocian': ['bajocian', 'jacobian'], 'bakal': ['bakal', 'balak'], 'bakatan': ['bakatan', 'batakan'], 'bake': ['bake', 'beak'], 'baker': ['baker', 'brake', 'break'], 'bakerless': ['bakerless', 'brakeless', 'breakless'], 'bakery': ['bakery', 'barkey'], 'bakie': ['akebi', 'bakie'], 'baku': ['baku', 'kuba'], 'bal': ['alb', 'bal', 'lab'], 'bala': ['alba', 'baal', 'bala'], 'baladine': ['baladine', 'balaenid'], 'balaenid': ['baladine', 'balaenid'], 'balagan': ['balagan', 'bangala'], 'balai': ['balai', 'labia'], 'balak': ['bakal', 'balak'], 'balan': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'balancer': ['balancer', 'barnacle'], 'balangay': ['balangay', 'bangalay'], 'balanic': ['balanic', 'caliban'], 'balanid': ['balanid', 'banilad'], 'balanism': ['bailsman', 'balanism', 'nabalism'], 'balanite': ['albanite', 'balanite', 'nabalite'], 'balanites': ['balanites', 'basaltine', 'stainable'], 'balantidium': ['antialbumid', 'balantidium'], 'balanus': ['balanus', 'nabalus', 'subanal'], 'balas': ['balas', 'balsa', 'basal', 'sabal'], 'balata': ['albata', 'atabal', 'balata'], 'balatron': ['balatron', 'laborant'], 'balaustine': ['balaustine', 'unsatiable'], 'balaustre': ['balaustre', 'saturable'], 'bald': ['bald', 'blad'], 'balden': ['balden', 'bandle'], 'balder': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'baldie': ['abdiel', 'baldie'], 'baldish': ['baldish', 'bladish'], 'baldmoney': ['baldmoney', 'molybdena'], 'baldness': ['baldness', 'bandless'], 'baldy': ['badly', 'baldy', 'blady'], 'bale': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'balearic': ['balearic', 'cebalrai'], 'baleen': ['baleen', 'enable'], 'balefire': ['afebrile', 'balefire', 'fireable'], 'baleise': ['baleise', 'besaiel'], 'baler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'balete': ['balete', 'belate'], 'bali': ['albi', 'bail', 'bali'], 'baline': ['baline', 'blaine'], 'balinger': ['balinger', 'ringable'], 'balker': ['balker', 'barkle'], 'ballaster': ['ballaster', 'reballast'], 'ballate': ['ballate', 'tabella'], 'balli': ['balli', 'billa'], 'balloter': ['balloter', 'reballot'], 'ballplayer': ['ballplayer', 'preallably'], 'ballroom': ['ballroom', 'moorball'], 'ballweed': ['ballweed', 'weldable'], 'balm': ['balm', 'lamb'], 'balminess': ['balminess', 'lambiness'], 'balmlike': ['balmlike', 'lamblike'], 'balmy': ['balmy', 'lamby'], 'balolo': ['balolo', 'lobola'], 'balonea': ['abalone', 'balonea'], 'balor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'balow': ['ablow', 'balow', 'bowla'], 'balsa': ['balas', 'balsa', 'basal', 'sabal'], 'balsam': ['balsam', 'sambal'], 'balsamic': ['balsamic', 'cabalism'], 'balsamo': ['absalom', 'balsamo'], 'balsamy': ['abysmal', 'balsamy'], 'balt': ['balt', 'blat'], 'baltei': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'balter': ['albert', 'balter', 'labret', 'tabler'], 'balteus': ['balteus', 'sublate'], 'baltis': ['baltis', 'bisalt'], 'balu': ['balu', 'baul', 'bual', 'luba'], 'balunda': ['balunda', 'bulanda'], 'baluster': ['baluster', 'rustable'], 'balut': ['balut', 'tubal'], 'bam': ['bam', 'mab'], 'ban': ['ban', 'nab'], 'bana': ['anba', 'bana'], 'banak': ['banak', 'nabak'], 'banal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'banat': ['banat', 'batan'], 'banca': ['banca', 'caban'], 'bancal': ['bancal', 'blanca'], 'banco': ['bacon', 'banco'], 'banda': ['badan', 'banda'], 'bandage': ['bandage', 'dagbane'], 'bandar': ['bandar', 'raband'], 'bandarlog': ['bandarlog', 'langobard'], 'bande': ['bande', 'benda'], 'bander': ['bander', 'brenda'], 'banderma': ['banderma', 'breadman'], 'banderole': ['banderole', 'bandoleer'], 'bandhook': ['bandhook', 'handbook'], 'bandle': ['balden', 'bandle'], 'bandless': ['baldness', 'bandless'], 'bando': ['badon', 'bando'], 'bandoleer': ['banderole', 'bandoleer'], 'bandor': ['bandor', 'bondar', 'roband'], 'bandore': ['bandore', 'broaden'], 'bane': ['bane', 'bean', 'bena'], 'bangala': ['balagan', 'bangala'], 'bangalay': ['balangay', 'bangalay'], 'bangash': ['bangash', 'nashgab'], 'banger': ['banger', 'engarb', 'graben'], 'banghy': ['banghy', 'hangby'], 'bangia': ['bagani', 'bangia', 'ibanag'], 'bangle': ['bangle', 'bengal'], 'bani': ['bain', 'bani', 'iban'], 'banilad': ['balanid', 'banilad'], 'banisher': ['banisher', 'rebanish'], 'baniva': ['baniva', 'bavian'], 'baniya': ['baniya', 'banyai'], 'banjoist': ['banjoist', 'bostanji'], 'bank': ['bank', 'knab', 'nabk'], 'banker': ['banker', 'barken'], 'banshee': ['banshee', 'benshea'], 'bantam': ['bantam', 'batman'], 'banteng': ['banteng', 'bentang'], 'banyai': ['baniya', 'banyai'], 'banzai': ['banzai', 'zabian'], 'bar': ['bar', 'bra', 'rab'], 'bara': ['arab', 'arba', 'baar', 'bara'], 'barabra': ['barabra', 'barbara'], 'barad': ['barad', 'draba'], 'barb': ['barb', 'brab'], 'barbara': ['barabra', 'barbara'], 'barbe': ['barbe', 'bebar', 'breba', 'rebab'], 'barbed': ['barbed', 'dabber'], 'barbel': ['barbel', 'labber', 'rabble'], 'barbet': ['barbet', 'rabbet', 'tabber'], 'barbette': ['barbette', 'bebatter'], 'barbion': ['barbion', 'rabboni'], 'barbitone': ['barbitone', 'barbotine'], 'barbone': ['barbone', 'bebaron'], 'barbotine': ['barbitone', 'barbotine'], 'barcella': ['barcella', 'caballer'], 'barcoo': ['barcoo', 'baroco'], 'bard': ['bard', 'brad', 'drab'], 'bardel': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bardie': ['abider', 'bardie'], 'bardily': ['bardily', 'rabidly', 'ridably'], 'bardiness': ['bardiness', 'rabidness'], 'barding': ['barding', 'brigand'], 'bardo': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'bardy': ['bardy', 'darby'], 'bare': ['bare', 'bear', 'brae'], 'barefaced': ['barefaced', 'facebread'], 'barefoot': ['barefoot', 'bearfoot'], 'barehanded': ['barehanded', 'bradenhead', 'headbander'], 'barehead': ['barehead', 'braehead'], 'barely': ['barely', 'barley', 'bleary'], 'barer': ['barer', 'rebar'], 'baretta': ['baretta', 'rabatte', 'tabaret'], 'bargainer': ['bargainer', 'rebargain'], 'barge': ['bagre', 'barge', 'begar', 'rebag'], 'bargeer': ['bargeer', 'gerbera'], 'bargeese': ['bargeese', 'begrease'], 'bari': ['abir', 'bari', 'rabi'], 'baric': ['baric', 'carib', 'rabic'], 'barid': ['barid', 'bidar', 'braid', 'rabid'], 'barie': ['barie', 'beira', 'erbia', 'rebia'], 'barile': ['bailer', 'barile'], 'baris': ['baris', 'sabir'], 'barish': ['barish', 'shibar'], 'barit': ['barit', 'ribat'], 'barite': ['baiter', 'barite', 'rebait', 'terbia'], 'baritone': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'barken': ['banker', 'barken'], 'barker': ['barker', 'braker'], 'barkey': ['bakery', 'barkey'], 'barkle': ['balker', 'barkle'], 'barky': ['barky', 'braky'], 'barley': ['barely', 'barley', 'bleary'], 'barling': ['barling', 'bringal'], 'barm': ['barm', 'bram'], 'barmbrack': ['barmbrack', 'brambrack'], 'barmote': ['barmote', 'bromate'], 'barmy': ['ambry', 'barmy'], 'barn': ['barn', 'bran'], 'barnabite': ['barnabite', 'rabbanite', 'rabbinate'], 'barnacle': ['balancer', 'barnacle'], 'barney': ['barney', 'nearby'], 'barny': ['barny', 'bryan'], 'baroco': ['barcoo', 'baroco'], 'barolo': ['barolo', 'robalo'], 'baron': ['baron', 'boran'], 'baronet': ['baronet', 'reboant'], 'barong': ['barong', 'brogan'], 'barosmin': ['ambrosin', 'barosmin', 'sabromin'], 'barothermograph': ['barothermograph', 'thermobarograph'], 'barotse': ['barotse', 'boaster', 'reboast', 'sorbate'], 'barpost': ['absorpt', 'barpost'], 'barracan': ['barracan', 'barranca'], 'barranca': ['barracan', 'barranca'], 'barrelet': ['barrelet', 'terebral'], 'barret': ['barret', 'barter'], 'barrette': ['barrette', 'batterer'], 'barrio': ['barrio', 'brairo'], 'barsac': ['barsac', 'scarab'], 'barse': ['barse', 'besra', 'saber', 'serab'], 'bart': ['bart', 'brat'], 'barter': ['barret', 'barter'], 'barton': ['barton', 'brotan'], 'bartsia': ['arabist', 'bartsia'], 'barundi': ['barundi', 'unbraid'], 'barvel': ['barvel', 'blaver', 'verbal'], 'barwise': ['barwise', 'swarbie'], 'barye': ['barye', 'beray', 'yerba'], 'baryta': ['baryta', 'taryba'], 'barytine': ['barytine', 'bryanite'], 'baryton': ['baryton', 'brotany'], 'bas': ['bas', 'sab'], 'basal': ['balas', 'balsa', 'basal', 'sabal'], 'basally': ['basally', 'salably'], 'basaltic': ['basaltic', 'cabalist'], 'basaltine': ['balanites', 'basaltine', 'stainable'], 'base': ['base', 'besa', 'sabe', 'seba'], 'basella': ['basella', 'sabella', 'salable'], 'bash': ['bash', 'shab'], 'basial': ['basial', 'blasia'], 'basic': ['bacis', 'basic'], 'basically': ['asyllabic', 'basically'], 'basidium': ['basidium', 'diiambus'], 'basil': ['basil', 'labis'], 'basileus': ['basileus', 'issuable', 'suasible'], 'basilweed': ['basilweed', 'bladewise'], 'basinasal': ['basinasal', 'bassalian'], 'basinet': ['basinet', 'besaint', 'bestain'], 'basion': ['basion', 'bonsai', 'sabino'], 'basiparachromatin': ['basiparachromatin', 'marsipobranchiata'], 'basket': ['basket', 'betask'], 'basketwork': ['basketwork', 'workbasket'], 'basos': ['basos', 'basso'], 'bassalian': ['basinasal', 'bassalian'], 'bassanite': ['bassanite', 'sebastian'], 'basset': ['asbest', 'basset'], 'basso': ['basos', 'basso'], 'bast': ['bast', 'bats', 'stab'], 'basta': ['basta', 'staab'], 'baste': ['baste', 'beast', 'tabes'], 'basten': ['absent', 'basten'], 'baster': ['baster', 'bestar', 'breast'], 'bastille': ['bastille', 'listable'], 'bastion': ['abiston', 'bastion'], 'bastionet': ['bastionet', 'obstinate'], 'bastite': ['bastite', 'batiste', 'bistate'], 'basto': ['basto', 'boast', 'sabot'], 'basuto': ['abouts', 'basuto'], 'bat': ['bat', 'tab'], 'batad': ['abdat', 'batad'], 'batakan': ['bakatan', 'batakan'], 'bataleur': ['bataleur', 'tabulare'], 'batan': ['banat', 'batan'], 'batara': ['artaba', 'batara'], 'batcher': ['batcher', 'berchta', 'brachet'], 'bate': ['abet', 'bate', 'beat', 'beta'], 'batea': ['abate', 'ateba', 'batea', 'beata'], 'batel': ['batel', 'blate', 'bleat', 'table'], 'batement': ['abetment', 'batement'], 'bater': ['abret', 'bater', 'berat'], 'batfowler': ['afterblow', 'batfowler'], 'bath': ['baht', 'bath', 'bhat'], 'bathala': ['baalath', 'bathala'], 'bathe': ['bathe', 'beath'], 'bather': ['bather', 'bertha', 'breath'], 'bathonian': ['bathonian', 'nabothian'], 'batik': ['batik', 'kitab'], 'batino': ['batino', 'oatbin', 'obtain'], 'batis': ['absit', 'batis'], 'batiste': ['bastite', 'batiste', 'bistate'], 'batling': ['batling', 'tabling'], 'batman': ['bantam', 'batman'], 'batophobia': ['batophobia', 'tabophobia'], 'batrachia': ['batrachia', 'brachiata'], 'batrachian': ['batrachian', 'branchiata'], 'bats': ['bast', 'bats', 'stab'], 'battel': ['battel', 'battle', 'tablet'], 'batteler': ['batteler', 'berattle'], 'battening': ['battening', 'bitangent'], 'batter': ['batter', 'bertat', 'tabret', 'tarbet'], 'batterer': ['barrette', 'batterer'], 'battle': ['battel', 'battle', 'tablet'], 'battler': ['battler', 'blatter', 'brattle'], 'battue': ['battue', 'tubate'], 'batule': ['batule', 'betula', 'tabule'], 'batyphone': ['batyphone', 'hypnobate'], 'batzen': ['batzen', 'bezant', 'tanzeb'], 'baud': ['baud', 'buda', 'daub'], 'baul': ['balu', 'baul', 'bual', 'luba'], 'baun': ['baun', 'buna', 'nabu', 'nuba'], 'bauta': ['abuta', 'bauta'], 'bavian': ['baniva', 'bavian'], 'baw': ['baw', 'wab'], 'bawl': ['bawl', 'blaw'], 'bawler': ['bawler', 'brelaw', 'rebawl', 'warble'], 'bay': ['aby', 'bay'], 'baya': ['baya', 'yaba'], 'bayed': ['bayed', 'beady', 'beday'], 'baylet': ['baetyl', 'baylet', 'bleaty'], 'bayonet': ['bayonet', 'betoyan'], 'baze': ['baze', 'ezba'], 'bea': ['abe', 'bae', 'bea'], 'beach': ['bache', 'beach'], 'bead': ['abed', 'bade', 'bead'], 'beaded': ['beaded', 'bedead'], 'beader': ['beader', 'bedare'], 'beadleism': ['beadleism', 'demisable'], 'beadlet': ['beadlet', 'belated'], 'beady': ['bayed', 'beady', 'beday'], 'beagle': ['beagle', 'belage', 'belgae'], 'beak': ['bake', 'beak'], 'beaker': ['beaker', 'berake', 'rebake'], 'beal': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'bealing': ['algenib', 'bealing', 'belgian', 'bengali'], 'beam': ['beam', 'bema'], 'beamer': ['ambeer', 'beamer'], 'beamless': ['assemble', 'beamless'], 'beamster': ['beamster', 'bemaster', 'bestream'], 'beamwork': ['beamwork', 'bowmaker'], 'beamy': ['beamy', 'embay', 'maybe'], 'bean': ['bane', 'bean', 'bena'], 'beanfield': ['beanfield', 'definable'], 'beant': ['abnet', 'beant'], 'bear': ['bare', 'bear', 'brae'], 'bearance': ['bearance', 'carabeen'], 'beard': ['ardeb', 'beard', 'bread', 'debar'], 'beardless': ['beardless', 'breadless'], 'beardlessness': ['beardlessness', 'breadlessness'], 'bearer': ['bearer', 'rebear'], 'bearess': ['bearess', 'bessera'], 'bearfoot': ['barefoot', 'bearfoot'], 'bearing': ['bearing', 'begrain', 'brainge', 'rigbane'], 'bearlet': ['bearlet', 'bleater', 'elberta', 'retable'], 'bearm': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'beast': ['baste', 'beast', 'tabes'], 'beastlily': ['beastlily', 'bestially'], 'beat': ['abet', 'bate', 'beat', 'beta'], 'beata': ['abate', 'ateba', 'batea', 'beata'], 'beater': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beath': ['bathe', 'beath'], 'beating': ['baignet', 'beating'], 'beau': ['aube', 'beau'], 'bebait': ['babite', 'bebait'], 'bebar': ['barbe', 'bebar', 'breba', 'rebab'], 'bebaron': ['barbone', 'bebaron'], 'bebaste': ['bebaste', 'bebeast'], 'bebatter': ['barbette', 'bebatter'], 'bebay': ['abbey', 'bebay'], 'bebeast': ['bebaste', 'bebeast'], 'bebog': ['bebog', 'begob', 'gobbe'], 'becard': ['becard', 'braced'], 'becater': ['becater', 'betrace'], 'because': ['because', 'besauce'], 'becharm': ['becharm', 'brecham', 'chamber'], 'becher': ['becher', 'breech'], 'bechern': ['bechern', 'bencher'], 'bechirp': ['bechirp', 'brephic'], 'becker': ['becker', 'rebeck'], 'beclad': ['beclad', 'cabled'], 'beclart': ['beclart', 'crablet'], 'becloud': ['becloud', 'obclude'], 'becram': ['becram', 'camber', 'crambe'], 'becrimson': ['becrimson', 'scombrine'], 'becry': ['becry', 'bryce'], 'bed': ['bed', 'deb'], 'bedamn': ['bedamn', 'bedman'], 'bedare': ['beader', 'bedare'], 'bedark': ['bedark', 'debark'], 'beday': ['bayed', 'beady', 'beday'], 'bedead': ['beaded', 'bedead'], 'bedel': ['bedel', 'bleed'], 'beden': ['beden', 'deben', 'deneb'], 'bedim': ['bedim', 'imbed'], 'bedip': ['bedip', 'biped'], 'bedismal': ['bedismal', 'semibald'], 'bedlam': ['bedlam', 'beldam', 'blamed'], 'bedlar': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedless': ['bedless', 'blessed'], 'bedman': ['bedamn', 'bedman'], 'bedoctor': ['bedoctor', 'codebtor'], 'bedog': ['bedog', 'bodge'], 'bedrail': ['bedrail', 'bridale', 'ridable'], 'bedral': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedrid': ['bedrid', 'bidder'], 'bedrip': ['bedrip', 'prebid'], 'bedrock': ['bedrock', 'brocked'], 'bedroom': ['bedroom', 'boerdom', 'boredom'], 'bedrown': ['bedrown', 'browden'], 'bedrug': ['bedrug', 'budger'], 'bedsick': ['bedsick', 'sickbed'], 'beduck': ['beduck', 'bucked'], 'bedur': ['bedur', 'rebud', 'redub'], 'bedusk': ['bedusk', 'busked'], 'bedust': ['bedust', 'bestud', 'busted'], 'beearn': ['beearn', 'berean'], 'beeman': ['beeman', 'bemean', 'bename'], 'been': ['been', 'bene', 'eben'], 'beer': ['beer', 'bere', 'bree'], 'beest': ['beest', 'beset'], 'beeswing': ['beeswing', 'beswinge'], 'befathered': ['befathered', 'featherbed'], 'befile': ['befile', 'belief'], 'befinger': ['befinger', 'befringe'], 'beflea': ['beflea', 'beleaf'], 'beflour': ['beflour', 'fourble'], 'beflum': ['beflum', 'fumble'], 'befret': ['befret', 'bereft'], 'befringe': ['befinger', 'befringe'], 'begad': ['badge', 'begad'], 'begall': ['begall', 'glebal'], 'begar': ['bagre', 'barge', 'begar', 'rebag'], 'begash': ['begash', 'beshag'], 'begat': ['begat', 'betag'], 'begettal': ['begettal', 'gettable'], 'beggar': ['bagger', 'beggar'], 'beggarer': ['beggarer', 'rebeggar'], 'begin': ['begin', 'being', 'binge'], 'begird': ['begird', 'bridge'], 'beglic': ['beglic', 'belgic'], 'bego': ['bego', 'egbo'], 'begob': ['bebog', 'begob', 'gobbe'], 'begone': ['begone', 'engobe'], 'begrain': ['bearing', 'begrain', 'brainge', 'rigbane'], 'begrease': ['bargeese', 'begrease'], 'behaviorism': ['behaviorism', 'misbehavior'], 'behears': ['behears', 'beshear'], 'behint': ['behint', 'henbit'], 'beholder': ['beholder', 'rebehold'], 'behorn': ['behorn', 'brehon'], 'beid': ['beid', 'bide', 'debi', 'dieb'], 'being': ['begin', 'being', 'binge'], 'beira': ['barie', 'beira', 'erbia', 'rebia'], 'beisa': ['abies', 'beisa'], 'bel': ['bel', 'elb'], 'bela': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'belabor': ['belabor', 'borable'], 'belaced': ['belaced', 'debacle'], 'belage': ['beagle', 'belage', 'belgae'], 'belait': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'belam': ['amble', 'belam', 'blame', 'mabel'], 'belar': ['abler', 'baler', 'belar', 'blare', 'blear'], 'belard': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'belate': ['balete', 'belate'], 'belated': ['beadlet', 'belated'], 'belaud': ['ablude', 'belaud'], 'beldam': ['bedlam', 'beldam', 'blamed'], 'beleaf': ['beflea', 'beleaf'], 'beleap': ['beleap', 'bepale'], 'belga': ['bagel', 'belga', 'gable', 'gleba'], 'belgae': ['beagle', 'belage', 'belgae'], 'belgian': ['algenib', 'bealing', 'belgian', 'bengali'], 'belgic': ['beglic', 'belgic'], 'belial': ['alible', 'belial', 'labile', 'liable'], 'belief': ['befile', 'belief'], 'belili': ['belili', 'billie'], 'belite': ['belite', 'beltie', 'bietle'], 'belitter': ['belitter', 'tribelet'], 'belive': ['belive', 'beveil'], 'bella': ['bella', 'label'], 'bellied': ['bellied', 'delible'], 'bellona': ['allbone', 'bellona'], 'bellonian': ['bellonian', 'nonliable'], 'bellote': ['bellote', 'lobelet'], 'bellower': ['bellower', 'rebellow'], 'belltail': ['belltail', 'bletilla', 'tillable'], 'bellyer': ['bellyer', 'rebelly'], 'bellypinch': ['bellypinch', 'pinchbelly'], 'beloid': ['beloid', 'boiled', 'bolide'], 'belonger': ['belonger', 'rebelong'], 'belonid': ['belonid', 'boldine'], 'belord': ['belord', 'bordel', 'rebold'], 'below': ['below', 'bowel', 'elbow'], 'belt': ['belt', 'blet'], 'beltane': ['beltane', 'tenable'], 'belter': ['belter', 'elbert', 'treble'], 'beltie': ['belite', 'beltie', 'bietle'], 'beltine': ['beltine', 'tenible'], 'beltir': ['beltir', 'riblet'], 'beltman': ['beltman', 'lambent'], 'belve': ['belve', 'bevel'], 'bema': ['beam', 'bema'], 'bemail': ['bemail', 'lambie'], 'beman': ['beman', 'nambe'], 'bemar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'bemaster': ['beamster', 'bemaster', 'bestream'], 'bemaul': ['bemaul', 'blumea'], 'bemeal': ['bemeal', 'meable'], 'bemean': ['beeman', 'bemean', 'bename'], 'bemire': ['bemire', 'bireme'], 'bemitred': ['bemitred', 'timbered'], 'bemoil': ['bemoil', 'mobile'], 'bemole': ['bemole', 'embole'], 'bemusk': ['bemusk', 'embusk'], 'ben': ['ben', 'neb'], 'bena': ['bane', 'bean', 'bena'], 'benacus': ['acubens', 'benacus'], 'bename': ['beeman', 'bemean', 'bename'], 'benami': ['benami', 'bimane'], 'bencher': ['bechern', 'bencher'], 'benchwork': ['benchwork', 'workbench'], 'benda': ['bande', 'benda'], 'bender': ['bender', 'berend', 'rebend'], 'bene': ['been', 'bene', 'eben'], 'benedight': ['benedight', 'benighted'], 'benefiter': ['benefiter', 'rebenefit'], 'bengal': ['bangle', 'bengal'], 'bengali': ['algenib', 'bealing', 'belgian', 'bengali'], 'beni': ['beni', 'bien', 'bine', 'inbe'], 'benighted': ['benedight', 'benighted'], 'beno': ['beno', 'bone', 'ebon'], 'benote': ['benote', 'betone'], 'benshea': ['banshee', 'benshea'], 'benshee': ['benshee', 'shebeen'], 'bentang': ['banteng', 'bentang'], 'benton': ['benton', 'bonnet'], 'benu': ['benu', 'unbe'], 'benward': ['benward', 'brawned'], 'benzantialdoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'benzein': ['benzein', 'benzine'], 'benzine': ['benzein', 'benzine'], 'benzo': ['benzo', 'bonze'], 'benzofluorene': ['benzofluorene', 'fluorobenzene'], 'benzonitrol': ['benzonitrol', 'nitrobenzol'], 'bepale': ['beleap', 'bepale'], 'bepart': ['bepart', 'berapt', 'betrap'], 'bepaste': ['bepaste', 'bespate'], 'bepester': ['bepester', 'prebeset'], 'beplaster': ['beplaster', 'prestable'], 'ber': ['ber', 'reb'], 'berake': ['beaker', 'berake', 'rebake'], 'berapt': ['bepart', 'berapt', 'betrap'], 'berat': ['abret', 'bater', 'berat'], 'berate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'berattle': ['batteler', 'berattle'], 'beraunite': ['beraunite', 'unebriate'], 'beray': ['barye', 'beray', 'yerba'], 'berberi': ['berberi', 'rebribe'], 'berchta': ['batcher', 'berchta', 'brachet'], 'bere': ['beer', 'bere', 'bree'], 'berean': ['beearn', 'berean'], 'bereft': ['befret', 'bereft'], 'berend': ['bender', 'berend', 'rebend'], 'berg': ['berg', 'gerb'], 'bergama': ['bergama', 'megabar'], 'bergamo': ['bergamo', 'embargo'], 'beri': ['beri', 'bier', 'brei', 'ribe'], 'beringed': ['beringed', 'breeding'], 'berinse': ['berinse', 'besiren'], 'berley': ['berley', 'bleery'], 'berlinite': ['berlinite', 'libertine'], 'bermudite': ['bermudite', 'demibrute'], 'bernard': ['bernard', 'brander', 'rebrand'], 'bernese': ['bernese', 'besneer'], 'beroe': ['beroe', 'boree'], 'beroida': ['beroida', 'boreiad'], 'beroll': ['beroll', 'boller'], 'berossos': ['berossos', 'obsessor'], 'beround': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'berri': ['berri', 'brier'], 'berried': ['berried', 'briered'], 'berrybush': ['berrybush', 'shrubbery'], 'bersil': ['bersil', 'birsle'], 'bert': ['bert', 'bret'], 'bertat': ['batter', 'bertat', 'tabret', 'tarbet'], 'berth': ['berth', 'breth'], 'bertha': ['bather', 'bertha', 'breath'], 'berther': ['berther', 'herbert'], 'berthing': ['berthing', 'brighten'], 'bertie': ['bertie', 'betire', 'rebite'], 'bertolonia': ['bertolonia', 'borolanite'], 'berust': ['berust', 'buster', 'stuber'], 'bervie': ['bervie', 'brieve'], 'beryllia': ['beryllia', 'reliably'], 'besa': ['base', 'besa', 'sabe', 'seba'], 'besaiel': ['baleise', 'besaiel'], 'besaint': ['basinet', 'besaint', 'bestain'], 'besauce': ['because', 'besauce'], 'bescour': ['bescour', 'buceros', 'obscure'], 'beset': ['beest', 'beset'], 'beshadow': ['beshadow', 'bodewash'], 'beshag': ['begash', 'beshag'], 'beshear': ['behears', 'beshear'], 'beshod': ['beshod', 'debosh'], 'besiren': ['berinse', 'besiren'], 'besit': ['besit', 'betis'], 'beslaver': ['beslaver', 'servable', 'versable'], 'beslime': ['beslime', 'besmile'], 'beslings': ['beslings', 'blessing', 'glibness'], 'beslow': ['beslow', 'bowels'], 'besmile': ['beslime', 'besmile'], 'besneer': ['bernese', 'besneer'], 'besoot': ['besoot', 'bootes'], 'besot': ['besot', 'betso'], 'besoul': ['besoul', 'blouse', 'obelus'], 'besour': ['besour', 'boreus', 'bourse', 'bouser'], 'bespate': ['bepaste', 'bespate'], 'besra': ['barse', 'besra', 'saber', 'serab'], 'bessera': ['bearess', 'bessera'], 'bestain': ['basinet', 'besaint', 'bestain'], 'bestar': ['baster', 'bestar', 'breast'], 'besteer': ['besteer', 'rebeset'], 'bestial': ['astilbe', 'bestial', 'blastie', 'stabile'], 'bestially': ['beastlily', 'bestially'], 'bestiarian': ['antirabies', 'bestiarian'], 'bestiary': ['bestiary', 'sybarite'], 'bestir': ['bestir', 'bister'], 'bestorm': ['bestorm', 'mobster'], 'bestowal': ['bestowal', 'stowable'], 'bestower': ['bestower', 'rebestow'], 'bestraw': ['bestraw', 'wabster'], 'bestream': ['beamster', 'bemaster', 'bestream'], 'bestrew': ['bestrew', 'webster'], 'bestride': ['bestride', 'bistered'], 'bestud': ['bedust', 'bestud', 'busted'], 'beswinge': ['beeswing', 'beswinge'], 'beta': ['abet', 'bate', 'beat', 'beta'], 'betag': ['begat', 'betag'], 'betail': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'betailor': ['betailor', 'laborite', 'orbitale'], 'betask': ['basket', 'betask'], 'betear': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beth': ['beth', 'theb'], 'betire': ['bertie', 'betire', 'rebite'], 'betis': ['besit', 'betis'], 'betone': ['benote', 'betone'], 'betoss': ['betoss', 'bosset'], 'betoya': ['betoya', 'teaboy'], 'betoyan': ['bayonet', 'betoyan'], 'betrace': ['becater', 'betrace'], 'betrail': ['betrail', 'librate', 'triable', 'trilabe'], 'betrap': ['bepart', 'berapt', 'betrap'], 'betrayal': ['betrayal', 'tearably'], 'betrayer': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'betread': ['betread', 'debater'], 'betrim': ['betrim', 'timber', 'timbre'], 'betso': ['besot', 'betso'], 'betta': ['betta', 'tabet'], 'bettina': ['bettina', 'tabinet', 'tibetan'], 'betula': ['batule', 'betula', 'tabule'], 'betulin': ['betulin', 'bluntie'], 'beturbaned': ['beturbaned', 'unrabbeted'], 'beveil': ['belive', 'beveil'], 'bevel': ['belve', 'bevel'], 'bever': ['bever', 'breve'], 'bewailer': ['bewailer', 'rebewail'], 'bework': ['bework', 'bowker'], 'bey': ['bey', 'bye'], 'beydom': ['beydom', 'embody'], 'bezant': ['batzen', 'bezant', 'tanzeb'], 'bezzo': ['bezzo', 'bozze'], 'bhakti': ['bhakti', 'khatib'], 'bhandari': ['bhandari', 'hairband'], 'bhar': ['bhar', 'harb'], 'bhara': ['bahar', 'bhara'], 'bhat': ['baht', 'bath', 'bhat'], 'bhima': ['bhima', 'biham'], 'bhotia': ['bhotia', 'tobiah'], 'bhutani': ['bhutani', 'unhabit'], 'biacetyl': ['baetylic', 'biacetyl'], 'bialate': ['baalite', 'bialate', 'labiate'], 'bialveolar': ['bialveolar', 'labiovelar'], 'bianca': ['abanic', 'bianca'], 'bianco': ['bianco', 'bonaci'], 'biangular': ['biangular', 'bulgarian'], 'bias': ['absi', 'bais', 'bias', 'isba'], 'biatomic': ['biatomic', 'moabitic'], 'bible': ['bible', 'blibe'], 'bicarpellary': ['bicarpellary', 'prebacillary'], 'bickern': ['bickern', 'bricken'], 'biclavate': ['activable', 'biclavate'], 'bicorn': ['bicorn', 'bicron'], 'bicornate': ['bicornate', 'carbonite', 'reboantic'], 'bicrenate': ['abenteric', 'bicrenate'], 'bicron': ['bicorn', 'bicron'], 'bicrural': ['bicrural', 'rubrical'], 'bid': ['bid', 'dib'], 'bidar': ['barid', 'bidar', 'braid', 'rabid'], 'bidder': ['bedrid', 'bidder'], 'bide': ['beid', 'bide', 'debi', 'dieb'], 'bident': ['bident', 'indebt'], 'bidented': ['bidented', 'indebted'], 'bider': ['bider', 'bredi', 'bride', 'rebid'], 'bidet': ['bidet', 'debit'], 'biduous': ['biduous', 'dubious'], 'bien': ['beni', 'bien', 'bine', 'inbe'], 'bier': ['beri', 'bier', 'brei', 'ribe'], 'bietle': ['belite', 'beltie', 'bietle'], 'bifer': ['bifer', 'brief', 'fiber'], 'big': ['big', 'gib'], 'biga': ['agib', 'biga', 'gabi'], 'bigamous': ['bigamous', 'subimago'], 'bigener': ['bigener', 'rebegin'], 'bigential': ['bigential', 'tangibile'], 'biggin': ['biggin', 'gibing'], 'bigoted': ['bigoted', 'dogbite'], 'biham': ['bhima', 'biham'], 'bihari': ['bihari', 'habiri'], 'bike': ['bike', 'kibe'], 'bikram': ['bikram', 'imbark'], 'bilaan': ['albian', 'bilaan'], 'bilaterality': ['alterability', 'bilaterality', 'relatability'], 'bilati': ['bilati', 'tibial'], 'bilby': ['bilby', 'libby'], 'bildar': ['bildar', 'bridal', 'ribald'], 'bilge': ['bilge', 'gibel'], 'biliate': ['biliate', 'tibiale'], 'bilinear': ['bilinear', 'liberian'], 'billa': ['balli', 'billa'], 'billboard': ['billboard', 'broadbill'], 'biller': ['biller', 'rebill'], 'billeter': ['billeter', 'rebillet'], 'billie': ['belili', 'billie'], 'bilo': ['bilo', 'boil'], 'bilobated': ['bilobated', 'bobtailed'], 'biltong': ['biltong', 'bolting'], 'bim': ['bim', 'mib'], 'bimane': ['benami', 'bimane'], 'bimodality': ['bimodality', 'myliobatid'], 'bimotors': ['bimotors', 'robotism'], 'bin': ['bin', 'nib'], 'binal': ['albin', 'binal', 'blain'], 'binary': ['binary', 'brainy'], 'binder': ['binder', 'inbred', 'rebind'], 'bindwood': ['bindwood', 'woodbind'], 'bine': ['beni', 'bien', 'bine', 'inbe'], 'binge': ['begin', 'being', 'binge'], 'bino': ['bino', 'bion', 'boni'], 'binocular': ['binocular', 'caliburno', 'colubrina'], 'binomial': ['binomial', 'mobilian'], 'binuclear': ['binuclear', 'incurable'], 'biod': ['biod', 'boid'], 'bion': ['bino', 'bion', 'boni'], 'biopsychological': ['biopsychological', 'psychobiological'], 'biopsychology': ['biopsychology', 'psychobiology'], 'bioral': ['bailor', 'bioral'], 'biorgan': ['biorgan', 'grobian'], 'bios': ['bios', 'bois'], 'biosociological': ['biosociological', 'sociobiological'], 'biota': ['biota', 'ibota'], 'biotics': ['biotics', 'cobitis'], 'bipartile': ['bipartile', 'pretibial'], 'biped': ['bedip', 'biped'], 'bipedal': ['bipedal', 'piebald'], 'bipersonal': ['bipersonal', 'prisonable'], 'bipolar': ['bipolar', 'parboil'], 'biracial': ['biracial', 'cibarial'], 'birchen': ['birchen', 'brichen'], 'bird': ['bird', 'drib'], 'birdeen': ['birdeen', 'inbreed'], 'birdlet': ['birdlet', 'driblet'], 'birdling': ['birdling', 'bridling', 'lingbird'], 'birdman': ['birdman', 'manbird'], 'birdseed': ['birdseed', 'seedbird'], 'birdstone': ['birdstone', 'stonebird'], 'bireme': ['bemire', 'bireme'], 'biretta': ['biretta', 'brattie', 'ratbite'], 'birle': ['birle', 'liber'], 'birma': ['abrim', 'birma'], 'birn': ['birn', 'brin'], 'birny': ['birny', 'briny'], 'biron': ['biron', 'inorb', 'robin'], 'birse': ['birse', 'ribes'], 'birsle': ['bersil', 'birsle'], 'birth': ['birth', 'brith'], 'bis': ['bis', 'sib'], 'bisalt': ['baltis', 'bisalt'], 'bisaltae': ['bisaltae', 'satiable'], 'bisharin': ['bairnish', 'bisharin'], 'bistate': ['bastite', 'batiste', 'bistate'], 'bister': ['bestir', 'bister'], 'bistered': ['bestride', 'bistered'], 'bisti': ['bisti', 'bitis'], 'bisulcate': ['baculites', 'bisulcate'], 'bit': ['bit', 'tib'], 'bitangent': ['battening', 'bitangent'], 'bitemporal': ['bitemporal', 'importable'], 'biter': ['biter', 'tribe'], 'bitis': ['bisti', 'bitis'], 'bito': ['bito', 'obit'], 'bitonality': ['bitonality', 'notability'], 'bittern': ['bittern', 'britten'], 'bitumed': ['bitumed', 'budtime'], 'biurate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'biwa': ['biwa', 'wabi'], 'bizarre': ['bizarre', 'brazier'], 'bizet': ['bizet', 'zibet'], 'blabber': ['babbler', 'blabber', 'brabble'], 'blackacre': ['blackacre', 'crackable'], 'blad': ['bald', 'blad'], 'blader': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bladewise': ['basilweed', 'bladewise'], 'bladish': ['baldish', 'bladish'], 'blady': ['badly', 'baldy', 'blady'], 'blae': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'blaeberry': ['blaeberry', 'bleaberry'], 'blaeness': ['ableness', 'blaeness', 'sensable'], 'blain': ['albin', 'binal', 'blain'], 'blaine': ['baline', 'blaine'], 'blair': ['blair', 'brail', 'libra'], 'blake': ['blake', 'bleak', 'kabel'], 'blame': ['amble', 'belam', 'blame', 'mabel'], 'blamed': ['bedlam', 'beldam', 'blamed'], 'blamer': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'blaming': ['ambling', 'blaming'], 'blamingly': ['amblingly', 'blamingly'], 'blanca': ['bancal', 'blanca'], 'blare': ['abler', 'baler', 'belar', 'blare', 'blear'], 'blarina': ['blarina', 'branial'], 'blarney': ['blarney', 'renably'], 'blas': ['blas', 'slab'], 'blase': ['blase', 'sable'], 'blasia': ['basial', 'blasia'], 'blastema': ['blastema', 'lambaste'], 'blastemic': ['blastemic', 'cembalist'], 'blaster': ['blaster', 'reblast', 'stabler'], 'blastie': ['astilbe', 'bestial', 'blastie', 'stabile'], 'blasting': ['blasting', 'stabling'], 'blastoderm': ['blastoderm', 'dermoblast'], 'blastogenic': ['blastogenic', 'genoblastic'], 'blastomeric': ['blastomeric', 'meroblastic'], 'blastomycetic': ['blastomycetic', 'cytoblastemic'], 'blastomycetous': ['blastomycetous', 'cytoblastemous'], 'blasty': ['blasty', 'stably'], 'blat': ['balt', 'blat'], 'blate': ['batel', 'blate', 'bleat', 'table'], 'blather': ['blather', 'halbert'], 'blatter': ['battler', 'blatter', 'brattle'], 'blaver': ['barvel', 'blaver', 'verbal'], 'blaw': ['bawl', 'blaw'], 'blay': ['ably', 'blay', 'yalb'], 'blazoner': ['albronze', 'blazoner'], 'bleaberry': ['blaeberry', 'bleaberry'], 'bleach': ['bachel', 'bleach'], 'bleacher': ['bleacher', 'rebleach'], 'bleak': ['blake', 'bleak', 'kabel'], 'bleaky': ['bleaky', 'kabyle'], 'blear': ['abler', 'baler', 'belar', 'blare', 'blear'], 'bleared': ['bleared', 'reblade'], 'bleary': ['barely', 'barley', 'bleary'], 'bleat': ['batel', 'blate', 'bleat', 'table'], 'bleater': ['bearlet', 'bleater', 'elberta', 'retable'], 'bleating': ['bleating', 'tangible'], 'bleaty': ['baetyl', 'baylet', 'bleaty'], 'bleed': ['bedel', 'bleed'], 'bleery': ['berley', 'bleery'], 'blender': ['blender', 'reblend'], 'blendure': ['blendure', 'rebundle'], 'blennoid': ['blennoid', 'blondine'], 'blennoma': ['blennoma', 'nobleman'], 'bleo': ['bleo', 'bole', 'lobe'], 'blepharocera': ['blepharocera', 'reproachable'], 'blessed': ['bedless', 'blessed'], 'blesser': ['blesser', 'rebless'], 'blessing': ['beslings', 'blessing', 'glibness'], 'blet': ['belt', 'blet'], 'bletia': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'bletilla': ['belltail', 'bletilla', 'tillable'], 'blibe': ['bible', 'blibe'], 'blighter': ['blighter', 'therblig'], 'blimy': ['blimy', 'limby'], 'blister': ['blister', 'bristle'], 'blisterwort': ['blisterwort', 'bristlewort'], 'blitter': ['blitter', 'brittle', 'triblet'], 'blo': ['blo', 'lob'], 'bloated': ['bloated', 'lobated'], 'bloater': ['alberto', 'bloater', 'latrobe'], 'bloating': ['bloating', 'obligant'], 'blocker': ['blocker', 'brockle', 'reblock'], 'blonde': ['blonde', 'bolden'], 'blondine': ['blennoid', 'blondine'], 'blood': ['blood', 'boldo'], 'bloodleaf': ['bloodleaf', 'floodable'], 'bloomer': ['bloomer', 'rebloom'], 'bloomy': ['bloomy', 'lomboy'], 'blore': ['blore', 'roble'], 'blosmy': ['blosmy', 'symbol'], 'blot': ['blot', 'bolt'], 'blotless': ['blotless', 'boltless'], 'blotter': ['blotter', 'bottler'], 'blotting': ['blotting', 'bottling'], 'blouse': ['besoul', 'blouse', 'obelus'], 'blow': ['blow', 'bowl'], 'blowback': ['backblow', 'blowback'], 'blower': ['blower', 'bowler', 'reblow', 'worble'], 'blowfly': ['blowfly', 'flyblow'], 'blowing': ['blowing', 'bowling'], 'blowout': ['blowout', 'outblow', 'outbowl'], 'blowup': ['blowup', 'upblow'], 'blowy': ['blowy', 'bowly'], 'blub': ['blub', 'bulb'], 'blubber': ['blubber', 'bubbler'], 'blue': ['blue', 'lube'], 'bluegill': ['bluegill', 'gullible'], 'bluenose': ['bluenose', 'nebulose'], 'bluer': ['bluer', 'brule', 'burel', 'ruble'], 'blues': ['blues', 'bulse'], 'bluffer': ['bluffer', 'rebluff'], 'bluishness': ['bluishness', 'blushiness'], 'bluism': ['bluism', 'limbus'], 'blumea': ['bemaul', 'blumea'], 'blunder': ['blunder', 'bundler'], 'blunderer': ['blunderer', 'reblunder'], 'blunge': ['blunge', 'bungle'], 'blunger': ['blunger', 'bungler'], 'bluntie': ['betulin', 'bluntie'], 'blur': ['blur', 'burl'], 'blushiness': ['bluishness', 'blushiness'], 'bluster': ['bluster', 'brustle', 'bustler'], 'boa': ['abo', 'boa'], 'boar': ['boar', 'bora'], 'board': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'boarder': ['arbored', 'boarder', 'reboard'], 'boardly': ['boardly', 'broadly'], 'boardy': ['boardy', 'boyard', 'byroad'], 'boast': ['basto', 'boast', 'sabot'], 'boaster': ['barotse', 'boaster', 'reboast', 'sorbate'], 'boasting': ['boasting', 'bostangi'], 'boat': ['boat', 'bota', 'toba'], 'boater': ['boater', 'borate', 'rebato'], 'boathouse': ['boathouse', 'houseboat'], 'bobac': ['bobac', 'cabob'], 'bobfly': ['bobfly', 'flobby'], 'bobo': ['bobo', 'boob'], 'bobtailed': ['bilobated', 'bobtailed'], 'bocardo': ['bocardo', 'cordoba'], 'boccale': ['boccale', 'cabocle'], 'bocher': ['bocher', 'broche'], 'bocking': ['bocking', 'kingcob'], 'bod': ['bod', 'dob'], 'bode': ['bode', 'dobe'], 'boden': ['boden', 'boned'], 'boder': ['boder', 'orbed'], 'bodewash': ['beshadow', 'bodewash'], 'bodge': ['bedog', 'bodge'], 'bodhi': ['bodhi', 'dhobi'], 'bodice': ['bodice', 'ceboid'], 'bodier': ['bodier', 'boride', 'brodie'], 'bodle': ['bodle', 'boled', 'lobed'], 'bodo': ['bodo', 'bood', 'doob'], 'body': ['body', 'boyd', 'doby'], 'boer': ['boer', 'bore', 'robe'], 'boerdom': ['bedroom', 'boerdom', 'boredom'], 'boethian': ['boethian', 'nebaioth'], 'bog': ['bog', 'gob'], 'boga': ['bago', 'boga'], 'bogan': ['bogan', 'goban'], 'bogeyman': ['bogeyman', 'moneybag'], 'boggler': ['boggler', 'broggle'], 'boglander': ['boglander', 'longbeard'], 'bogle': ['bogle', 'globe'], 'boglet': ['boglet', 'goblet'], 'bogo': ['bogo', 'gobo'], 'bogue': ['bogue', 'bouge'], 'bogum': ['bogum', 'gumbo'], 'bogy': ['bogy', 'bygo', 'goby'], 'bohea': ['bahoe', 'bohea', 'obeah'], 'boho': ['boho', 'hobo'], 'bohor': ['bohor', 'rohob'], 'boid': ['biod', 'boid'], 'boil': ['bilo', 'boil'], 'boiled': ['beloid', 'boiled', 'bolide'], 'boiler': ['boiler', 'reboil'], 'boilover': ['boilover', 'overboil'], 'bois': ['bios', 'bois'], 'bojo': ['bojo', 'jobo'], 'bolar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'bolden': ['blonde', 'bolden'], 'bolderian': ['bolderian', 'ordinable'], 'boldine': ['belonid', 'boldine'], 'boldness': ['boldness', 'bondless'], 'boldo': ['blood', 'boldo'], 'bole': ['bleo', 'bole', 'lobe'], 'boled': ['bodle', 'boled', 'lobed'], 'bolelia': ['bolelia', 'lobelia', 'obelial'], 'bolide': ['beloid', 'boiled', 'bolide'], 'boller': ['beroll', 'boller'], 'bolo': ['bolo', 'bool', 'lobo', 'obol'], 'bolster': ['bolster', 'lobster'], 'bolt': ['blot', 'bolt'], 'boltage': ['boltage', 'globate'], 'bolter': ['bolter', 'orblet', 'reblot', 'rebolt'], 'bolthead': ['bolthead', 'theobald'], 'bolting': ['biltong', 'bolting'], 'boltless': ['blotless', 'boltless'], 'boltonia': ['boltonia', 'lobation', 'oblation'], 'bom': ['bom', 'mob'], 'boma': ['ambo', 'boma'], 'bombable': ['bombable', 'mobbable'], 'bombacaceae': ['bombacaceae', 'cabombaceae'], 'bomber': ['bomber', 'mobber'], 'bon': ['bon', 'nob'], 'bonaci': ['bianco', 'bonaci'], 'bonair': ['bonair', 'borani'], 'bondage': ['bondage', 'dogbane'], 'bondar': ['bandor', 'bondar', 'roband'], 'bondless': ['boldness', 'bondless'], 'bone': ['beno', 'bone', 'ebon'], 'boned': ['boden', 'boned'], 'bonefish': ['bonefish', 'fishbone'], 'boneless': ['boneless', 'noblesse'], 'bonellia': ['baillone', 'bonellia'], 'boner': ['boner', 'borne'], 'boney': ['boney', 'ebony'], 'boni': ['bino', 'bion', 'boni'], 'bonitary': ['bonitary', 'trainboy'], 'bonk': ['bonk', 'knob'], 'bonnet': ['benton', 'bonnet'], 'bonsai': ['basion', 'bonsai', 'sabino'], 'bonus': ['bonus', 'bosun'], 'bony': ['bony', 'byon'], 'bonze': ['benzo', 'bonze'], 'bonzer': ['bonzer', 'bronze'], 'boob': ['bobo', 'boob'], 'bood': ['bodo', 'bood', 'doob'], 'booger': ['booger', 'goober'], 'bookcase': ['bookcase', 'casebook'], 'booker': ['booker', 'brooke', 'rebook'], 'bookland': ['bookland', 'landbook'], 'bookshop': ['bookshop', 'shopbook'], 'bookward': ['bookward', 'woodbark'], 'bookwork': ['bookwork', 'workbook'], 'bool': ['bolo', 'bool', 'lobo', 'obol'], 'booly': ['booly', 'looby'], 'boomingly': ['boomingly', 'myoglobin'], 'boopis': ['boopis', 'obispo'], 'boor': ['boor', 'boro', 'broo'], 'boort': ['boort', 'robot'], 'boost': ['boost', 'boots'], 'bootes': ['besoot', 'bootes'], 'boother': ['boother', 'theorbo'], 'boots': ['boost', 'boots'], 'bop': ['bop', 'pob'], 'bor': ['bor', 'orb', 'rob'], 'bora': ['boar', 'bora'], 'borable': ['belabor', 'borable'], 'boracic': ['boracic', 'braccio'], 'boral': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'boran': ['baron', 'boran'], 'borani': ['bonair', 'borani'], 'borate': ['boater', 'borate', 'rebato'], 'bord': ['bord', 'brod'], 'bordel': ['belord', 'bordel', 'rebold'], 'bordello': ['bordello', 'doorbell'], 'border': ['border', 'roberd'], 'borderer': ['borderer', 'broderer'], 'bordure': ['bordure', 'bourder'], 'bore': ['boer', 'bore', 'robe'], 'boredom': ['bedroom', 'boerdom', 'boredom'], 'boree': ['beroe', 'boree'], 'boreen': ['boreen', 'enrobe', 'neebor', 'rebone'], 'boreiad': ['beroida', 'boreiad'], 'boreism': ['boreism', 'semiorb'], 'borer': ['borer', 'rerob', 'rober'], 'boreus': ['besour', 'boreus', 'bourse', 'bouser'], 'borg': ['borg', 'brog', 'gorb'], 'boric': ['boric', 'cribo', 'orbic'], 'boride': ['bodier', 'boride', 'brodie'], 'boring': ['boring', 'robing'], 'boringly': ['boringly', 'goblinry'], 'borlase': ['borlase', 'labrose', 'rosabel'], 'borne': ['boner', 'borne'], 'borneo': ['borneo', 'oberon'], 'bornite': ['bornite', 'robinet'], 'boro': ['boor', 'boro', 'broo'], 'borocaine': ['borocaine', 'coenobiar'], 'borofluohydric': ['borofluohydric', 'hydrofluoboric'], 'borolanite': ['bertolonia', 'borolanite'], 'boron': ['boron', 'broon'], 'boronic': ['boronic', 'cobiron'], 'borrower': ['borrower', 'reborrow'], 'borscht': ['borscht', 'bortsch'], 'bort': ['bort', 'brot'], 'bortsch': ['borscht', 'bortsch'], 'bos': ['bos', 'sob'], 'bosc': ['bosc', 'scob'], 'boser': ['boser', 'brose', 'sober'], 'bosn': ['bosn', 'nobs', 'snob'], 'bosselation': ['bosselation', 'eosinoblast'], 'bosset': ['betoss', 'bosset'], 'bostangi': ['boasting', 'bostangi'], 'bostanji': ['banjoist', 'bostanji'], 'bosun': ['bonus', 'bosun'], 'bota': ['boat', 'bota', 'toba'], 'botanical': ['botanical', 'catabolin'], 'botanophilist': ['botanophilist', 'philobotanist'], 'bote': ['bote', 'tobe'], 'botein': ['botein', 'tobine'], 'both': ['both', 'thob'], 'bottler': ['blotter', 'bottler'], 'bottling': ['blotting', 'bottling'], 'bouge': ['bogue', 'bouge'], 'bouget': ['bouget', 'outbeg'], 'bouk': ['bouk', 'kobu'], 'boulder': ['boulder', 'doubler'], 'bouldering': ['bouldering', 'redoubling'], 'boulter': ['boulter', 'trouble'], 'bounden': ['bounden', 'unboned'], 'bounder': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'bounding': ['bounding', 'unboding'], 'bourder': ['bordure', 'bourder'], 'bourn': ['bourn', 'bruno'], 'bourse': ['besour', 'boreus', 'bourse', 'bouser'], 'bouser': ['besour', 'boreus', 'bourse', 'bouser'], 'bousy': ['bousy', 'byous'], 'bow': ['bow', 'wob'], 'bowel': ['below', 'bowel', 'elbow'], 'boweled': ['boweled', 'elbowed'], 'bowels': ['beslow', 'bowels'], 'bowery': ['bowery', 'bowyer', 'owerby'], 'bowie': ['bowie', 'woibe'], 'bowker': ['bework', 'bowker'], 'bowl': ['blow', 'bowl'], 'bowla': ['ablow', 'balow', 'bowla'], 'bowler': ['blower', 'bowler', 'reblow', 'worble'], 'bowling': ['blowing', 'bowling'], 'bowly': ['blowy', 'bowly'], 'bowmaker': ['beamwork', 'bowmaker'], 'bowyer': ['bowery', 'bowyer', 'owerby'], 'boxer': ['boxer', 'rebox'], 'boxwork': ['boxwork', 'workbox'], 'boyang': ['boyang', 'yagnob'], 'boyard': ['boardy', 'boyard', 'byroad'], 'boyd': ['body', 'boyd', 'doby'], 'boyship': ['boyship', 'shipboy'], 'bozo': ['bozo', 'zobo'], 'bozze': ['bezzo', 'bozze'], 'bra': ['bar', 'bra', 'rab'], 'brab': ['barb', 'brab'], 'brabble': ['babbler', 'blabber', 'brabble'], 'braca': ['acrab', 'braca'], 'braccio': ['boracic', 'braccio'], 'brace': ['acerb', 'brace', 'caber'], 'braced': ['becard', 'braced'], 'braceleted': ['braceleted', 'celebrated'], 'bracer': ['bracer', 'craber'], 'braces': ['braces', 'scrabe'], 'brachet': ['batcher', 'berchta', 'brachet'], 'brachiata': ['batrachia', 'brachiata'], 'brachiofacial': ['brachiofacial', 'faciobrachial'], 'brachiopode': ['brachiopode', 'cardiophobe'], 'bracon': ['bracon', 'carbon', 'corban'], 'bractea': ['abreact', 'bractea', 'cabaret'], 'bracteal': ['bracteal', 'cartable'], 'bracteiform': ['bacteriform', 'bracteiform'], 'bracteose': ['bracteose', 'obsecrate'], 'brad': ['bard', 'brad', 'drab'], 'bradenhead': ['barehanded', 'bradenhead', 'headbander'], 'brae': ['bare', 'bear', 'brae'], 'braehead': ['barehead', 'braehead'], 'brag': ['brag', 'garb', 'grab'], 'bragi': ['bragi', 'girba'], 'bragless': ['bragless', 'garbless'], 'brahmi': ['brahmi', 'mihrab'], 'brahui': ['brahui', 'habiru'], 'braid': ['barid', 'bidar', 'braid', 'rabid'], 'braider': ['braider', 'rebraid'], 'brail': ['blair', 'brail', 'libra'], 'braille': ['braille', 'liberal'], 'brain': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'brainache': ['brainache', 'branchiae'], 'brainge': ['bearing', 'begrain', 'brainge', 'rigbane'], 'brainwater': ['brainwater', 'waterbrain'], 'brainy': ['binary', 'brainy'], 'braird': ['braird', 'briard'], 'brairo': ['barrio', 'brairo'], 'braise': ['braise', 'rabies', 'rebias'], 'brake': ['baker', 'brake', 'break'], 'brakeage': ['brakeage', 'breakage'], 'brakeless': ['bakerless', 'brakeless', 'breakless'], 'braker': ['barker', 'braker'], 'braky': ['barky', 'braky'], 'bram': ['barm', 'bram'], 'brambrack': ['barmbrack', 'brambrack'], 'bramia': ['bairam', 'bramia'], 'bran': ['barn', 'bran'], 'brancher': ['brancher', 'rebranch'], 'branchiae': ['brainache', 'branchiae'], 'branchiata': ['batrachian', 'branchiata'], 'branchiopoda': ['branchiopoda', 'podobranchia'], 'brander': ['bernard', 'brander', 'rebrand'], 'brandi': ['brandi', 'riband'], 'brandisher': ['brandisher', 'rebrandish'], 'branial': ['blarina', 'branial'], 'brankie': ['brankie', 'inbreak'], 'brash': ['brash', 'shrab'], 'brasiletto': ['brasiletto', 'strobilate'], 'brassie': ['brassie', 'rebasis'], 'brat': ['bart', 'brat'], 'brattie': ['biretta', 'brattie', 'ratbite'], 'brattle': ['battler', 'blatter', 'brattle'], 'braunite': ['braunite', 'urbanite', 'urbinate'], 'brave': ['brave', 'breva'], 'bravoite': ['abortive', 'bravoite'], 'brawler': ['brawler', 'warbler'], 'brawling': ['brawling', 'warbling'], 'brawlingly': ['brawlingly', 'warblingly'], 'brawly': ['brawly', 'byrlaw', 'warbly'], 'brawned': ['benward', 'brawned'], 'bray': ['bray', 'yarb'], 'braza': ['braza', 'zabra'], 'braze': ['braze', 'zebra'], 'brazier': ['bizarre', 'brazier'], 'bread': ['ardeb', 'beard', 'bread', 'debar'], 'breadless': ['beardless', 'breadless'], 'breadlessness': ['beardlessness', 'breadlessness'], 'breadman': ['banderma', 'breadman'], 'breadnut': ['breadnut', 'turbaned'], 'breaghe': ['breaghe', 'herbage'], 'break': ['baker', 'brake', 'break'], 'breakage': ['brakeage', 'breakage'], 'breakless': ['bakerless', 'brakeless', 'breakless'], 'breakout': ['breakout', 'outbreak'], 'breakover': ['breakover', 'overbreak'], 'breakstone': ['breakstone', 'stonebreak'], 'breakup': ['breakup', 'upbreak'], 'breakwind': ['breakwind', 'windbreak'], 'bream': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'breast': ['baster', 'bestar', 'breast'], 'breasting': ['breasting', 'brigantes'], 'breastpin': ['breastpin', 'stepbairn'], 'breastrail': ['arbalister', 'breastrail'], 'breastweed': ['breastweed', 'sweetbread'], 'breath': ['bather', 'bertha', 'breath'], 'breathe': ['breathe', 'rebathe'], 'breba': ['barbe', 'bebar', 'breba', 'rebab'], 'breccia': ['acerbic', 'breccia'], 'brecham': ['becharm', 'brecham', 'chamber'], 'brede': ['brede', 'breed', 'rebed'], 'bredi': ['bider', 'bredi', 'bride', 'rebid'], 'bree': ['beer', 'bere', 'bree'], 'breech': ['becher', 'breech'], 'breed': ['brede', 'breed', 'rebed'], 'breeder': ['breeder', 'rebreed'], 'breeding': ['beringed', 'breeding'], 'brehon': ['behorn', 'brehon'], 'brei': ['beri', 'bier', 'brei', 'ribe'], 'brelaw': ['bawler', 'brelaw', 'rebawl', 'warble'], 'breme': ['breme', 'ember'], 'bremia': ['ambier', 'bremia', 'embira'], 'brenda': ['bander', 'brenda'], 'brephic': ['bechirp', 'brephic'], 'bret': ['bert', 'bret'], 'breth': ['berth', 'breth'], 'breva': ['brave', 'breva'], 'breve': ['bever', 'breve'], 'brewer': ['brewer', 'rebrew'], 'brey': ['brey', 'byre', 'yerb'], 'brian': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'briard': ['braird', 'briard'], 'briber': ['briber', 'ribber'], 'brichen': ['birchen', 'brichen'], 'brickel': ['brickel', 'brickle'], 'bricken': ['bickern', 'bricken'], 'brickle': ['brickel', 'brickle'], 'bricole': ['bricole', 'corbeil', 'orbicle'], 'bridal': ['bildar', 'bridal', 'ribald'], 'bridale': ['bedrail', 'bridale', 'ridable'], 'bridally': ['bridally', 'ribaldly'], 'bride': ['bider', 'bredi', 'bride', 'rebid'], 'bridelace': ['bridelace', 'calibered'], 'bridge': ['begird', 'bridge'], 'bridgeward': ['bridgeward', 'drawbridge'], 'bridling': ['birdling', 'bridling', 'lingbird'], 'brief': ['bifer', 'brief', 'fiber'], 'briefless': ['briefless', 'fiberless', 'fibreless'], 'brier': ['berri', 'brier'], 'briered': ['berried', 'briered'], 'brieve': ['bervie', 'brieve'], 'brigade': ['abridge', 'brigade'], 'brigand': ['barding', 'brigand'], 'brigantes': ['breasting', 'brigantes'], 'brighten': ['berthing', 'brighten'], 'brin': ['birn', 'brin'], 'brine': ['brine', 'enrib'], 'bringal': ['barling', 'bringal'], 'bringer': ['bringer', 'rebring'], 'briny': ['birny', 'briny'], 'bristle': ['blister', 'bristle'], 'bristlewort': ['blisterwort', 'bristlewort'], 'brisure': ['brisure', 'bruiser'], 'britannia': ['antiabrin', 'britannia'], 'brith': ['birth', 'brith'], 'brither': ['brither', 'rebirth'], 'britten': ['bittern', 'britten'], 'brittle': ['blitter', 'brittle', 'triblet'], 'broacher': ['broacher', 'rebroach'], 'broad': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'broadbill': ['billboard', 'broadbill'], 'broadcaster': ['broadcaster', 'rebroadcast'], 'broaden': ['bandore', 'broaden'], 'broadhead': ['broadhead', 'headboard'], 'broadly': ['boardly', 'broadly'], 'broadside': ['broadside', 'sideboard'], 'broadspread': ['broadspread', 'spreadboard'], 'broadtail': ['broadtail', 'tailboard'], 'brochan': ['brochan', 'charbon'], 'broche': ['bocher', 'broche'], 'brocho': ['brocho', 'brooch'], 'brocked': ['bedrock', 'brocked'], 'brockle': ['blocker', 'brockle', 'reblock'], 'brod': ['bord', 'brod'], 'broderer': ['borderer', 'broderer'], 'brodie': ['bodier', 'boride', 'brodie'], 'brog': ['borg', 'brog', 'gorb'], 'brogan': ['barong', 'brogan'], 'broggle': ['boggler', 'broggle'], 'brolga': ['brolga', 'gorbal'], 'broma': ['broma', 'rambo'], 'bromate': ['barmote', 'bromate'], 'brome': ['brome', 'omber'], 'brominate': ['brominate', 'tribonema'], 'bromohydrate': ['bromohydrate', 'hydrobromate'], 'bronze': ['bonzer', 'bronze'], 'broo': ['boor', 'boro', 'broo'], 'brooch': ['brocho', 'brooch'], 'brooke': ['booker', 'brooke', 'rebook'], 'broon': ['boron', 'broon'], 'brose': ['boser', 'brose', 'sober'], 'brot': ['bort', 'brot'], 'brotan': ['barton', 'brotan'], 'brotany': ['baryton', 'brotany'], 'broth': ['broth', 'throb'], 'brothelry': ['brothelry', 'brotherly'], 'brotherly': ['brothelry', 'brotherly'], 'browden': ['bedrown', 'browden'], 'browner': ['browner', 'rebrown'], 'browntail': ['browntail', 'wrainbolt'], 'bruce': ['bruce', 'cebur', 'cuber'], 'brucina': ['brucina', 'rubican'], 'bruckle': ['bruckle', 'buckler'], 'brugh': ['brugh', 'burgh'], 'bruin': ['bruin', 'burin', 'inrub'], 'bruiser': ['brisure', 'bruiser'], 'bruke': ['bruke', 'burke'], 'brule': ['bluer', 'brule', 'burel', 'ruble'], 'brulee': ['brulee', 'burele', 'reblue'], 'brumal': ['brumal', 'labrum', 'lumbar', 'umbral'], 'brumalia': ['albarium', 'brumalia'], 'brume': ['brume', 'umber'], 'brumous': ['brumous', 'umbrous'], 'brunellia': ['brunellia', 'unliberal'], 'brunet': ['brunet', 'bunter', 'burnet'], 'bruno': ['bourn', 'bruno'], 'brunt': ['brunt', 'burnt'], 'brush': ['brush', 'shrub'], 'brushed': ['brushed', 'subherd'], 'brusher': ['brusher', 'rebrush'], 'brushland': ['brushland', 'shrubland'], 'brushless': ['brushless', 'shrubless'], 'brushlet': ['brushlet', 'shrublet'], 'brushlike': ['brushlike', 'shrublike'], 'brushwood': ['brushwood', 'shrubwood'], 'brustle': ['bluster', 'brustle', 'bustler'], 'brut': ['brut', 'burt', 'trub', 'turb'], 'bruta': ['bruta', 'tubar'], 'brute': ['brute', 'buret', 'rebut', 'tuber'], 'brutely': ['brutely', 'butlery'], 'bryan': ['barny', 'bryan'], 'bryanite': ['barytine', 'bryanite'], 'bryce': ['becry', 'bryce'], 'bual': ['balu', 'baul', 'bual', 'luba'], 'buba': ['babu', 'buba'], 'bubal': ['babul', 'bubal'], 'bubbler': ['blubber', 'bubbler'], 'buccocervical': ['buccocervical', 'cervicobuccal'], 'bucconasal': ['bucconasal', 'nasobuccal'], 'buceros': ['bescour', 'buceros', 'obscure'], 'buckbush': ['buckbush', 'bushbuck'], 'bucked': ['beduck', 'bucked'], 'buckler': ['bruckle', 'buckler'], 'bucksaw': ['bucksaw', 'sawbuck'], 'bucrane': ['bucrane', 'unbrace'], 'bud': ['bud', 'dub'], 'buda': ['baud', 'buda', 'daub'], 'budder': ['budder', 'redbud'], 'budger': ['bedrug', 'budger'], 'budgeter': ['budgeter', 'rebudget'], 'budtime': ['bitumed', 'budtime'], 'buffer': ['buffer', 'rebuff'], 'buffeter': ['buffeter', 'rebuffet'], 'bugan': ['bugan', 'bunga', 'unbag'], 'bughouse': ['bughouse', 'housebug'], 'bugi': ['bugi', 'guib'], 'bugle': ['bugle', 'bulge'], 'bugler': ['bugler', 'bulger', 'burgle'], 'bugre': ['bugre', 'gebur'], 'builder': ['builder', 'rebuild'], 'buildup': ['buildup', 'upbuild'], 'buirdly': ['buirdly', 'ludibry'], 'bulanda': ['balunda', 'bulanda'], 'bulb': ['blub', 'bulb'], 'bulgarian': ['biangular', 'bulgarian'], 'bulge': ['bugle', 'bulge'], 'bulger': ['bugler', 'bulger', 'burgle'], 'bulimic': ['bulimic', 'umbilic'], 'bulimiform': ['bulimiform', 'umbiliform'], 'bulker': ['bulker', 'rebulk'], 'bulla': ['bulla', 'lulab'], 'bullace': ['bullace', 'cueball'], 'bulletin': ['bulletin', 'unbillet'], 'bullfeast': ['bullfeast', 'stableful'], 'bulse': ['blues', 'bulse'], 'bulter': ['bulter', 'burlet', 'butler'], 'bummler': ['bummler', 'mumbler'], 'bun': ['bun', 'nub'], 'buna': ['baun', 'buna', 'nabu', 'nuba'], 'buncal': ['buncal', 'lucban'], 'buncher': ['buncher', 'rebunch'], 'bunder': ['bunder', 'burden', 'burned', 'unbred'], 'bundle': ['bundle', 'unbled'], 'bundler': ['blunder', 'bundler'], 'bundu': ['bundu', 'unbud', 'undub'], 'bunga': ['bugan', 'bunga', 'unbag'], 'bungle': ['blunge', 'bungle'], 'bungler': ['blunger', 'bungler'], 'bungo': ['bungo', 'unbog'], 'bunk': ['bunk', 'knub'], 'bunter': ['brunet', 'bunter', 'burnet'], 'bunty': ['bunty', 'butyn'], 'bunya': ['bunya', 'unbay'], 'bur': ['bur', 'rub'], 'buran': ['buran', 'unbar', 'urban'], 'burble': ['burble', 'lubber', 'rubble'], 'burbler': ['burbler', 'rubbler'], 'burbly': ['burbly', 'rubbly'], 'burd': ['burd', 'drub'], 'burdalone': ['burdalone', 'unlabored'], 'burden': ['bunder', 'burden', 'burned', 'unbred'], 'burdener': ['burdener', 'reburden'], 'burdie': ['burdie', 'buried', 'rubied'], 'bure': ['bure', 'reub', 'rube'], 'burel': ['bluer', 'brule', 'burel', 'ruble'], 'burele': ['brulee', 'burele', 'reblue'], 'buret': ['brute', 'buret', 'rebut', 'tuber'], 'burfish': ['burfish', 'furbish'], 'burg': ['burg', 'grub'], 'burgh': ['brugh', 'burgh'], 'burgle': ['bugler', 'bulger', 'burgle'], 'burian': ['burian', 'urbian'], 'buried': ['burdie', 'buried', 'rubied'], 'burin': ['bruin', 'burin', 'inrub'], 'burke': ['bruke', 'burke'], 'burl': ['blur', 'burl'], 'burler': ['burler', 'burrel'], 'burlet': ['bulter', 'burlet', 'butler'], 'burletta': ['burletta', 'rebuttal'], 'burmite': ['burmite', 'imbrute', 'terbium'], 'burned': ['bunder', 'burden', 'burned', 'unbred'], 'burner': ['burner', 'reburn'], 'burnet': ['brunet', 'bunter', 'burnet'], 'burnfire': ['burnfire', 'fireburn'], 'burnie': ['burnie', 'rubine'], 'burnisher': ['burnisher', 'reburnish'], 'burnout': ['burnout', 'outburn'], 'burnover': ['burnover', 'overburn'], 'burnsides': ['burnsides', 'sideburns'], 'burnt': ['brunt', 'burnt'], 'burny': ['burny', 'runby'], 'buro': ['buro', 'roub'], 'burrel': ['burler', 'burrel'], 'burro': ['burro', 'robur', 'rubor'], 'bursa': ['abrus', 'bursa', 'subra'], 'bursal': ['bursal', 'labrus'], 'bursate': ['bursate', 'surbate'], 'burse': ['burse', 'rebus', 'suber'], 'burst': ['burst', 'strub'], 'burster': ['burster', 'reburst'], 'burt': ['brut', 'burt', 'trub', 'turb'], 'burut': ['burut', 'trubu'], 'bury': ['bury', 'ruby'], 'bus': ['bus', 'sub'], 'buscarle': ['arbuscle', 'buscarle'], 'bushbuck': ['buckbush', 'bushbuck'], 'busher': ['busher', 'rebush'], 'bushwood': ['bushwood', 'woodbush'], 'busied': ['busied', 'subdie'], 'busked': ['bedusk', 'busked'], 'busman': ['busman', 'subman'], 'bust': ['bust', 'stub'], 'busted': ['bedust', 'bestud', 'busted'], 'buster': ['berust', 'buster', 'stuber'], 'bustic': ['bustic', 'cubist'], 'bustle': ['bustle', 'sublet', 'subtle'], 'bustler': ['bluster', 'brustle', 'bustler'], 'but': ['but', 'tub'], 'bute': ['bute', 'tebu', 'tube'], 'butea': ['butea', 'taube', 'tubae'], 'butein': ['butein', 'butine', 'intube'], 'butic': ['butic', 'cubit'], 'butine': ['butein', 'butine', 'intube'], 'butler': ['bulter', 'burlet', 'butler'], 'butleress': ['butleress', 'tuberless'], 'butlery': ['brutely', 'butlery'], 'buttle': ['buttle', 'tublet'], 'buttoner': ['buttoner', 'rebutton'], 'butyn': ['bunty', 'butyn'], 'buyer': ['buyer', 'rebuy'], 'bye': ['bey', 'bye'], 'byeman': ['byeman', 'byname'], 'byerite': ['byerite', 'ebriety'], 'bygo': ['bogy', 'bygo', 'goby'], 'byname': ['byeman', 'byname'], 'byon': ['bony', 'byon'], 'byous': ['bousy', 'byous'], 'byre': ['brey', 'byre', 'yerb'], 'byrlaw': ['brawly', 'byrlaw', 'warbly'], 'byroad': ['boardy', 'boyard', 'byroad'], 'cab': ['bac', 'cab'], 'caba': ['abac', 'caba'], 'cabaan': ['cabaan', 'cabana', 'canaba'], 'cabala': ['cabala', 'calaba'], 'cabaletta': ['ablactate', 'cabaletta'], 'cabalism': ['balsamic', 'cabalism'], 'cabalist': ['basaltic', 'cabalist'], 'caballer': ['barcella', 'caballer'], 'caban': ['banca', 'caban'], 'cabana': ['cabaan', 'cabana', 'canaba'], 'cabaret': ['abreact', 'bractea', 'cabaret'], 'cabbler': ['cabbler', 'clabber'], 'caber': ['acerb', 'brace', 'caber'], 'cabio': ['baioc', 'cabio', 'cobia'], 'cabiri': ['cabiri', 'caribi'], 'cabirian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cable': ['cable', 'caleb'], 'cabled': ['beclad', 'cabled'], 'cabob': ['bobac', 'cabob'], 'cabocle': ['boccale', 'cabocle'], 'cabombaceae': ['bombacaceae', 'cabombaceae'], 'cabrilla': ['bacillar', 'cabrilla'], 'caca': ['acca', 'caca'], 'cachet': ['cachet', 'chacte'], 'cachou': ['cachou', 'caucho'], 'cackler': ['cackler', 'clacker', 'crackle'], 'cacodaemonic': ['cacodaemonic', 'cacodemoniac'], 'cacodemoniac': ['cacodaemonic', 'cacodemoniac'], 'cacomistle': ['cacomistle', 'cosmetical'], 'cacoxenite': ['cacoxenite', 'excecation'], 'cactaceae': ['cactaceae', 'taccaceae'], 'cactaceous': ['cactaceous', 'taccaceous'], 'cacti': ['cacti', 'ticca'], 'cactoid': ['cactoid', 'octadic'], 'caddice': ['caddice', 'decadic'], 'caddie': ['caddie', 'eddaic'], 'cade': ['cade', 'dace', 'ecad'], 'cadent': ['cadent', 'canted', 'decant'], 'cadential': ['cadential', 'dancalite'], 'cader': ['acred', 'cader', 'cadre', 'cedar'], 'cadet': ['cadet', 'ectad'], 'cadge': ['cadge', 'caged'], 'cadger': ['cadger', 'cradge'], 'cadi': ['acid', 'cadi', 'caid'], 'cadinene': ['cadinene', 'decennia', 'enneadic'], 'cadmia': ['adamic', 'cadmia'], 'cados': ['cados', 'scoad'], 'cadre': ['acred', 'cader', 'cadre', 'cedar'], 'cadua': ['cadua', 'cauda'], 'caduac': ['caduac', 'caduca'], 'caduca': ['caduac', 'caduca'], 'cadus': ['cadus', 'dacus'], 'caeciliae': ['caeciliae', 'ilicaceae'], 'caedmonian': ['caedmonian', 'macedonian'], 'caedmonic': ['caedmonic', 'macedonic'], 'caelum': ['almuce', 'caelum', 'macule'], 'caelus': ['caelus', 'caules', 'clause'], 'caesar': ['ascare', 'caesar', 'resaca'], 'caesarist': ['caesarist', 'staircase'], 'caesura': ['auresca', 'caesura'], 'caffeina': ['affiance', 'caffeina'], 'caged': ['cadge', 'caged'], 'cageling': ['cageling', 'glaceing'], 'cager': ['cager', 'garce', 'grace'], 'cahill': ['achill', 'cahill', 'chilla'], 'cahita': ['cahita', 'ithaca'], 'cahnite': ['cahnite', 'cathine'], 'caid': ['acid', 'cadi', 'caid'], 'caiman': ['amniac', 'caiman', 'maniac'], 'caimito': ['caimito', 'comitia'], 'cain': ['cain', 'inca'], 'cainism': ['cainism', 'misniac'], 'cairba': ['arabic', 'cairba'], 'caird': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'cairene': ['cairene', 'cinerea'], 'cairn': ['cairn', 'crain', 'naric'], 'cairned': ['cairned', 'candier'], 'cairny': ['cairny', 'riancy'], 'cairo': ['cairo', 'oaric'], 'caisson': ['caisson', 'cassino'], 'cajoler': ['cajoler', 'jecoral'], 'caker': ['acker', 'caker', 'crake', 'creak'], 'cakey': ['ackey', 'cakey'], 'cal': ['cal', 'lac'], 'calaba': ['cabala', 'calaba'], 'calamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'calamint': ['calamint', 'claimant'], 'calamitean': ['calamitean', 'catamenial'], 'calander': ['calander', 'calendar'], 'calandrinae': ['calandrinae', 'calendarian'], 'calas': ['calas', 'casal', 'scala'], 'calash': ['calash', 'lachsa'], 'calathian': ['acanthial', 'calathian'], 'calaverite': ['calaverite', 'lacerative'], 'calcareocorneous': ['calcareocorneous', 'corneocalcareous'], 'calcareosiliceous': ['calcareosiliceous', 'siliceocalcareous'], 'calciner': ['calciner', 'larcenic'], 'calculary': ['calculary', 'calycular'], 'calculative': ['calculative', 'claviculate'], 'calden': ['calden', 'candle', 'lanced'], 'calean': ['anlace', 'calean'], 'caleb': ['cable', 'caleb'], 'caledonia': ['caledonia', 'laodicean'], 'caledonite': ['caledonite', 'celadonite'], 'calendar': ['calander', 'calendar'], 'calendarial': ['calendarial', 'dalecarlian'], 'calendarian': ['calandrinae', 'calendarian'], 'calender': ['calender', 'encradle'], 'calenture': ['calenture', 'crenulate'], 'calepin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'calfkill': ['calfkill', 'killcalf'], 'caliban': ['balanic', 'caliban'], 'caliber': ['caliber', 'calibre'], 'calibered': ['bridelace', 'calibered'], 'calibrate': ['bacterial', 'calibrate'], 'calibre': ['caliber', 'calibre'], 'caliburno': ['binocular', 'caliburno', 'colubrina'], 'calico': ['accoil', 'calico'], 'calidity': ['calidity', 'dialytic'], 'caliga': ['caliga', 'cigala'], 'calinago': ['analogic', 'calinago'], 'calinut': ['calinut', 'lunatic'], 'caliper': ['caliper', 'picarel', 'replica'], 'calipers': ['calipers', 'spiracle'], 'caliphate': ['caliphate', 'hepatical'], 'calite': ['calite', 'laetic', 'tecali'], 'caliver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'calk': ['calk', 'lack'], 'calker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'callboy': ['callboy', 'collyba'], 'caller': ['caller', 'cellar', 'recall'], 'calli': ['calli', 'lilac'], 'calligraphy': ['calligraphy', 'graphically'], 'calliopsis': ['calliopsis', 'lipoclasis'], 'callisection': ['callisection', 'clinoclasite'], 'callitype': ['callitype', 'plicately'], 'callo': ['callo', 'colla', 'local'], 'callosal': ['callosal', 'scallola'], 'callose': ['callose', 'oscella'], 'callosity': ['callosity', 'stoically'], 'callosum': ['callosum', 'mollusca'], 'calluna': ['calluna', 'lacunal'], 'callus': ['callus', 'sulcal'], 'calm': ['calm', 'clam'], 'calmant': ['calmant', 'clamant'], 'calmative': ['calmative', 'clamative'], 'calmer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'calmierer': ['calmierer', 'reclaimer'], 'calomba': ['calomba', 'cambalo'], 'calonectria': ['calonectria', 'ectocranial'], 'calor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'calorie': ['calorie', 'cariole'], 'calorist': ['calorist', 'coralist'], 'calorite': ['calorite', 'erotical', 'loricate'], 'calorize': ['calorize', 'coalizer'], 'calotermes': ['calotermes', 'mesorectal', 'metacresol'], 'calotermitid': ['calotermitid', 'dilatometric'], 'calp': ['calp', 'clap'], 'caltha': ['caltha', 'chalta'], 'caltrop': ['caltrop', 'proctal'], 'calusa': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'calvaria': ['calvaria', 'clavaria'], 'calvary': ['calvary', 'cavalry'], 'calve': ['calve', 'cavel', 'clave'], 'calver': ['calver', 'carvel', 'claver'], 'calves': ['calves', 'scavel'], 'calycular': ['calculary', 'calycular'], 'calyptratae': ['acalyptrate', 'calyptratae'], 'cam': ['cam', 'mac'], 'camaca': ['camaca', 'macaca'], 'camail': ['amical', 'camail', 'lamaic'], 'caman': ['caman', 'macan'], 'camara': ['acamar', 'camara', 'maraca'], 'cambalo': ['calomba', 'cambalo'], 'camber': ['becram', 'camber', 'crambe'], 'cambrel': ['cambrel', 'clamber', 'cramble'], 'came': ['acme', 'came', 'mace'], 'cameist': ['cameist', 'etacism', 'sematic'], 'camel': ['camel', 'clame', 'cleam', 'macle'], 'camelid': ['camelid', 'decimal', 'declaim', 'medical'], 'camelina': ['alcamine', 'analcime', 'calamine', 'camelina'], 'camelish': ['camelish', 'schalmei'], 'camellus': ['camellus', 'sacellum'], 'cameloid': ['cameloid', 'comedial', 'melodica'], 'cameograph': ['cameograph', 'macrophage'], 'camera': ['acream', 'camera', 'mareca'], 'cameral': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'camerate': ['camerate', 'macerate', 'racemate'], 'camerated': ['camerated', 'demarcate'], 'cameration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'camerina': ['amacrine', 'american', 'camerina', 'cinerama'], 'camerist': ['camerist', 'ceramist', 'matrices'], 'camion': ['camion', 'conima', 'manioc', 'monica'], 'camisado': ['camisado', 'caodaism'], 'camise': ['camise', 'macies'], 'campaign': ['campaign', 'pangamic'], 'campaigner': ['campaigner', 'recampaign'], 'camphire': ['camphire', 'hemicarp'], 'campine': ['campine', 'pemican'], 'campoo': ['campoo', 'capomo'], 'camptonite': ['camptonite', 'pentatomic'], 'camus': ['camus', 'musca', 'scaum', 'sumac'], 'camused': ['camused', 'muscade'], 'canaba': ['cabaan', 'cabana', 'canaba'], 'canadol': ['acnodal', 'canadol', 'locanda'], 'canaille': ['alliance', 'canaille'], 'canape': ['canape', 'panace'], 'canari': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'canarin': ['canarin', 'cranian'], 'canariote': ['canariote', 'ceratonia'], 'canary': ['canary', 'cynara'], 'canaut': ['canaut', 'tucana'], 'canceler': ['canceler', 'clarence', 'recancel'], 'cancer': ['cancer', 'crance'], 'cancerate': ['cancerate', 'reactance'], 'canceration': ['anacreontic', 'canceration'], 'cancri': ['cancri', 'carnic', 'cranic'], 'cancroid': ['cancroid', 'draconic'], 'candela': ['candela', 'decanal'], 'candier': ['cairned', 'candier'], 'candiru': ['candiru', 'iracund'], 'candle': ['calden', 'candle', 'lanced'], 'candor': ['candor', 'cardon', 'conrad'], 'candroy': ['candroy', 'dacryon'], 'cane': ['acne', 'cane', 'nace'], 'canel': ['canel', 'clean', 'lance', 'lenca'], 'canelo': ['canelo', 'colane'], 'canephor': ['canephor', 'chaperno', 'chaperon'], 'canephore': ['canephore', 'chaperone'], 'canephroi': ['canephroi', 'parochine'], 'caner': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'canful': ['canful', 'flucan'], 'cangle': ['cangle', 'glance'], 'cangler': ['cangler', 'glancer', 'reclang'], 'cangue': ['cangue', 'uncage'], 'canicola': ['canicola', 'laconica'], 'canid': ['canid', 'cnida', 'danic'], 'canidae': ['aidance', 'canidae'], 'canine': ['canine', 'encina', 'neanic'], 'canis': ['canis', 'scian'], 'canister': ['canister', 'cestrian', 'cisterna', 'irascent'], 'canker': ['canker', 'neckar'], 'cankerworm': ['cankerworm', 'crownmaker'], 'cannel': ['cannel', 'lencan'], 'cannot': ['cannot', 'canton', 'conant', 'nonact'], 'cannulate': ['antelucan', 'cannulate'], 'canny': ['canny', 'nancy'], 'canoe': ['acone', 'canoe', 'ocean'], 'canoeing': ['anogenic', 'canoeing'], 'canoeist': ['canoeist', 'cotesian'], 'canon': ['ancon', 'canon'], 'canonist': ['canonist', 'sanction', 'sonantic'], 'canoodler': ['canoodler', 'coronaled'], 'canroy': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'canso': ['ascon', 'canso', 'oscan'], 'cantabri': ['bactrian', 'cantabri'], 'cantala': ['cantala', 'catalan', 'lantaca'], 'cantalite': ['cantalite', 'lactinate', 'tetanical'], 'cantara': ['cantara', 'nacarat'], 'cantaro': ['cantaro', 'croatan'], 'cantate': ['anteact', 'cantate'], 'canted': ['cadent', 'canted', 'decant'], 'canteen': ['canteen', 'centena'], 'canter': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'canterer': ['canterer', 'recanter', 'recreant', 'terrance'], 'cantharidae': ['acidanthera', 'cantharidae'], 'cantharis': ['anarchist', 'archsaint', 'cantharis'], 'canthus': ['canthus', 'staunch'], 'cantico': ['cantico', 'catonic', 'taconic'], 'cantilena': ['cantilena', 'lancinate'], 'cantilever': ['cantilever', 'trivalence'], 'cantily': ['anticly', 'cantily'], 'cantina': ['cantina', 'tannaic'], 'cantiness': ['anticness', 'cantiness', 'incessant'], 'cantion': ['actinon', 'cantion', 'contain'], 'cantle': ['cantle', 'cental', 'lancet', 'tancel'], 'canto': ['acton', 'canto', 'octan'], 'canton': ['cannot', 'canton', 'conant', 'nonact'], 'cantonal': ['cantonal', 'connatal'], 'cantor': ['cantor', 'carton', 'contra'], 'cantorian': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'cantoris': ['cantoris', 'castorin', 'corsaint'], 'cantred': ['cantred', 'centrad', 'tranced'], 'cantus': ['cantus', 'tuscan', 'uncast'], 'canun': ['canun', 'cunan'], 'cany': ['cany', 'cyan'], 'canyon': ['ancony', 'canyon'], 'caoba': ['bacao', 'caoba'], 'caodaism': ['camisado', 'caodaism'], 'cap': ['cap', 'pac'], 'capable': ['capable', 'pacable'], 'caparison': ['caparison', 'paranosic'], 'cape': ['cape', 'cepa', 'pace'], 'caped': ['caped', 'decap', 'paced'], 'capel': ['capel', 'place'], 'capelin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'capeline': ['capeline', 'pelecani'], 'caper': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'capernaite': ['capernaite', 'paraenetic'], 'capernoited': ['capernoited', 'deprecation'], 'capernoity': ['acetopyrin', 'capernoity'], 'capes': ['capes', 'scape', 'space'], 'caph': ['caph', 'chap'], 'caphite': ['aphetic', 'caphite', 'hepatic'], 'caphtor': ['caphtor', 'toparch'], 'capias': ['capias', 'pisaca'], 'capillament': ['capillament', 'implacental'], 'capillarity': ['capillarity', 'piratically'], 'capital': ['capital', 'palatic'], 'capitan': ['capitan', 'captain'], 'capitate': ['apatetic', 'capitate'], 'capitellar': ['capitellar', 'prelatical'], 'capito': ['atopic', 'capito', 'copita'], 'capitol': ['capitol', 'coalpit', 'optical', 'topical'], 'capomo': ['campoo', 'capomo'], 'capon': ['capon', 'ponca'], 'caponier': ['caponier', 'coprinae', 'procaine'], 'capot': ['capot', 'coapt'], 'capote': ['capote', 'toecap'], 'capreol': ['capreol', 'polacre'], 'capri': ['capri', 'picra', 'rapic'], 'caprid': ['caprid', 'carpid', 'picard'], 'capriote': ['aporetic', 'capriote', 'operatic'], 'capsian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'capstone': ['capstone', 'opencast'], 'capsula': ['capsula', 'pascual', 'scapula'], 'capsular': ['capsular', 'scapular'], 'capsulate': ['aspectual', 'capsulate'], 'capsulated': ['capsulated', 'scapulated'], 'capsule': ['capsule', 'specula', 'upscale'], 'capsulectomy': ['capsulectomy', 'scapulectomy'], 'capsuler': ['capsuler', 'specular'], 'captain': ['capitan', 'captain'], 'captation': ['anaptotic', 'captation'], 'caption': ['caption', 'paction'], 'captious': ['autopsic', 'captious'], 'captor': ['captor', 'copart'], 'capture': ['capture', 'uptrace'], 'car': ['arc', 'car'], 'cara': ['arca', 'cara'], 'carabeen': ['bearance', 'carabeen'], 'carabin': ['arbacin', 'carabin', 'cariban'], 'carabini': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'caracoli': ['caracoli', 'coracial'], 'caracore': ['acrocera', 'caracore'], 'caragana': ['aracanga', 'caragana'], 'caramel': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'caranda': ['anacard', 'caranda'], 'carandas': ['carandas', 'sandarac'], 'carane': ['arcane', 'carane'], 'carangid': ['carangid', 'cardigan'], 'carapine': ['carapine', 'carpaine'], 'caravel': ['caravel', 'lavacre'], 'carbamide': ['carbamide', 'crambidae'], 'carbamine': ['carbamine', 'crambinae'], 'carbamino': ['carbamino', 'macrobian'], 'carbeen': ['carbeen', 'carbene'], 'carbene': ['carbeen', 'carbene'], 'carbo': ['carbo', 'carob', 'coarb', 'cobra'], 'carbohydride': ['carbohydride', 'hydrocarbide'], 'carbon': ['bracon', 'carbon', 'corban'], 'carbonite': ['bicornate', 'carbonite', 'reboantic'], 'carcel': ['carcel', 'cercal'], 'carcinoma': ['carcinoma', 'macaronic'], 'carcinosarcoma': ['carcinosarcoma', 'sarcocarcinoma'], 'carcoon': ['carcoon', 'raccoon'], 'cardel': ['cardel', 'cradle'], 'cardia': ['acarid', 'cardia', 'carida'], 'cardiac': ['arcadic', 'cardiac'], 'cardial': ['cardial', 'radical'], 'cardiant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'cardigan': ['carangid', 'cardigan'], 'cardiidae': ['acrididae', 'cardiidae', 'cidaridae'], 'cardin': ['andric', 'cardin', 'rancid'], 'cardinal': ['cardinal', 'clarinda'], 'cardioid': ['cardioid', 'caridoid'], 'cardiophobe': ['brachiopode', 'cardiophobe'], 'cardo': ['cardo', 'draco'], 'cardon': ['candor', 'cardon', 'conrad'], 'cardoon': ['cardoon', 'coronad'], 'care': ['acer', 'acre', 'care', 'crea', 'race'], 'careen': ['careen', 'carene', 'enrace'], 'carene': ['careen', 'carene', 'enrace'], 'carer': ['carer', 'crare', 'racer'], 'carest': ['carest', 'caster', 'recast'], 'caret': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'caretta': ['caretta', 'teacart', 'tearcat'], 'carful': ['carful', 'furcal'], 'carhop': ['carhop', 'paroch'], 'cariama': ['aramaic', 'cariama'], 'carian': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carib': ['baric', 'carib', 'rabic'], 'cariban': ['arbacin', 'carabin', 'cariban'], 'caribi': ['cabiri', 'caribi'], 'carid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'carida': ['acarid', 'cardia', 'carida'], 'caridea': ['arcidae', 'caridea'], 'caridean': ['caridean', 'dircaean', 'radiance'], 'caridoid': ['cardioid', 'caridoid'], 'carina': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carinal': ['carinal', 'carlina', 'clarain', 'cranial'], 'carinatae': ['acraniate', 'carinatae'], 'carinate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'carinated': ['carinated', 'eradicant'], 'cariole': ['calorie', 'cariole'], 'carious': ['carious', 'curiosa'], 'carisa': ['carisa', 'sciara'], 'carissa': ['ascaris', 'carissa'], 'cark': ['cark', 'rack'], 'carking': ['arcking', 'carking', 'racking'], 'carkingly': ['carkingly', 'rackingly'], 'carless': ['carless', 'classer', 'reclass'], 'carlet': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'carlie': ['carlie', 'claire', 'eclair', 'erical'], 'carlin': ['carlin', 'clarin', 'crinal'], 'carlina': ['carinal', 'carlina', 'clarain', 'cranial'], 'carlist': ['carlist', 'clarist'], 'carlo': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carlot': ['carlot', 'crotal'], 'carlylian': ['ancillary', 'carlylian', 'cranially'], 'carman': ['carman', 'marcan'], 'carmel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'carmela': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'carmele': ['carmele', 'cleamer'], 'carmelite': ['carmelite', 'melicerta'], 'carmeloite': ['carmeloite', 'ectromelia', 'meteorical'], 'carmine': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'carminette': ['carminette', 'remittance'], 'carminite': ['antimeric', 'carminite', 'criminate', 'metrician'], 'carmot': ['carmot', 'comart'], 'carnage': ['carnage', 'cranage', 'garance'], 'carnalite': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'carnate': ['carnate', 'cateran'], 'carnation': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'carnationed': ['carnationed', 'dinoceratan'], 'carnelian': ['carnelian', 'encranial'], 'carneol': ['carneol', 'corneal'], 'carneous': ['carneous', 'nacreous'], 'carney': ['carney', 'craney'], 'carnic': ['cancri', 'carnic', 'cranic'], 'carniolan': ['carniolan', 'nonracial'], 'carnose': ['carnose', 'coarsen', 'narcose'], 'carnosity': ['carnosity', 'crayonist'], 'carnotite': ['carnotite', 'cortinate'], 'carnous': ['carnous', 'nacrous', 'narcous'], 'caro': ['acor', 'caro', 'cora', 'orca'], 'caroa': ['acroa', 'caroa'], 'carob': ['carbo', 'carob', 'coarb', 'cobra'], 'caroche': ['caroche', 'coacher', 'recoach'], 'caroid': ['caroid', 'cordia'], 'carol': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carolan': ['alcoran', 'ancoral', 'carolan'], 'carole': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'carolean': ['carolean', 'lecanora'], 'caroler': ['caroler', 'correal'], 'caroli': ['caroli', 'corial', 'lorica'], 'carolin': ['carolin', 'clarion', 'colarin', 'locrian'], 'carolina': ['carolina', 'conarial'], 'caroline': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'carolingian': ['carolingian', 'inorganical'], 'carolus': ['carolus', 'oscular'], 'carom': ['carom', 'coram', 'macro', 'marco'], 'carone': ['carone', 'cornea'], 'caroon': ['caroon', 'corona', 'racoon'], 'carotenoid': ['carotenoid', 'coronadite', 'decoration'], 'carotic': ['acrotic', 'carotic'], 'carotid': ['arctoid', 'carotid', 'dartoic'], 'carotidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'carotin': ['anticor', 'carotin', 'cortina', 'ontaric'], 'carouse': ['acerous', 'carouse', 'euscaro'], 'carp': ['carp', 'crap'], 'carpaine': ['carapine', 'carpaine'], 'carpel': ['carpel', 'parcel', 'placer'], 'carpellary': ['carpellary', 'parcellary'], 'carpellate': ['carpellate', 'parcellate', 'prelacteal'], 'carpent': ['carpent', 'precant'], 'carpet': ['carpet', 'peract', 'preact'], 'carpholite': ['carpholite', 'proethical'], 'carpid': ['caprid', 'carpid', 'picard'], 'carpiodes': ['carpiodes', 'scorpidae'], 'carpocerite': ['carpocerite', 'reciprocate'], 'carpogonial': ['carpogonial', 'coprolagnia'], 'carpolite': ['carpolite', 'petricola'], 'carpolith': ['carpolith', 'politarch', 'trophical'], 'carposperm': ['carposperm', 'spermocarp'], 'carrot': ['carrot', 'trocar'], 'carroter': ['arrector', 'carroter'], 'carse': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'carsmith': ['carsmith', 'chartism'], 'cartable': ['bracteal', 'cartable'], 'carte': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cartel': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'cartelize': ['cartelize', 'zelatrice'], 'carter': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'cartesian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartesianism': ['cartesianism', 'sectarianism'], 'cartier': ['cartier', 'cirrate', 'erratic'], 'cartilage': ['cartilage', 'rectalgia'], 'cartisane': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartist': ['astrict', 'cartist', 'stratic'], 'carton': ['cantor', 'carton', 'contra'], 'cartoon': ['cartoon', 'coranto'], 'cartoonist': ['cartoonist', 'scortation'], 'carty': ['carty', 'tracy'], 'carua': ['aruac', 'carua'], 'carucal': ['accrual', 'carucal'], 'carucate': ['accurate', 'carucate'], 'carum': ['carum', 'cumar'], 'carve': ['carve', 'crave', 'varec'], 'carvel': ['calver', 'carvel', 'claver'], 'carven': ['carven', 'cavern', 'craven'], 'carver': ['carver', 'craver'], 'carving': ['carving', 'craving'], 'cary': ['cary', 'racy'], 'caryl': ['acryl', 'caryl', 'clary'], 'casabe': ['casabe', 'sabeca'], 'casal': ['calas', 'casal', 'scala'], 'cascade': ['cascade', 'saccade'], 'case': ['case', 'esca'], 'casebook': ['bookcase', 'casebook'], 'caseful': ['caseful', 'fucales'], 'casein': ['casein', 'incase'], 'casel': ['alces', 'casel', 'scale'], 'caser': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'casern': ['casern', 'rescan'], 'cashable': ['cashable', 'chasable'], 'cashel': ['cashel', 'laches', 'sealch'], 'cask': ['cask', 'sack'], 'casket': ['casket', 'tesack'], 'casking': ['casking', 'sacking'], 'casklike': ['casklike', 'sacklike'], 'casper': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'caspian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'casque': ['casque', 'sacque'], 'casquet': ['acquest', 'casquet'], 'casse': ['casse', 'scase'], 'cassian': ['cassian', 'cassina'], 'cassina': ['cassian', 'cassina'], 'cassino': ['caisson', 'cassino'], 'cassock': ['cassock', 'cossack'], 'cast': ['acts', 'cast', 'scat'], 'castalia': ['castalia', 'sacalait'], 'castalian': ['castalian', 'satanical'], 'caste': ['caste', 'sceat'], 'castelet': ['castelet', 'telecast'], 'caster': ['carest', 'caster', 'recast'], 'castice': ['ascetic', 'castice', 'siccate'], 'castle': ['castle', 'sclate'], 'castoff': ['castoff', 'offcast'], 'castor': ['arctos', 'castor', 'costar', 'scrota'], 'castores': ['castores', 'coassert'], 'castoreum': ['castoreum', 'outscream'], 'castoridae': ['castoridae', 'cestodaria'], 'castorin': ['cantoris', 'castorin', 'corsaint'], 'castra': ['castra', 'tarasc'], 'casual': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'casuality': ['casuality', 'causality'], 'casually': ['casually', 'causally'], 'casula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'cat': ['act', 'cat'], 'catabolin': ['botanical', 'catabolin'], 'catalan': ['cantala', 'catalan', 'lantaca'], 'catalanist': ['anastaltic', 'catalanist'], 'catalase': ['catalase', 'salaceta'], 'catalinite': ['analcitite', 'catalinite'], 'catalogue': ['catalogue', 'coagulate'], 'catalyte': ['catalyte', 'cattleya'], 'catamenial': ['calamitean', 'catamenial'], 'catapultier': ['catapultier', 'particulate'], 'cataria': ['acratia', 'cataria'], 'catcher': ['catcher', 'recatch'], 'catchup': ['catchup', 'upcatch'], 'cate': ['cate', 'teca'], 'catechin': ['atechnic', 'catechin', 'technica'], 'catechism': ['catechism', 'schematic'], 'catechol': ['catechol', 'coachlet'], 'categoric': ['categoric', 'geocratic'], 'catella': ['catella', 'lacteal'], 'catenated': ['catenated', 'decantate'], 'cater': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cateran': ['carnate', 'cateran'], 'caterer': ['caterer', 'recrate', 'retrace', 'terrace'], 'cateress': ['cateress', 'cerastes'], 'catfish': ['catfish', 'factish'], 'cathari': ['cathari', 'chirata', 'cithara'], 'catharina': ['anthracia', 'antiarcha', 'catharina'], 'cathartae': ['cathartae', 'tracheata'], 'cathepsin': ['cathepsin', 'stephanic'], 'catherine': ['catherine', 'heritance'], 'catheter': ['catheter', 'charette'], 'cathine': ['cahnite', 'cathine'], 'cathinine': ['anchietin', 'cathinine'], 'cathion': ['cathion', 'chatino'], 'cathograph': ['cathograph', 'tachograph'], 'cathole': ['cathole', 'cholate'], 'cathro': ['cathro', 'orchat'], 'cathryn': ['cathryn', 'chantry'], 'cathy': ['cathy', 'cyath', 'yacht'], 'cation': ['action', 'atonic', 'cation'], 'cationic': ['aconitic', 'cationic', 'itaconic'], 'catkin': ['catkin', 'natick'], 'catlin': ['catlin', 'tincal'], 'catlinite': ['catlinite', 'intactile'], 'catmalison': ['catmalison', 'monastical'], 'catoism': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'catonian': ['catonian', 'taconian'], 'catonic': ['cantico', 'catonic', 'taconic'], 'catonism': ['catonism', 'monastic'], 'catoptric': ['catoptric', 'protactic'], 'catpipe': ['apeptic', 'catpipe'], 'catstone': ['catstone', 'constate'], 'catsup': ['catsup', 'upcast'], 'cattail': ['attical', 'cattail'], 'catti': ['attic', 'catti', 'tacit'], 'cattily': ['cattily', 'tacitly'], 'cattiness': ['cattiness', 'tacitness'], 'cattle': ['cattle', 'tectal'], 'cattleya': ['catalyte', 'cattleya'], 'catvine': ['catvine', 'venatic'], 'caucho': ['cachou', 'caucho'], 'cauda': ['cadua', 'cauda'], 'caudle': ['caudle', 'cedula', 'claude'], 'caudodorsal': ['caudodorsal', 'dorsocaudal'], 'caudofemoral': ['caudofemoral', 'femorocaudal'], 'caudolateral': ['caudolateral', 'laterocaudal'], 'caul': ['caul', 'ucal'], 'cauld': ['cauld', 'ducal'], 'caules': ['caelus', 'caules', 'clause'], 'cauliform': ['cauliform', 'formulaic', 'fumarolic'], 'caulinar': ['anicular', 'caulinar'], 'caulis': ['caulis', 'clusia', 'sicula'], 'caulite': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'caulome': ['caulome', 'leucoma'], 'caulomic': ['caulomic', 'coumalic'], 'caulote': ['caulote', 'colutea', 'oculate'], 'caunch': ['caunch', 'cuchan'], 'caurale': ['arcuale', 'caurale'], 'causal': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'causality': ['casuality', 'causality'], 'causally': ['casually', 'causally'], 'cause': ['cause', 'sauce'], 'causeless': ['causeless', 'sauceless'], 'causer': ['causer', 'saucer'], 'causey': ['causey', 'cayuse'], 'cautelous': ['cautelous', 'lutaceous'], 'cauter': ['acture', 'cauter', 'curate'], 'caution': ['auction', 'caution'], 'cautionary': ['auctionary', 'cautionary'], 'cautioner': ['cautioner', 'cointreau'], 'caval': ['caval', 'clava'], 'cavalry': ['calvary', 'cavalry'], 'cavate': ['cavate', 'caveat', 'vacate'], 'caveat': ['cavate', 'caveat', 'vacate'], 'cavel': ['calve', 'cavel', 'clave'], 'cavern': ['carven', 'cavern', 'craven'], 'cavil': ['cavil', 'lavic'], 'caviler': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'cavillation': ['cavillation', 'vacillation'], 'cavitate': ['activate', 'cavitate'], 'cavitation': ['activation', 'cavitation'], 'cavitied': ['cavitied', 'vaticide'], 'caw': ['caw', 'wac'], 'cawk': ['cawk', 'wack'], 'cawky': ['cawky', 'wacky'], 'cayapa': ['cayapa', 'pacaya'], 'cayuse': ['causey', 'cayuse'], 'ccoya': ['accoy', 'ccoya'], 'ceanothus': ['ceanothus', 'oecanthus'], 'cearin': ['acerin', 'cearin'], 'cebalrai': ['balearic', 'cebalrai'], 'ceboid': ['bodice', 'ceboid'], 'cebur': ['bruce', 'cebur', 'cuber'], 'cecily': ['cecily', 'cicely'], 'cedar': ['acred', 'cader', 'cadre', 'cedar'], 'cedarn': ['cedarn', 'dancer', 'nacred'], 'cedent': ['cedent', 'decent'], 'ceder': ['ceder', 'cedre', 'cered', 'creed'], 'cedrat': ['cedrat', 'decart', 'redact'], 'cedrate': ['cedrate', 'cerated'], 'cedre': ['ceder', 'cedre', 'cered', 'creed'], 'cedrela': ['cedrela', 'creedal', 'declare'], 'cedrin': ['cedrin', 'cinder', 'crined'], 'cedriret': ['cedriret', 'directer', 'recredit', 'redirect'], 'cedrol': ['cedrol', 'colder', 'cordel'], 'cedron': ['cedron', 'conred'], 'cedrus': ['cedrus', 'cursed'], 'cedry': ['cedry', 'decry'], 'cedula': ['caudle', 'cedula', 'claude'], 'ceilinged': ['ceilinged', 'diligence'], 'celadonite': ['caledonite', 'celadonite'], 'celandine': ['celandine', 'decennial'], 'celarent': ['celarent', 'centrale', 'enclaret'], 'celature': ['celature', 'ulcerate'], 'celebrate': ['celebrate', 'erectable'], 'celebrated': ['braceleted', 'celebrated'], 'celemin': ['celemin', 'melenic'], 'celia': ['alice', 'celia', 'ileac'], 'cellar': ['caller', 'cellar', 'recall'], 'cellaret': ['allecret', 'cellaret'], 'celloid': ['celloid', 'codille', 'collide', 'collied'], 'celloidin': ['celloidin', 'collidine', 'decillion'], 'celsian': ['celsian', 'escalin', 'sanicle', 'secalin'], 'celtiberi': ['celtiberi', 'terebilic'], 'celtis': ['celtis', 'clites'], 'cembalist': ['blastemic', 'cembalist'], 'cementer': ['cementer', 'cerement', 'recement'], 'cendre': ['cendre', 'decern'], 'cenosity': ['cenosity', 'cytosine'], 'cense': ['cense', 'scene', 'sence'], 'censer': ['censer', 'scerne', 'screen', 'secern'], 'censerless': ['censerless', 'screenless'], 'censorial': ['censorial', 'sarcoline'], 'censual': ['censual', 'unscale'], 'censureless': ['censureless', 'recluseness'], 'cental': ['cantle', 'cental', 'lancet', 'tancel'], 'centare': ['centare', 'crenate'], 'centaur': ['centaur', 'untrace'], 'centauri': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centaury': ['centaury', 'cyanuret'], 'centena': ['canteen', 'centena'], 'centenar': ['centenar', 'entrance'], 'centenier': ['centenier', 'renitence'], 'center': ['center', 'recent', 'tenrec'], 'centered': ['centered', 'decenter', 'decentre', 'recedent'], 'centerer': ['centerer', 'recenter', 'recentre', 'terrence'], 'centermost': ['centermost', 'escortment'], 'centesimal': ['centesimal', 'lemniscate'], 'centiar': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'centiare': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'centibar': ['bacterin', 'centibar'], 'centimeter': ['centimeter', 'recitement', 'remittence'], 'centimo': ['centimo', 'entomic', 'tecomin'], 'centimolar': ['centimolar', 'melicraton'], 'centinormal': ['centinormal', 'conterminal', 'nonmetrical'], 'cento': ['cento', 'conte', 'tecon'], 'centrad': ['cantred', 'centrad', 'tranced'], 'centrale': ['celarent', 'centrale', 'enclaret'], 'centranth': ['centranth', 'trenchant'], 'centraxonia': ['centraxonia', 'excarnation'], 'centriole': ['centriole', 'electrion', 'relection'], 'centrodorsal': ['centrodorsal', 'dorsocentral'], 'centroid': ['centroid', 'doctrine'], 'centrolineal': ['centrolineal', 'crenellation'], 'centunculus': ['centunculus', 'unsucculent'], 'centuria': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centurial': ['centurial', 'lucretian', 'ultranice'], 'centuried': ['centuried', 'unrecited'], 'centurion': ['centurion', 'continuer', 'cornutine'], 'cepa': ['cape', 'cepa', 'pace'], 'cephalin': ['alphenic', 'cephalin'], 'cephalina': ['cephalina', 'epilachna'], 'cephaloid': ['cephaloid', 'pholcidae'], 'cephalomeningitis': ['cephalomeningitis', 'meningocephalitis'], 'cephalometric': ['cephalometric', 'petrochemical'], 'cephalopodous': ['cephalopodous', 'podocephalous'], 'cephas': ['cephas', 'pesach'], 'cepolidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ceps': ['ceps', 'spec'], 'ceptor': ['ceptor', 'copter'], 'ceral': ['ceral', 'clare', 'clear', 'lacer'], 'ceramal': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'ceramic': ['ceramic', 'racemic'], 'ceramist': ['camerist', 'ceramist', 'matrices'], 'ceras': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'cerasein': ['cerasein', 'increase'], 'cerasin': ['arsenic', 'cerasin', 'sarcine'], 'cerastes': ['cateress', 'cerastes'], 'cerata': ['arcate', 'cerata'], 'cerate': ['cerate', 'create', 'ecarte'], 'cerated': ['cedrate', 'cerated'], 'ceratiid': ['ceratiid', 'raticide'], 'ceration': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'ceratium': ['ceratium', 'muricate'], 'ceratonia': ['canariote', 'ceratonia'], 'ceratosa': ['ceratosa', 'ostracea'], 'ceratothecal': ['ceratothecal', 'chloracetate'], 'cerberic': ['cerberic', 'cerebric'], 'cercal': ['carcel', 'cercal'], 'cerci': ['cerci', 'ceric', 'cicer', 'circe'], 'cercus': ['cercus', 'cruces'], 'cerdonian': ['cerdonian', 'ordinance'], 'cere': ['cere', 'cree'], 'cereal': ['alerce', 'cereal', 'relace'], 'cerealin': ['cerealin', 'cinereal', 'reliance'], 'cerebra': ['cerebra', 'rebrace'], 'cerebric': ['cerberic', 'cerebric'], 'cerebroma': ['cerebroma', 'embraceor'], 'cerebromeningitis': ['cerebromeningitis', 'meningocerebritis'], 'cerebrum': ['cerebrum', 'cumberer'], 'cered': ['ceder', 'cedre', 'cered', 'creed'], 'cerement': ['cementer', 'cerement', 'recement'], 'ceremonial': ['ceremonial', 'neomiracle'], 'ceresin': ['ceresin', 'sincere'], 'cereus': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cerevis': ['cerevis', 'scrieve', 'service'], 'ceria': ['acier', 'aeric', 'ceria', 'erica'], 'ceric': ['cerci', 'ceric', 'cicer', 'circe'], 'ceride': ['ceride', 'deicer'], 'cerillo': ['cerillo', 'colleri', 'collier'], 'ceriman': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'cerin': ['cerin', 'crine'], 'cerion': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'ceriops': ['ceriops', 'persico'], 'cerite': ['cerite', 'certie', 'recite', 'tierce'], 'cerium': ['cerium', 'uremic'], 'cernuous': ['cernuous', 'coenurus'], 'cero': ['cero', 'core'], 'ceroma': ['ceroma', 'corema'], 'ceroplast': ['ceroplast', 'precostal'], 'ceroplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'ceroplasty': ['ceroplasty', 'coreplasty'], 'cerotic': ['cerotic', 'orectic'], 'cerotin': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cerous': ['cerous', 'course', 'crouse', 'source'], 'certain': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'certhia': ['certhia', 'rhaetic', 'theriac'], 'certie': ['cerite', 'certie', 'recite', 'tierce'], 'certifiable': ['certifiable', 'rectifiable'], 'certification': ['certification', 'cretification', 'rectification'], 'certificative': ['certificative', 'rectificative'], 'certificator': ['certificator', 'rectificator'], 'certificatory': ['certificatory', 'rectificatory'], 'certified': ['certified', 'rectified'], 'certifier': ['certifier', 'rectifier'], 'certify': ['certify', 'cretify', 'rectify'], 'certis': ['certis', 'steric'], 'certitude': ['certitude', 'rectitude'], 'certosina': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'certosino': ['certosino', 'cortisone', 'socotrine'], 'cerulean': ['cerulean', 'laurence'], 'ceruminal': ['ceruminal', 'melanuric', 'numerical'], 'ceruse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cervicobuccal': ['buccocervical', 'cervicobuccal'], 'cervicodorsal': ['cervicodorsal', 'dorsocervical'], 'cervicodynia': ['cervicodynia', 'corycavidine'], 'cervicofacial': ['cervicofacial', 'faciocervical'], 'cervicolabial': ['cervicolabial', 'labiocervical'], 'cervicovesical': ['cervicovesical', 'vesicocervical'], 'cervoid': ['cervoid', 'divorce'], 'cervuline': ['cervuline', 'virulence'], 'ceryl': ['ceryl', 'clyer'], 'cerynean': ['ancyrene', 'cerynean'], 'cesare': ['cesare', 'crease', 'recase', 'searce'], 'cesarolite': ['cesarolite', 'esoterical'], 'cesium': ['cesium', 'miscue'], 'cesser': ['cesser', 'recess'], 'cession': ['cession', 'oscines'], 'cessor': ['cessor', 'crosse', 'scorse'], 'cest': ['cest', 'sect'], 'cestodaria': ['castoridae', 'cestodaria'], 'cestrian': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cetane': ['cetane', 'tenace'], 'cetene': ['cetene', 'ectene'], 'ceti': ['ceti', 'cite', 'tice'], 'cetid': ['cetid', 'edict'], 'cetomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'cetonia': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'cetonian': ['cetonian', 'enaction'], 'cetorhinus': ['cetorhinus', 'urosthenic'], 'cetus': ['cetus', 'scute'], 'cevenol': ['cevenol', 'clovene'], 'cevine': ['cevine', 'evince', 'venice'], 'cha': ['ach', 'cha'], 'chab': ['bach', 'chab'], 'chabouk': ['chabouk', 'chakobu'], 'chaco': ['chaco', 'choca', 'coach'], 'chacte': ['cachet', 'chacte'], 'chaenolobus': ['chaenolobus', 'unchoosable'], 'chaeta': ['achate', 'chaeta'], 'chaetites': ['aesthetic', 'chaetites'], 'chaetognath': ['chaetognath', 'gnathotheca'], 'chaetopod': ['chaetopod', 'podotheca'], 'chafer': ['chafer', 'frache'], 'chagan': ['chagan', 'changa'], 'chagrin': ['arching', 'chagrin'], 'chai': ['chai', 'chia'], 'chain': ['chain', 'chian', 'china'], 'chained': ['chained', 'echidna'], 'chainer': ['chainer', 'enchair', 'rechain'], 'chainlet': ['chainlet', 'ethnical'], 'chainman': ['chainman', 'chinaman'], 'chair': ['chair', 'chria'], 'chairer': ['chairer', 'charier'], 'chait': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chakar': ['chakar', 'chakra', 'charka'], 'chakari': ['chakari', 'chikara', 'kachari'], 'chakobu': ['chabouk', 'chakobu'], 'chakra': ['chakar', 'chakra', 'charka'], 'chalcon': ['chalcon', 'clochan', 'conchal'], 'chalcosine': ['ascolichen', 'chalcosine'], 'chaldron': ['chaldron', 'chlordan', 'chondral'], 'chalet': ['achtel', 'chalet', 'thecal', 'thecla'], 'chalker': ['chalker', 'hackler'], 'chalky': ['chalky', 'hackly'], 'challie': ['alichel', 'challie', 'helical'], 'chalmer': ['chalmer', 'charmel'], 'chalon': ['chalon', 'lochan'], 'chalone': ['chalone', 'cholane'], 'chalta': ['caltha', 'chalta'], 'chamal': ['almach', 'chamal'], 'chamar': ['chamar', 'machar'], 'chamber': ['becharm', 'brecham', 'chamber'], 'chamberer': ['chamberer', 'rechamber'], 'chamian': ['chamian', 'mahican'], 'chamisal': ['chamisal', 'chiasmal'], 'chamiso': ['chamiso', 'chamois'], 'chamite': ['chamite', 'hematic'], 'chamois': ['chamiso', 'chamois'], 'champa': ['champa', 'mapach'], 'champain': ['champain', 'chinampa'], 'chancer': ['chancer', 'chancre'], 'chanchito': ['chanchito', 'nachitoch'], 'chanco': ['chanco', 'concha'], 'chancre': ['chancer', 'chancre'], 'chandu': ['chandu', 'daunch'], 'chane': ['achen', 'chane', 'chena', 'hance'], 'chang': ['chang', 'ganch'], 'changa': ['chagan', 'changa'], 'changer': ['changer', 'genarch'], 'chanidae': ['chanidae', 'hacienda'], 'channeler': ['channeler', 'encharnel'], 'chanst': ['chanst', 'snatch', 'stanch'], 'chant': ['chant', 'natch'], 'chanter': ['chanter', 'rechant'], 'chantey': ['atechny', 'chantey'], 'chantry': ['cathryn', 'chantry'], 'chaos': ['chaos', 'oshac'], 'chaotical': ['acatholic', 'chaotical'], 'chap': ['caph', 'chap'], 'chaparro': ['chaparro', 'parachor'], 'chape': ['chape', 'cheap', 'peach'], 'chaped': ['chaped', 'phecda'], 'chapel': ['chapel', 'lepcha', 'pleach'], 'chapelet': ['chapelet', 'peachlet'], 'chapelmaster': ['chapelmaster', 'spermathecal'], 'chaperno': ['canephor', 'chaperno', 'chaperon'], 'chaperon': ['canephor', 'chaperno', 'chaperon'], 'chaperone': ['canephore', 'chaperone'], 'chaperonless': ['chaperonless', 'proseneschal'], 'chapin': ['apinch', 'chapin', 'phanic'], 'chapiter': ['chapiter', 'phreatic'], 'chaps': ['chaps', 'pasch'], 'chapt': ['chapt', 'pacht', 'patch'], 'chapter': ['chapter', 'patcher', 'repatch'], 'char': ['arch', 'char', 'rach'], 'chara': ['achar', 'chara'], 'charac': ['charac', 'charca'], 'characin': ['anarchic', 'characin'], 'characinoid': ['arachidonic', 'characinoid'], 'charadrii': ['charadrii', 'richardia'], 'charas': ['achras', 'charas'], 'charbon': ['brochan', 'charbon'], 'charca': ['charac', 'charca'], 'chare': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'charer': ['archer', 'charer', 'rechar'], 'charette': ['catheter', 'charette'], 'charge': ['charge', 'creagh'], 'charier': ['chairer', 'charier'], 'chariot': ['chariot', 'haricot'], 'charioted': ['charioted', 'trochidae'], 'chariotman': ['achromatin', 'chariotman', 'machinator'], 'charism': ['charism', 'chrisma'], 'charisma': ['archaism', 'charisma'], 'chark': ['chark', 'karch'], 'charka': ['chakar', 'chakra', 'charka'], 'charlatanistic': ['antarchistical', 'charlatanistic'], 'charleen': ['charleen', 'charlene'], 'charlene': ['charleen', 'charlene'], 'charles': ['charles', 'clasher'], 'charm': ['charm', 'march'], 'charmel': ['chalmer', 'charmel'], 'charmer': ['charmer', 'marcher', 'remarch'], 'charnel': ['charnel', 'larchen'], 'charon': ['anchor', 'archon', 'charon', 'rancho'], 'charpoy': ['charpoy', 'corypha'], 'chart': ['chart', 'ratch'], 'charter': ['charter', 'ratcher'], 'charterer': ['charterer', 'recharter'], 'charting': ['charting', 'ratching'], 'chartism': ['carsmith', 'chartism'], 'charuk': ['charuk', 'chukar'], 'chary': ['archy', 'chary'], 'chasable': ['cashable', 'chasable'], 'chaser': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'chasma': ['ascham', 'chasma'], 'chaste': ['chaste', 'sachet', 'scathe', 'scheat'], 'chasten': ['chasten', 'sanetch'], 'chastener': ['chastener', 'rechasten'], 'chastity': ['chastity', 'yachtist'], 'chasuble': ['chasuble', 'subchela'], 'chat': ['chat', 'tach'], 'chatelainry': ['chatelainry', 'trachylinae'], 'chati': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chatino': ['cathion', 'chatino'], 'chatsome': ['chatsome', 'moschate'], 'chatta': ['attach', 'chatta'], 'chattation': ['chattation', 'thanatotic'], 'chattel': ['chattel', 'latchet'], 'chatter': ['chatter', 'ratchet'], 'chattery': ['chattery', 'ratchety', 'trachyte'], 'chatti': ['chatti', 'hattic'], 'chatty': ['chatty', 'tatchy'], 'chatwood': ['chatwood', 'woodchat'], 'chaute': ['chaute', 'chueta'], 'chawan': ['chawan', 'chwana', 'wachna'], 'chawer': ['chawer', 'rechaw'], 'chawk': ['chawk', 'whack'], 'chay': ['achy', 'chay'], 'cheap': ['chape', 'cheap', 'peach'], 'cheapen': ['cheapen', 'peachen'], 'cheapery': ['cheapery', 'peachery'], 'cheapside': ['cheapside', 'sphecidae'], 'cheat': ['cheat', 'tache', 'teach', 'theca'], 'cheatable': ['cheatable', 'teachable'], 'cheatableness': ['cheatableness', 'teachableness'], 'cheater': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'cheatery': ['cheatery', 'cytherea', 'teachery'], 'cheating': ['cheating', 'teaching'], 'cheatingly': ['cheatingly', 'teachingly'], 'cheatrie': ['cheatrie', 'hetaeric'], 'checker': ['checker', 'recheck'], 'chee': ['chee', 'eche'], 'cheek': ['cheek', 'cheke', 'keech'], 'cheerer': ['cheerer', 'recheer'], 'cheerly': ['cheerly', 'lechery'], 'cheery': ['cheery', 'reechy'], 'cheet': ['cheet', 'hecte'], 'cheir': ['cheir', 'rheic'], 'cheiropodist': ['cheiropodist', 'coeditorship'], 'cheka': ['cheka', 'keach'], 'cheke': ['cheek', 'cheke', 'keech'], 'chela': ['chela', 'lache', 'leach'], 'chelide': ['chelide', 'heliced'], 'chelidon': ['chelidon', 'chelonid', 'delichon'], 'chelidonate': ['chelidonate', 'endothecial'], 'chelodina': ['chelodina', 'hedonical'], 'chelone': ['chelone', 'echelon'], 'chelonid': ['chelidon', 'chelonid', 'delichon'], 'cheloniid': ['cheloniid', 'lichenoid'], 'chemiatrist': ['chemiatrist', 'chrismatite', 'theatricism'], 'chemical': ['alchemic', 'chemical'], 'chemicomechanical': ['chemicomechanical', 'mechanicochemical'], 'chemicophysical': ['chemicophysical', 'physicochemical'], 'chemicovital': ['chemicovital', 'vitochemical'], 'chemiloon': ['chemiloon', 'homocline'], 'chemotaxy': ['chemotaxy', 'myxotheca'], 'chemotropic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'chena': ['achen', 'chane', 'chena', 'hance'], 'chenica': ['chenica', 'chicane'], 'chenille': ['chenille', 'hellenic'], 'chenopod': ['chenopod', 'ponchoed'], 'chera': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'chermes': ['chermes', 'schemer'], 'chert': ['chert', 'retch'], 'cherte': ['cherte', 'etcher'], 'chervil': ['chervil', 'chilver'], 'cheson': ['cheson', 'chosen', 'schone'], 'chest': ['chest', 'stech'], 'chestily': ['chestily', 'lecythis'], 'chesty': ['chesty', 'scythe'], 'chet': ['chet', 'etch', 'tche', 'tech'], 'chettik': ['chettik', 'thicket'], 'chetty': ['chetty', 'tetchy'], 'chewer': ['chewer', 'rechew'], 'chewink': ['chewink', 'whicken'], 'chi': ['chi', 'hic', 'ich'], 'chia': ['chai', 'chia'], 'chiam': ['chiam', 'machi', 'micah'], 'chian': ['chain', 'chian', 'china'], 'chiasmal': ['chamisal', 'chiasmal'], 'chiastolite': ['chiastolite', 'heliostatic'], 'chicane': ['chenica', 'chicane'], 'chicle': ['chicle', 'cliche'], 'chid': ['chid', 'dich'], 'chider': ['chider', 'herdic'], 'chidra': ['chidra', 'diarch'], 'chief': ['chief', 'fiche'], 'chield': ['chield', 'childe'], 'chien': ['chien', 'chine', 'niche'], 'chikara': ['chakari', 'chikara', 'kachari'], 'chil': ['chil', 'lich'], 'childe': ['chield', 'childe'], 'chilean': ['chilean', 'echinal', 'nichael'], 'chili': ['chili', 'lichi'], 'chiliasm': ['chiliasm', 'hilasmic', 'machilis'], 'chilla': ['achill', 'cahill', 'chilla'], 'chiloma': ['chiloma', 'malicho'], 'chilopod': ['chilopod', 'pholcoid'], 'chilopoda': ['chilopoda', 'haplodoci'], 'chilostome': ['chilostome', 'schooltime'], 'chilver': ['chervil', 'chilver'], 'chimane': ['chimane', 'machine'], 'chime': ['chime', 'hemic', 'miche'], 'chimer': ['chimer', 'mechir', 'micher'], 'chimera': ['chimera', 'hermaic'], 'chimney': ['chimney', 'hymenic'], 'chimu': ['chimu', 'humic'], 'chin': ['chin', 'inch'], 'china': ['chain', 'chian', 'china'], 'chinaman': ['chainman', 'chinaman'], 'chinampa': ['champain', 'chinampa'], 'chinanta': ['acanthin', 'chinanta'], 'chinar': ['chinar', 'inarch'], 'chine': ['chien', 'chine', 'niche'], 'chined': ['chined', 'inched'], 'chink': ['chink', 'kinch'], 'chinkle': ['chinkle', 'kelchin'], 'chinks': ['chinks', 'skinch'], 'chinoa': ['chinoa', 'noahic'], 'chinotti': ['chinotti', 'tithonic'], 'chint': ['chint', 'nitch'], 'chiolite': ['chiolite', 'eolithic'], 'chionididae': ['chionididae', 'onchidiidae'], 'chiral': ['archil', 'chiral'], 'chirapsia': ['chirapsia', 'pharisaic'], 'chirata': ['cathari', 'chirata', 'cithara'], 'chiro': ['chiro', 'choir', 'ichor'], 'chiromancist': ['chiromancist', 'monarchistic'], 'chiromant': ['chiromant', 'chromatin'], 'chiromantic': ['chiromantic', 'chromatinic'], 'chiromantis': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chirometer': ['chirometer', 'rheometric'], 'chiroplasty': ['chiroplasty', 'polyarchist'], 'chiropter': ['chiropter', 'peritroch'], 'chirosophist': ['chirosophist', 'opisthorchis'], 'chirotes': ['chirotes', 'theorics'], 'chirotype': ['chirotype', 'hypocrite'], 'chirp': ['chirp', 'prich'], 'chirper': ['chirper', 'prerich'], 'chiseler': ['chiseler', 'rechisel'], 'chit': ['chit', 'itch', 'tchi'], 'chita': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chital': ['chital', 'claith'], 'chitinoid': ['chitinoid', 'dithionic'], 'chitosan': ['atchison', 'chitosan'], 'chitose': ['chitose', 'echoist'], 'chloe': ['chloe', 'choel'], 'chloracetate': ['ceratothecal', 'chloracetate'], 'chloranthy': ['chloranthy', 'rhynchotal'], 'chlorate': ['chlorate', 'trochlea'], 'chlordan': ['chaldron', 'chlordan', 'chondral'], 'chlore': ['chlore', 'choler', 'orchel'], 'chloremia': ['chloremia', 'homerical'], 'chlorinate': ['chlorinate', 'ectorhinal', 'tornachile'], 'chlorite': ['chlorite', 'clothier'], 'chloritic': ['chloritic', 'trochilic'], 'chloroamine': ['chloroamine', 'melanochroi'], 'chloroanaemia': ['aeolharmonica', 'chloroanaemia'], 'chloroanemia': ['chloroanemia', 'choleromania'], 'chloroiodide': ['chloroiodide', 'iodochloride'], 'chloroplatinic': ['chloroplatinic', 'platinochloric'], 'cho': ['cho', 'och'], 'choana': ['aonach', 'choana'], 'choca': ['chaco', 'choca', 'coach'], 'choco': ['choco', 'hocco'], 'choel': ['chloe', 'choel'], 'choenix': ['choenix', 'hexonic'], 'choes': ['choes', 'chose'], 'choiak': ['choiak', 'kochia'], 'choice': ['choice', 'echoic'], 'choil': ['choil', 'choli', 'olchi'], 'choir': ['chiro', 'choir', 'ichor'], 'choirman': ['choirman', 'harmonic', 'omniarch'], 'choker': ['choker', 'hocker'], 'choky': ['choky', 'hocky'], 'chol': ['chol', 'loch'], 'chola': ['chola', 'loach', 'olcha'], 'cholane': ['chalone', 'cholane'], 'cholangioitis': ['angiocholitis', 'cholangioitis'], 'cholanic': ['cholanic', 'colchian'], 'cholate': ['cathole', 'cholate'], 'cholecystoduodenostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'choler': ['chlore', 'choler', 'orchel'], 'cholera': ['cholera', 'choreal'], 'cholerine': ['cholerine', 'rhinocele'], 'choleromania': ['chloroanemia', 'choleromania'], 'cholesteremia': ['cholesteremia', 'heteroecismal'], 'choli': ['choil', 'choli', 'olchi'], 'choline': ['choline', 'helicon'], 'cholo': ['cholo', 'cohol'], 'chondral': ['chaldron', 'chlordan', 'chondral'], 'chondrite': ['chondrite', 'threnodic'], 'chondroadenoma': ['adenochondroma', 'chondroadenoma'], 'chondroangioma': ['angiochondroma', 'chondroangioma'], 'chondroarthritis': ['arthrochondritis', 'chondroarthritis'], 'chondrocostal': ['chondrocostal', 'costochondral'], 'chondrofibroma': ['chondrofibroma', 'fibrochondroma'], 'chondrolipoma': ['chondrolipoma', 'lipochondroma'], 'chondromyxoma': ['chondromyxoma', 'myxochondroma'], 'chondromyxosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'choop': ['choop', 'pooch'], 'chopa': ['chopa', 'phoca', 'poach'], 'chopin': ['chopin', 'phonic'], 'chopine': ['chopine', 'phocine'], 'chora': ['achor', 'chora', 'corah', 'orach', 'roach'], 'choral': ['choral', 'lorcha'], 'chorasmian': ['anachorism', 'chorasmian', 'maraschino'], 'chordal': ['chordal', 'dorlach'], 'chorditis': ['chorditis', 'orchidist'], 'chordotonal': ['chordotonal', 'notochordal'], 'chore': ['chore', 'ocher'], 'chorea': ['chorea', 'ochrea', 'rochea'], 'choreal': ['cholera', 'choreal'], 'choree': ['choree', 'cohere', 'echoer'], 'choreoid': ['choreoid', 'ochidore'], 'choreus': ['choreus', 'chouser', 'rhoecus'], 'choric': ['choric', 'orchic'], 'choriocele': ['choriocele', 'orchiocele'], 'chorioidoretinitis': ['chorioidoretinitis', 'retinochorioiditis'], 'chorism': ['chorism', 'chrisom'], 'chorist': ['chorist', 'ostrich'], 'choristate': ['choristate', 'rheostatic'], 'chorization': ['chorization', 'rhizoctonia', 'zonotrichia'], 'choroid': ['choroid', 'ochroid'], 'chort': ['chort', 'rotch', 'torch'], 'chorten': ['chorten', 'notcher'], 'chorti': ['chorti', 'orthic', 'thoric', 'trochi'], 'chose': ['choes', 'chose'], 'chosen': ['cheson', 'chosen', 'schone'], 'chou': ['chou', 'ouch'], 'chough': ['chough', 'hughoc'], 'choup': ['choup', 'pouch'], 'chous': ['chous', 'hocus'], 'chouser': ['choreus', 'chouser', 'rhoecus'], 'chowder': ['chowder', 'cowherd'], 'chria': ['chair', 'chria'], 'chrism': ['chrism', 'smirch'], 'chrisma': ['charism', 'chrisma'], 'chrismation': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chrismatite': ['chemiatrist', 'chrismatite', 'theatricism'], 'chrisom': ['chorism', 'chrisom'], 'christ': ['christ', 'strich'], 'christen': ['christen', 'snitcher'], 'christener': ['christener', 'rechristen'], 'christian': ['christian', 'christina'], 'christiana': ['arachnitis', 'christiana'], 'christina': ['christian', 'christina'], 'christophe': ['christophe', 'hectorship'], 'chromatician': ['achromatinic', 'chromatician'], 'chromatid': ['chromatid', 'dichromat'], 'chromatin': ['chiromant', 'chromatin'], 'chromatinic': ['chiromantic', 'chromatinic'], 'chromatocyte': ['chromatocyte', 'thoracectomy'], 'chromatoid': ['chromatoid', 'tichodroma'], 'chromatone': ['chromatone', 'enomotarch'], 'chromid': ['chromid', 'richdom'], 'chromidae': ['archidome', 'chromidae'], 'chromite': ['chromite', 'trichome'], 'chromocyte': ['chromocyte', 'cytochrome'], 'chromolithography': ['chromolithography', 'lithochromography'], 'chromophotography': ['chromophotography', 'photochromography'], 'chromophotolithograph': ['chromophotolithograph', 'photochromolithograph'], 'chromopsia': ['chromopsia', 'isocamphor'], 'chromotype': ['chromotype', 'cormophyte', 'ectomorphy'], 'chromotypic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'chronophotograph': ['chronophotograph', 'photochronograph'], 'chronophotographic': ['chronophotographic', 'photochronographic'], 'chronophotography': ['chronophotography', 'photochronography'], 'chrysography': ['chrysography', 'psychorrhagy'], 'chrysolite': ['chrysolite', 'chrysotile'], 'chrysopid': ['chrysopid', 'dysphoric'], 'chrysotile': ['chrysolite', 'chrysotile'], 'chucker': ['chucker', 'rechuck'], 'chueta': ['chaute', 'chueta'], 'chukar': ['charuk', 'chukar'], 'chulan': ['chulan', 'launch', 'nuchal'], 'chum': ['chum', 'much'], 'chumpish': ['chumpish', 'chumship'], 'chumship': ['chumpish', 'chumship'], 'chunari': ['chunari', 'unchair'], 'chunnia': ['chunnia', 'unchain'], 'chuprassie': ['chuprassie', 'haruspices'], 'churl': ['churl', 'lurch'], 'churn': ['churn', 'runch'], 'chut': ['chut', 'tchu', 'utch'], 'chwana': ['chawan', 'chwana', 'wachna'], 'chyak': ['chyak', 'hacky'], 'chylous': ['chylous', 'slouchy'], 'cibarial': ['biracial', 'cibarial'], 'cibarian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cibolan': ['cibolan', 'coalbin'], 'cicala': ['alcaic', 'cicala'], 'cicatrize': ['arcticize', 'cicatrize'], 'cicely': ['cecily', 'cicely'], 'cicer': ['cerci', 'ceric', 'cicer', 'circe'], 'cicerone': ['cicerone', 'croceine'], 'cicindela': ['cicindela', 'cinclidae', 'icelandic'], 'ciclatoun': ['ciclatoun', 'noctiluca'], 'ciconian': ['aniconic', 'ciconian'], 'ciconine': ['ciconine', 'conicine'], 'cidaridae': ['acrididae', 'cardiidae', 'cidaridae'], 'cidaris': ['cidaris', 'sciarid'], 'cider': ['cider', 'cried', 'deric', 'dicer'], 'cigala': ['caliga', 'cigala'], 'cigar': ['cigar', 'craig'], 'cilia': ['cilia', 'iliac'], 'ciliation': ['ciliation', 'coinitial'], 'cilice': ['cilice', 'icicle'], 'cimbia': ['cimbia', 'iambic'], 'cimicidae': ['amicicide', 'cimicidae'], 'cinchonine': ['cinchonine', 'conchinine'], 'cinclidae': ['cicindela', 'cinclidae', 'icelandic'], 'cinder': ['cedrin', 'cinder', 'crined'], 'cinderous': ['cinderous', 'decursion'], 'cindie': ['cindie', 'incide'], 'cine': ['cine', 'nice'], 'cinel': ['cinel', 'cline'], 'cinema': ['anemic', 'cinema', 'iceman'], 'cinematographer': ['cinematographer', 'megachiropteran'], 'cinene': ['cinene', 'nicene'], 'cineole': ['cineole', 'coeline'], 'cinerama': ['amacrine', 'american', 'camerina', 'cinerama'], 'cineration': ['cineration', 'inceration'], 'cinerea': ['cairene', 'cinerea'], 'cinereal': ['cerealin', 'cinereal', 'reliance'], 'cingulum': ['cingulum', 'glucinum'], 'cinnamate': ['antanemic', 'cinnamate'], 'cinnamol': ['cinnamol', 'nonclaim'], 'cinnamon': ['cinnamon', 'mannonic'], 'cinnamoned': ['cinnamoned', 'demicannon'], 'cinque': ['cinque', 'quince'], 'cinter': ['cinter', 'cretin', 'crinet'], 'cinura': ['anuric', 'cinura', 'uranic'], 'cion': ['cion', 'coin', 'icon'], 'cipher': ['cipher', 'rechip'], 'cipo': ['cipo', 'pico'], 'circe': ['cerci', 'ceric', 'cicer', 'circe'], 'circle': ['circle', 'cleric'], 'cirrate': ['cartier', 'cirrate', 'erratic'], 'cirrated': ['cirrated', 'craterid'], 'cirrhotic': ['cirrhotic', 'trichroic'], 'cirrose': ['cirrose', 'crosier'], 'cirsectomy': ['cirsectomy', 'citromyces'], 'cirsoid': ['cirsoid', 'soricid'], 'ciruela': ['auricle', 'ciruela'], 'cise': ['cise', 'sice'], 'cisplatine': ['cisplatine', 'plasticine'], 'cispontine': ['cispontine', 'inspection'], 'cissoidal': ['cissoidal', 'dissocial'], 'cistern': ['cistern', 'increst'], 'cisterna': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cisternal': ['cisternal', 'larcenist'], 'cistvaen': ['cistvaen', 'vesicant'], 'cit': ['cit', 'tic'], 'citadel': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'citatory': ['atrocity', 'citatory'], 'cite': ['ceti', 'cite', 'tice'], 'citer': ['citer', 'recti', 'ticer', 'trice'], 'cithara': ['cathari', 'chirata', 'cithara'], 'citharist': ['citharist', 'trachitis'], 'citharoedic': ['citharoedic', 'diachoretic'], 'cither': ['cither', 'thrice'], 'citied': ['citied', 'dietic'], 'citizen': ['citizen', 'zincite'], 'citral': ['citral', 'rictal'], 'citramide': ['citramide', 'diametric', 'matricide'], 'citrange': ['argentic', 'citrange'], 'citrate': ['atretic', 'citrate'], 'citrated': ['citrated', 'tetracid', 'tetradic'], 'citrean': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'citrene': ['citrene', 'enteric', 'enticer', 'tercine'], 'citreous': ['citreous', 'urticose'], 'citric': ['citric', 'critic'], 'citrin': ['citrin', 'nitric'], 'citrination': ['citrination', 'intrication'], 'citrine': ['citrine', 'crinite', 'inciter', 'neritic'], 'citromyces': ['cirsectomy', 'citromyces'], 'citron': ['citron', 'cortin', 'crotin'], 'citronade': ['citronade', 'endaortic', 'redaction'], 'citronella': ['citronella', 'interlocal'], 'citrus': ['citrus', 'curtis', 'rictus', 'rustic'], 'cive': ['cive', 'vice'], 'civet': ['civet', 'evict'], 'civetone': ['civetone', 'evection'], 'civitan': ['activin', 'civitan'], 'cixo': ['cixo', 'coix'], 'clabber': ['cabbler', 'clabber'], 'clacker': ['cackler', 'clacker', 'crackle'], 'cladine': ['cladine', 'decalin', 'iceland'], 'cladonia': ['cladonia', 'condalia', 'diaconal'], 'cladophyll': ['cladophyll', 'phylloclad'], 'claim': ['claim', 'clima', 'malic'], 'claimant': ['calamint', 'claimant'], 'claimer': ['claimer', 'miracle', 'reclaim'], 'clairce': ['clairce', 'clarice'], 'claire': ['carlie', 'claire', 'eclair', 'erical'], 'claith': ['chital', 'claith'], 'claiver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clam': ['calm', 'clam'], 'clamant': ['calmant', 'clamant'], 'clamative': ['calmative', 'clamative'], 'clamatores': ['clamatores', 'scleromata'], 'clamber': ['cambrel', 'clamber', 'cramble'], 'clame': ['camel', 'clame', 'cleam', 'macle'], 'clamer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'clamor': ['clamor', 'colmar'], 'clamorist': ['clamorist', 'crotalism'], 'clangingly': ['clangingly', 'glancingly'], 'clap': ['calp', 'clap'], 'clapper': ['clapper', 'crapple'], 'claquer': ['claquer', 'lacquer'], 'clarain': ['carinal', 'carlina', 'clarain', 'cranial'], 'clare': ['ceral', 'clare', 'clear', 'lacer'], 'clarence': ['canceler', 'clarence', 'recancel'], 'claret': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'claretian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'clarice': ['clairce', 'clarice'], 'clarin': ['carlin', 'clarin', 'crinal'], 'clarinda': ['cardinal', 'clarinda'], 'clarion': ['carolin', 'clarion', 'colarin', 'locrian'], 'clarionet': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'clarist': ['carlist', 'clarist'], 'claro': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'clary': ['acryl', 'caryl', 'clary'], 'clasher': ['charles', 'clasher'], 'clasp': ['clasp', 'scalp'], 'clasper': ['clasper', 'reclasp', 'scalper'], 'clasping': ['clasping', 'scalping'], 'classed': ['classed', 'declass'], 'classer': ['carless', 'classer', 'reclass'], 'classism': ['classism', 'misclass'], 'classwork': ['classwork', 'crosswalk'], 'clat': ['clat', 'talc'], 'clathrina': ['alchitran', 'clathrina'], 'clathrose': ['clathrose', 'searcloth'], 'clatterer': ['clatterer', 'craterlet'], 'claude': ['caudle', 'cedula', 'claude'], 'claudian': ['claudian', 'dulciana'], 'claudicate': ['aciculated', 'claudicate'], 'clause': ['caelus', 'caules', 'clause'], 'claustral': ['claustral', 'lacustral'], 'clava': ['caval', 'clava'], 'clavacin': ['clavacin', 'vaccinal'], 'clavaria': ['calvaria', 'clavaria'], 'clave': ['calve', 'cavel', 'clave'], 'claver': ['calver', 'carvel', 'claver'], 'claviculate': ['calculative', 'claviculate'], 'clavier': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clavis': ['clavis', 'slavic'], 'clay': ['acyl', 'clay', 'lacy'], 'clayer': ['clayer', 'lacery'], 'claytonia': ['acylation', 'claytonia'], 'clead': ['clead', 'decal', 'laced'], 'cleam': ['camel', 'clame', 'cleam', 'macle'], 'cleamer': ['carmele', 'cleamer'], 'clean': ['canel', 'clean', 'lance', 'lenca'], 'cleaner': ['cleaner', 'reclean'], 'cleanly': ['cleanly', 'lancely'], 'cleanout': ['cleanout', 'outlance'], 'cleanse': ['cleanse', 'scalene'], 'cleanup': ['cleanup', 'unplace'], 'clear': ['ceral', 'clare', 'clear', 'lacer'], 'clearable': ['clearable', 'lacerable'], 'clearer': ['clearer', 'reclear'], 'cleat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'clefted': ['clefted', 'deflect'], 'cleistocarp': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'cleistogeny': ['cleistogeny', 'lysogenetic'], 'cleoid': ['cleoid', 'coiled', 'docile'], 'cleopatra': ['acropetal', 'cleopatra'], 'cleric': ['circle', 'cleric'], 'clericature': ['clericature', 'recirculate'], 'clerkess': ['clerkess', 'reckless'], 'clerking': ['clerking', 'reckling'], 'clerus': ['clerus', 'cruels'], 'clethra': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'cleveite': ['cleveite', 'elective'], 'cliche': ['chicle', 'cliche'], 'clicker': ['clicker', 'crickle'], 'clidastes': ['clidastes', 'discastle'], 'clientage': ['clientage', 'genetical'], 'cliented': ['cliented', 'denticle'], 'cliftonia': ['cliftonia', 'fictional'], 'clima': ['claim', 'clima', 'malic'], 'climber': ['climber', 'reclimb'], 'clime': ['clime', 'melic'], 'cline': ['cinel', 'cline'], 'clinger': ['clinger', 'cringle'], 'clinia': ['anilic', 'clinia'], 'clinicopathological': ['clinicopathological', 'pathologicoclinical'], 'clinium': ['clinium', 'ulminic'], 'clinker': ['clinker', 'crinkle'], 'clinoclase': ['clinoclase', 'oscillance'], 'clinoclasite': ['callisection', 'clinoclasite'], 'clinodome': ['clinodome', 'melodicon', 'monocleid'], 'clinology': ['clinology', 'coolingly'], 'clinometer': ['clinometer', 'recoilment'], 'clinospore': ['clinospore', 'necropolis'], 'clio': ['clio', 'coil', 'coli', 'loci'], 'cliona': ['alnico', 'cliona', 'oilcan'], 'clione': ['clione', 'coelin', 'encoil', 'enolic'], 'clipeus': ['clipeus', 'spicule'], 'clipper': ['clipper', 'cripple'], 'clipse': ['clipse', 'splice'], 'clipsome': ['clipsome', 'polemics'], 'clite': ['clite', 'telic'], 'clites': ['celtis', 'clites'], 'clitia': ['clitia', 'italic'], 'clition': ['clition', 'nilotic'], 'clitoria': ['clitoria', 'loricati'], 'clitoridean': ['clitoridean', 'directional'], 'clitoris': ['clitoris', 'coistril'], 'clive': ['clive', 'velic'], 'cloacinal': ['cloacinal', 'cocillana'], 'cloam': ['cloam', 'comal'], 'cloamen': ['aclemon', 'cloamen'], 'clobber': ['clobber', 'cobbler'], 'clochan': ['chalcon', 'clochan', 'conchal'], 'clocked': ['clocked', 'cockled'], 'clocker': ['clocker', 'cockler'], 'clod': ['clod', 'cold'], 'clodder': ['clodder', 'coddler'], 'cloggy': ['cloggy', 'coggly'], 'cloister': ['cloister', 'coistrel'], 'cloisteral': ['cloisteral', 'sclerotial'], 'cloit': ['cloit', 'lotic'], 'clonicotonic': ['clonicotonic', 'tonicoclonic'], 'clonus': ['clonus', 'consul'], 'clop': ['clop', 'colp'], 'close': ['close', 'socle'], 'closer': ['closer', 'cresol', 'escrol'], 'closter': ['closter', 'costrel'], 'closterium': ['closterium', 'sclerotium'], 'clot': ['clot', 'colt'], 'clothier': ['chlorite', 'clothier'], 'clotho': ['clotho', 'coolth'], 'clotter': ['clotter', 'crottle'], 'cloture': ['cloture', 'clouter'], 'cloud': ['cloud', 'could'], 'clouter': ['cloture', 'clouter'], 'clovene': ['cevenol', 'clovene'], 'clow': ['clow', 'cowl'], 'cloy': ['cloy', 'coly'], 'clue': ['clue', 'luce'], 'clumse': ['clumse', 'muscle'], 'clumsily': ['clumsily', 'scyllium'], 'clumsy': ['clumsy', 'muscly'], 'clunist': ['clunist', 'linctus'], 'clupea': ['alecup', 'clupea'], 'clupeine': ['clupeine', 'pulicene'], 'clusia': ['caulis', 'clusia', 'sicula'], 'clutch': ['clutch', 'cultch'], 'clutter': ['clutter', 'cuttler'], 'clyde': ['clyde', 'decyl'], 'clyer': ['ceryl', 'clyer'], 'clymenia': ['clymenia', 'mycelian'], 'clypeolate': ['clypeolate', 'ptyalocele'], 'clysis': ['clysis', 'lyssic'], 'clysmic': ['clysmic', 'cyclism'], 'cnemial': ['cnemial', 'melanic'], 'cnemis': ['cnemis', 'mnesic'], 'cneorum': ['cneorum', 'corneum'], 'cnicus': ['cnicus', 'succin'], 'cnida': ['canid', 'cnida', 'danic'], 'cnidaria': ['acridian', 'cnidaria'], 'cnidian': ['cnidian', 'indican'], 'cnidophore': ['cnidophore', 'princehood'], 'coach': ['chaco', 'choca', 'coach'], 'coacher': ['caroche', 'coacher', 'recoach'], 'coachlet': ['catechol', 'coachlet'], 'coactor': ['coactor', 'tarocco'], 'coadamite': ['acetamido', 'coadamite'], 'coadnate': ['anecdota', 'coadnate'], 'coadunite': ['coadunite', 'education', 'noctuidae'], 'coagent': ['coagent', 'cognate'], 'coagulate': ['catalogue', 'coagulate'], 'coaita': ['atocia', 'coaita'], 'coal': ['alco', 'coal', 'cola', 'loca'], 'coalbin': ['cibolan', 'coalbin'], 'coaler': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coalite': ['aloetic', 'coalite'], 'coalition': ['coalition', 'lociation'], 'coalitionist': ['coalitionist', 'solicitation'], 'coalizer': ['calorize', 'coalizer'], 'coalpit': ['capitol', 'coalpit', 'optical', 'topical'], 'coaltitude': ['coaltitude', 'colatitude'], 'coaming': ['coaming', 'macigno'], 'coan': ['coan', 'onca'], 'coapt': ['capot', 'coapt'], 'coarb': ['carbo', 'carob', 'coarb', 'cobra'], 'coarrange': ['arrogance', 'coarrange'], 'coarse': ['acrose', 'coarse'], 'coarsen': ['carnose', 'coarsen', 'narcose'], 'coassert': ['castores', 'coassert'], 'coast': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'coastal': ['coastal', 'salacot'], 'coaster': ['coaster', 'recoast'], 'coasting': ['agnostic', 'coasting'], 'coated': ['coated', 'decoat'], 'coater': ['coater', 'recoat'], 'coating': ['coating', 'cotinga'], 'coatroom': ['coatroom', 'morocota'], 'coax': ['coax', 'coxa'], 'cobbler': ['clobber', 'cobbler'], 'cobia': ['baioc', 'cabio', 'cobia'], 'cobiron': ['boronic', 'cobiron'], 'cobitis': ['biotics', 'cobitis'], 'cobra': ['carbo', 'carob', 'coarb', 'cobra'], 'cocaine': ['cocaine', 'oceanic'], 'cocainist': ['cocainist', 'siccation'], 'cocama': ['cocama', 'macaco'], 'cocamine': ['cocamine', 'comacine'], 'cochleare': ['archocele', 'cochleare'], 'cochleitis': ['cochleitis', 'ochlesitic'], 'cocillana': ['cloacinal', 'cocillana'], 'cocker': ['cocker', 'recock'], 'cockily': ['cockily', 'colicky'], 'cockled': ['clocked', 'cockled'], 'cockler': ['clocker', 'cockler'], 'cockup': ['cockup', 'upcock'], 'cocreditor': ['cocreditor', 'codirector'], 'cocurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'cod': ['cod', 'doc'], 'codamine': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'codder': ['codder', 'corded'], 'coddler': ['clodder', 'coddler'], 'code': ['code', 'coed'], 'codebtor': ['bedoctor', 'codebtor'], 'coder': ['coder', 'cored', 'credo'], 'coderive': ['coderive', 'divorcee'], 'codicil': ['codicil', 'dicolic'], 'codille': ['celloid', 'codille', 'collide', 'collied'], 'codirector': ['cocreditor', 'codirector'], 'codium': ['codium', 'mucoid'], 'coed': ['code', 'coed'], 'coeditorship': ['cheiropodist', 'coeditorship'], 'coelar': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coelata': ['alcoate', 'coelata'], 'coelection': ['coelection', 'entocoelic'], 'coelia': ['aeolic', 'coelia'], 'coelin': ['clione', 'coelin', 'encoil', 'enolic'], 'coeline': ['cineole', 'coeline'], 'coelogyne': ['coelogyne', 'gonyocele'], 'coenactor': ['coenactor', 'croconate'], 'coenobiar': ['borocaine', 'coenobiar'], 'coenurus': ['cernuous', 'coenurus'], 'coestate': ['coestate', 'ecostate'], 'coeternal': ['antrocele', 'coeternal', 'tolerance'], 'coeval': ['alcove', 'coeval', 'volcae'], 'cofaster': ['cofaster', 'forecast'], 'coferment': ['coferment', 'forcement'], 'cogeneric': ['cogeneric', 'concierge'], 'coggly': ['cloggy', 'coggly'], 'cognate': ['coagent', 'cognate'], 'cognatical': ['cognatical', 'galactonic'], 'cognation': ['cognation', 'contagion'], 'cognition': ['cognition', 'incognito'], 'cognominal': ['cognominal', 'gnomonical'], 'cogon': ['cogon', 'congo'], 'cograil': ['argolic', 'cograil'], 'coheir': ['coheir', 'heroic'], 'cohen': ['cohen', 'enoch'], 'cohere': ['choree', 'cohere', 'echoer'], 'cohol': ['cholo', 'cohol'], 'cohune': ['cohune', 'hounce'], 'coif': ['coif', 'fico', 'foci'], 'coign': ['coign', 'incog'], 'coil': ['clio', 'coil', 'coli', 'loci'], 'coiled': ['cleoid', 'coiled', 'docile'], 'coiler': ['coiler', 'recoil'], 'coin': ['cion', 'coin', 'icon'], 'coinclude': ['coinclude', 'undecolic'], 'coiner': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'coinfer': ['coinfer', 'conifer'], 'coinherence': ['coinherence', 'incoherence'], 'coinherent': ['coinherent', 'incoherent'], 'coinitial': ['ciliation', 'coinitial'], 'coinmate': ['coinmate', 'maconite'], 'coinspire': ['coinspire', 'precision'], 'coinsure': ['coinsure', 'corineus', 'cusinero'], 'cointer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cointreau': ['cautioner', 'cointreau'], 'coistrel': ['cloister', 'coistrel'], 'coistril': ['clitoris', 'coistril'], 'coix': ['cixo', 'coix'], 'coker': ['coker', 'corke', 'korec'], 'coky': ['coky', 'yock'], 'cola': ['alco', 'coal', 'cola', 'loca'], 'colalgia': ['alogical', 'colalgia'], 'colan': ['colan', 'conal'], 'colane': ['canelo', 'colane'], 'colarin': ['carolin', 'clarion', 'colarin', 'locrian'], 'colate': ['acetol', 'colate', 'locate'], 'colation': ['colation', 'coontail', 'location'], 'colatitude': ['coaltitude', 'colatitude'], 'colchian': ['cholanic', 'colchian'], 'colcine': ['colcine', 'concile', 'conicle'], 'colcothar': ['colcothar', 'ochlocrat'], 'cold': ['clod', 'cold'], 'colder': ['cedrol', 'colder', 'cordel'], 'colectomy': ['colectomy', 'cyclotome'], 'colemanite': ['colemanite', 'melaconite'], 'coleur': ['coleur', 'colure'], 'coleus': ['coleus', 'oscule'], 'coli': ['clio', 'coil', 'coli', 'loci'], 'colias': ['colias', 'scolia', 'social'], 'colicky': ['cockily', 'colicky'], 'colima': ['colima', 'olamic'], 'colin': ['colin', 'nicol'], 'colinear': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'colitis': ['colitis', 'solicit'], 'colk': ['colk', 'lock'], 'colla': ['callo', 'colla', 'local'], 'collage': ['alcogel', 'collage'], 'collare': ['collare', 'corella', 'ocellar'], 'collaret': ['collaret', 'corallet'], 'collarino': ['collarino', 'coronilla'], 'collatee': ['collatee', 'ocellate'], 'collationer': ['collationer', 'recollation'], 'collectioner': ['collectioner', 'recollection'], 'collegial': ['collegial', 'gallicole'], 'collegian': ['allogenic', 'collegian'], 'colleri': ['cerillo', 'colleri', 'collier'], 'colleter': ['colleter', 'coteller', 'coterell', 'recollet'], 'colletia': ['colletia', 'teocalli'], 'collide': ['celloid', 'codille', 'collide', 'collied'], 'collidine': ['celloidin', 'collidine', 'decillion'], 'collie': ['collie', 'ocelli'], 'collied': ['celloid', 'codille', 'collide', 'collied'], 'collier': ['cerillo', 'colleri', 'collier'], 'colligate': ['colligate', 'cotillage'], 'colline': ['colline', 'lioncel'], 'collinear': ['collinear', 'coralline'], 'collinsia': ['collinsia', 'isoclinal'], 'collotypy': ['collotypy', 'polycotyl'], 'collusive': ['collusive', 'colluvies'], 'colluvies': ['collusive', 'colluvies'], 'collyba': ['callboy', 'collyba'], 'colmar': ['clamor', 'colmar'], 'colobus': ['colobus', 'subcool'], 'coloenteritis': ['coloenteritis', 'enterocolitis'], 'colombian': ['colombian', 'colombina'], 'colombina': ['colombian', 'colombina'], 'colonalgia': ['colonalgia', 'naological'], 'colonate': ['colonate', 'ecotonal'], 'colonialist': ['colonialist', 'oscillation'], 'coloproctitis': ['coloproctitis', 'proctocolitis'], 'color': ['color', 'corol', 'crool'], 'colored': ['colored', 'croodle', 'decolor'], 'colorer': ['colorer', 'recolor'], 'colorin': ['colorin', 'orcinol'], 'colorman': ['colorman', 'conormal'], 'colp': ['clop', 'colp'], 'colpeurynter': ['colpeurynter', 'counterreply'], 'colpitis': ['colpitis', 'politics', 'psilotic'], 'colporrhagia': ['colporrhagia', 'orographical'], 'colt': ['clot', 'colt'], 'colter': ['colter', 'lector', 'torcel'], 'coltskin': ['coltskin', 'linstock'], 'colubrina': ['binocular', 'caliburno', 'colubrina'], 'columbo': ['columbo', 'coulomb'], 'columbotitanate': ['columbotitanate', 'titanocolumbate'], 'columnated': ['columnated', 'documental'], 'columned': ['columned', 'uncledom'], 'colunar': ['colunar', 'cornual', 'courlan'], 'colure': ['coleur', 'colure'], 'colutea': ['caulote', 'colutea', 'oculate'], 'coly': ['cloy', 'coly'], 'coma': ['coma', 'maco'], 'comacine': ['cocamine', 'comacine'], 'comal': ['cloam', 'comal'], 'coman': ['coman', 'macon', 'manoc'], 'comart': ['carmot', 'comart'], 'comate': ['comate', 'metoac', 'tecoma'], 'combat': ['combat', 'tombac'], 'comber': ['comber', 'recomb'], 'combinedly': ['combinedly', 'molybdenic'], 'comedial': ['cameloid', 'comedial', 'melodica'], 'comedian': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'comediant': ['comediant', 'metaconid'], 'comedist': ['comedist', 'demotics', 'docetism', 'domestic'], 'comedown': ['comedown', 'downcome'], 'comeliness': ['comeliness', 'incomeless'], 'comeling': ['comeling', 'comingle'], 'comenic': ['comenic', 'encomic', 'meconic'], 'comer': ['comer', 'crome'], 'comforter': ['comforter', 'recomfort'], 'comid': ['comid', 'domic'], 'coming': ['coming', 'gnomic'], 'comingle': ['comeling', 'comingle'], 'comintern': ['comintern', 'nonmetric'], 'comitia': ['caimito', 'comitia'], 'comitragedy': ['comitragedy', 'tragicomedy'], 'comity': ['comity', 'myotic'], 'commander': ['commander', 'recommand'], 'commation': ['commation', 'monatomic'], 'commelina': ['commelina', 'melomanic'], 'commender': ['commender', 'recommend'], 'commentarial': ['commentarial', 'manometrical'], 'commination': ['commination', 'monamniotic'], 'commissioner': ['commissioner', 'recommission'], 'commonality': ['ammonolytic', 'commonality'], 'commorient': ['commorient', 'metronomic', 'monometric'], 'compact': ['accompt', 'compact'], 'compacter': ['compacter', 'recompact'], 'company': ['company', 'copyman'], 'compare': ['compare', 'compear'], 'comparition': ['comparition', 'proamniotic'], 'compasser': ['compasser', 'recompass'], 'compear': ['compare', 'compear'], 'compenetrate': ['compenetrate', 'contemperate'], 'competitioner': ['competitioner', 'recompetition'], 'compile': ['compile', 'polemic'], 'compiler': ['compiler', 'complier'], 'complainer': ['complainer', 'procnemial', 'recomplain'], 'complaint': ['complaint', 'compliant'], 'complanate': ['complanate', 'placentoma'], 'compliant': ['complaint', 'compliant'], 'complier': ['compiler', 'complier'], 'compounder': ['compounder', 'recompound'], 'comprehender': ['comprehender', 'recomprehend'], 'compressed': ['compressed', 'decompress'], 'comprise': ['comprise', 'perosmic'], 'compromission': ['compromission', 'procommission'], 'conal': ['colan', 'conal'], 'conamed': ['conamed', 'macedon'], 'conant': ['cannot', 'canton', 'conant', 'nonact'], 'conarial': ['carolina', 'conarial'], 'conarium': ['conarium', 'coumarin'], 'conative': ['conative', 'invocate'], 'concealer': ['concealer', 'reconceal'], 'concent': ['concent', 'connect'], 'concenter': ['concenter', 'reconnect'], 'concentive': ['concentive', 'connective'], 'concertize': ['concertize', 'concretize'], 'concessioner': ['concessioner', 'reconcession'], 'concha': ['chanco', 'concha'], 'conchal': ['chalcon', 'clochan', 'conchal'], 'conchinine': ['cinchonine', 'conchinine'], 'concierge': ['cogeneric', 'concierge'], 'concile': ['colcine', 'concile', 'conicle'], 'concocter': ['concocter', 'reconcoct'], 'concreter': ['concreter', 'reconcert'], 'concretize': ['concertize', 'concretize'], 'concretor': ['concretor', 'conrector'], 'condalia': ['cladonia', 'condalia', 'diaconal'], 'condemner': ['condemner', 'recondemn'], 'condite': ['condite', 'ctenoid'], 'conditioner': ['conditioner', 'recondition'], 'condor': ['condor', 'cordon'], 'conduit': ['conduit', 'duction', 'noctuid'], 'condylomatous': ['condylomatous', 'monodactylous'], 'cone': ['cone', 'once'], 'conepate': ['conepate', 'tepecano'], 'coner': ['coner', 'crone', 'recon'], 'cones': ['cones', 'scone'], 'confesser': ['confesser', 'reconfess'], 'configurationism': ['configurationism', 'misconfiguration'], 'confirmer': ['confirmer', 'reconfirm'], 'confirmor': ['confirmor', 'corniform'], 'conflate': ['conflate', 'falconet'], 'conformer': ['conformer', 'reconform'], 'confounder': ['confounder', 'reconfound'], 'confrere': ['confrere', 'enforcer', 'reconfer'], 'confronter': ['confronter', 'reconfront'], 'congealer': ['congealer', 'recongeal'], 'congeneric': ['congeneric', 'necrogenic'], 'congenerous': ['congenerous', 'necrogenous'], 'congenial': ['congenial', 'goclenian'], 'congo': ['cogon', 'congo'], 'congreet': ['congreet', 'coregent'], 'congreve': ['congreve', 'converge'], 'conical': ['conical', 'laconic'], 'conicine': ['ciconine', 'conicine'], 'conicle': ['colcine', 'concile', 'conicle'], 'conicoid': ['conicoid', 'conoidic'], 'conidium': ['conidium', 'mucinoid', 'oncidium'], 'conifer': ['coinfer', 'conifer'], 'conima': ['camion', 'conima', 'manioc', 'monica'], 'conin': ['conin', 'nonic', 'oncin'], 'conine': ['conine', 'connie', 'ennoic'], 'conjoiner': ['conjoiner', 'reconjoin'], 'conk': ['conk', 'nock'], 'conker': ['conker', 'reckon'], 'conkers': ['conkers', 'snocker'], 'connarite': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'connatal': ['cantonal', 'connatal'], 'connation': ['connation', 'nonaction'], 'connature': ['antecornu', 'connature'], 'connect': ['concent', 'connect'], 'connectival': ['connectival', 'conventical'], 'connective': ['concentive', 'connective'], 'connie': ['conine', 'connie', 'ennoic'], 'connoissance': ['connoissance', 'nonaccession'], 'conoidal': ['conoidal', 'dolciano'], 'conoidic': ['conicoid', 'conoidic'], 'conor': ['conor', 'croon', 'ronco'], 'conormal': ['colorman', 'conormal'], 'conoy': ['conoy', 'coony'], 'conrad': ['candor', 'cardon', 'conrad'], 'conrector': ['concretor', 'conrector'], 'conred': ['cedron', 'conred'], 'conringia': ['conringia', 'inorganic'], 'consenter': ['consenter', 'nonsecret', 'reconsent'], 'conservable': ['conservable', 'conversable'], 'conservancy': ['conservancy', 'conversancy'], 'conservant': ['conservant', 'conversant'], 'conservation': ['conservation', 'conversation'], 'conservational': ['conservational', 'conversational'], 'conservationist': ['conservationist', 'conversationist'], 'conservative': ['conservative', 'conversative'], 'conserve': ['conserve', 'converse'], 'conserver': ['conserver', 'converser'], 'considerate': ['considerate', 'desecration'], 'considerative': ['considerative', 'devisceration'], 'considered': ['considered', 'deconsider'], 'considerer': ['considerer', 'reconsider'], 'consigner': ['consigner', 'reconsign'], 'conspiracy': ['conspiracy', 'snipocracy'], 'conspire': ['conspire', 'incorpse'], 'constate': ['catstone', 'constate'], 'constitutionalism': ['constitutionalism', 'misconstitutional'], 'constitutioner': ['constitutioner', 'reconstitution'], 'constrain': ['constrain', 'transonic'], 'constructer': ['constructer', 'reconstruct'], 'constructionism': ['constructionism', 'misconstruction'], 'consul': ['clonus', 'consul'], 'consulage': ['consulage', 'glucosane'], 'consulary': ['consulary', 'cynosural'], 'consulter': ['consulter', 'reconsult'], 'consume': ['consume', 'muscone'], 'consumer': ['consumer', 'mucrones'], 'consute': ['consute', 'contuse'], 'contagion': ['cognation', 'contagion'], 'contain': ['actinon', 'cantion', 'contain'], 'container': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'conte': ['cento', 'conte', 'tecon'], 'contemperate': ['compenetrate', 'contemperate'], 'contender': ['contender', 'recontend'], 'conter': ['conter', 'cornet', 'cronet', 'roncet'], 'conterminal': ['centinormal', 'conterminal', 'nonmetrical'], 'contester': ['contester', 'recontest'], 'continual': ['continual', 'inoculant', 'unctional'], 'continued': ['continued', 'unnoticed'], 'continuer': ['centurion', 'continuer', 'cornutine'], 'contise': ['contise', 'noetics', 'section'], 'contline': ['contline', 'nonlicet'], 'contortae': ['contortae', 'crotonate'], 'contour': ['contour', 'cornuto', 'countor', 'crouton'], 'contra': ['cantor', 'carton', 'contra'], 'contracter': ['contracter', 'correctant', 'recontract'], 'contrapose': ['antroscope', 'contrapose'], 'contravene': ['contravene', 'covenanter'], 'contrite': ['contrite', 'tetronic'], 'contrive': ['contrive', 'invector'], 'conturbation': ['conturbation', 'obtruncation'], 'contuse': ['consute', 'contuse'], 'conure': ['conure', 'rounce', 'uncore'], 'conventical': ['connectival', 'conventical'], 'conventioner': ['conventioner', 'reconvention'], 'converge': ['congreve', 'converge'], 'conversable': ['conservable', 'conversable'], 'conversancy': ['conservancy', 'conversancy'], 'conversant': ['conservant', 'conversant'], 'conversation': ['conservation', 'conversation'], 'conversational': ['conservational', 'conversational'], 'conversationist': ['conservationist', 'conversationist'], 'conversative': ['conservative', 'conversative'], 'converse': ['conserve', 'converse'], 'converser': ['conserver', 'converser'], 'converter': ['converter', 'reconvert'], 'convertise': ['convertise', 'ventricose'], 'conveyer': ['conveyer', 'reconvey'], 'conycatcher': ['conycatcher', 'technocracy'], 'conyrine': ['conyrine', 'corynine'], 'cooker': ['cooker', 'recook'], 'cool': ['cool', 'loco'], 'coolant': ['coolant', 'octonal'], 'cooler': ['cooler', 'recool'], 'coolingly': ['clinology', 'coolingly'], 'coolth': ['clotho', 'coolth'], 'coolweed': ['coolweed', 'locoweed'], 'cooly': ['cooly', 'coyol'], 'coonroot': ['coonroot', 'octoroon'], 'coontail': ['colation', 'coontail', 'location'], 'coony': ['conoy', 'coony'], 'coop': ['coop', 'poco'], 'coos': ['coos', 'soco'], 'coost': ['coost', 'scoot'], 'coot': ['coot', 'coto', 'toco'], 'copa': ['copa', 'paco'], 'copable': ['copable', 'placebo'], 'copalite': ['copalite', 'poetical'], 'coparent': ['coparent', 'portance'], 'copart': ['captor', 'copart'], 'copartner': ['copartner', 'procreant'], 'copatain': ['copatain', 'pacation'], 'copehan': ['copehan', 'panoche', 'phocean'], 'copen': ['copen', 'ponce'], 'coperta': ['coperta', 'pectora', 'porcate'], 'copied': ['copied', 'epodic'], 'copis': ['copis', 'pisco'], 'copist': ['copist', 'coptis', 'optics', 'postic'], 'copita': ['atopic', 'capito', 'copita'], 'coplanar': ['coplanar', 'procanal'], 'copleased': ['copleased', 'escaloped'], 'copperer': ['copperer', 'recopper'], 'coppery': ['coppery', 'precopy'], 'copr': ['copr', 'corp', 'crop'], 'coprinae': ['caponier', 'coprinae', 'procaine'], 'coprinus': ['coprinus', 'poncirus'], 'coprolagnia': ['carpogonial', 'coprolagnia'], 'coprophagist': ['coprophagist', 'topographics'], 'coprose': ['coprose', 'scooper'], 'copse': ['copse', 'pecos', 'scope'], 'copter': ['ceptor', 'copter'], 'coptis': ['copist', 'coptis', 'optics', 'postic'], 'copula': ['copula', 'cupola'], 'copular': ['copular', 'croupal', 'cupolar', 'porcula'], 'copulate': ['copulate', 'outplace'], 'copulation': ['copulation', 'poculation'], 'copus': ['copus', 'scoup'], 'copyman': ['company', 'copyman'], 'copyrighter': ['copyrighter', 'recopyright'], 'coque': ['coque', 'ocque'], 'coquitlam': ['coquitlam', 'quamoclit'], 'cor': ['cor', 'cro', 'orc', 'roc'], 'cora': ['acor', 'caro', 'cora', 'orca'], 'coraciae': ['coraciae', 'icacorea'], 'coracial': ['caracoli', 'coracial'], 'coracias': ['coracias', 'rascacio'], 'coradicate': ['coradicate', 'ectocardia'], 'corah': ['achor', 'chora', 'corah', 'orach', 'roach'], 'coraise': ['coraise', 'scoriae'], 'coral': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'coraled': ['acerdol', 'coraled'], 'coralist': ['calorist', 'coralist'], 'corallet': ['collaret', 'corallet'], 'corallian': ['corallian', 'corallina'], 'corallina': ['corallian', 'corallina'], 'coralline': ['collinear', 'coralline'], 'corallite': ['corallite', 'lectorial'], 'coram': ['carom', 'coram', 'macro', 'marco'], 'coranto': ['cartoon', 'coranto'], 'corban': ['bracon', 'carbon', 'corban'], 'corbeil': ['bricole', 'corbeil', 'orbicle'], 'cordaitean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'cordate': ['cordate', 'decator', 'redcoat'], 'corded': ['codder', 'corded'], 'cordel': ['cedrol', 'colder', 'cordel'], 'corder': ['corder', 'record'], 'cordia': ['caroid', 'cordia'], 'cordial': ['cordial', 'dorical'], 'cordicole': ['cordicole', 'crocodile'], 'cordierite': ['cordierite', 'directoire'], 'cordoba': ['bocardo', 'cordoba'], 'cordon': ['condor', 'cordon'], 'core': ['cero', 'core'], 'cored': ['coder', 'cored', 'credo'], 'coregent': ['congreet', 'coregent'], 'coreless': ['coreless', 'sclerose'], 'corella': ['collare', 'corella', 'ocellar'], 'corema': ['ceroma', 'corema'], 'coreplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'coreplasty': ['ceroplasty', 'coreplasty'], 'corer': ['corer', 'crore'], 'coresidual': ['coresidual', 'radiculose'], 'coresign': ['coresign', 'cosigner'], 'corge': ['corge', 'gorce'], 'corgi': ['corgi', 'goric', 'orgic'], 'corial': ['caroli', 'corial', 'lorica'], 'coriamyrtin': ['coriamyrtin', 'criminatory'], 'corin': ['corin', 'noric', 'orcin'], 'corindon': ['corindon', 'nodicorn'], 'corineus': ['coinsure', 'corineus', 'cusinero'], 'corinna': ['corinna', 'cronian'], 'corinne': ['corinne', 'cornein', 'neronic'], 'cork': ['cork', 'rock'], 'corke': ['coker', 'corke', 'korec'], 'corked': ['corked', 'docker', 'redock'], 'corker': ['corker', 'recork', 'rocker'], 'corkiness': ['corkiness', 'rockiness'], 'corking': ['corking', 'rocking'], 'corkish': ['corkish', 'rockish'], 'corkwood': ['corkwood', 'rockwood', 'woodrock'], 'corky': ['corky', 'rocky'], 'corm': ['corm', 'crom'], 'cormophyte': ['chromotype', 'cormophyte', 'ectomorphy'], 'cormophytic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'cornage': ['acrogen', 'cornage'], 'cornea': ['carone', 'cornea'], 'corneal': ['carneol', 'corneal'], 'cornein': ['corinne', 'cornein', 'neronic'], 'cornelia': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'cornelius': ['cornelius', 'inclosure', 'reclusion'], 'corneocalcareous': ['calcareocorneous', 'corneocalcareous'], 'cornet': ['conter', 'cornet', 'cronet', 'roncet'], 'corneum': ['cneorum', 'corneum'], 'cornic': ['cornic', 'crocin'], 'cornice': ['cornice', 'crocein'], 'corniform': ['confirmor', 'corniform'], 'cornin': ['cornin', 'rincon'], 'cornish': ['cornish', 'cronish', 'sorchin'], 'cornual': ['colunar', 'cornual', 'courlan'], 'cornuate': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cornuated': ['cornuated', 'undercoat'], 'cornucopiate': ['cornucopiate', 'reoccupation'], 'cornulites': ['cornulites', 'uncloister'], 'cornute': ['cornute', 'counter', 'recount', 'trounce'], 'cornutine': ['centurion', 'continuer', 'cornutine'], 'cornuto': ['contour', 'cornuto', 'countor', 'crouton'], 'corny': ['corny', 'crony'], 'corol': ['color', 'corol', 'crool'], 'corollated': ['corollated', 'decollator'], 'corona': ['caroon', 'corona', 'racoon'], 'coronad': ['cardoon', 'coronad'], 'coronadite': ['carotenoid', 'coronadite', 'decoration'], 'coronal': ['coronal', 'locarno'], 'coronaled': ['canoodler', 'coronaled'], 'coronate': ['coronate', 'octonare', 'otocrane'], 'coronated': ['coronated', 'creodonta'], 'coroner': ['coroner', 'crooner', 'recroon'], 'coronilla': ['collarino', 'coronilla'], 'corp': ['copr', 'corp', 'crop'], 'corporealist': ['corporealist', 'prosectorial'], 'corradiate': ['corradiate', 'cortaderia', 'eradicator'], 'correal': ['caroler', 'correal'], 'correctant': ['contracter', 'correctant', 'recontract'], 'correctioner': ['correctioner', 'recorrection'], 'corrente': ['corrente', 'terceron'], 'correption': ['correption', 'porrection'], 'corrodentia': ['corrodentia', 'recordation'], 'corrupter': ['corrupter', 'recorrupt'], 'corsage': ['corsage', 'socager'], 'corsaint': ['cantoris', 'castorin', 'corsaint'], 'corse': ['corse', 'score'], 'corselet': ['corselet', 'sclerote', 'selector'], 'corset': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'corta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'cortaderia': ['corradiate', 'cortaderia', 'eradicator'], 'cortes': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'cortical': ['cortical', 'crotalic'], 'cortices': ['cortices', 'cresotic'], 'corticose': ['corticose', 'creosotic'], 'cortin': ['citron', 'cortin', 'crotin'], 'cortina': ['anticor', 'carotin', 'cortina', 'ontaric'], 'cortinate': ['carnotite', 'cortinate'], 'cortisone': ['certosino', 'cortisone', 'socotrine'], 'corton': ['corton', 'croton'], 'corvinae': ['corvinae', 'veronica'], 'cory': ['cory', 'croy'], 'corycavidine': ['cervicodynia', 'corycavidine'], 'corydon': ['corydon', 'croydon'], 'corynine': ['conyrine', 'corynine'], 'corypha': ['charpoy', 'corypha'], 'coryphene': ['coryphene', 'hypercone'], 'cos': ['cos', 'osc', 'soc'], 'cosalite': ['cosalite', 'societal'], 'coset': ['coset', 'estoc', 'scote'], 'cosh': ['cosh', 'scho'], 'cosharer': ['cosharer', 'horsecar'], 'cosigner': ['coresign', 'cosigner'], 'cosine': ['cosine', 'oscine'], 'cosmati': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'cosmetical': ['cacomistle', 'cosmetical'], 'cosmetician': ['cosmetician', 'encomiastic'], 'cosmist': ['cosmist', 'scotism'], 'cossack': ['cassock', 'cossack'], 'cosse': ['cosse', 'secos'], 'cost': ['cost', 'scot'], 'costa': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'costar': ['arctos', 'castor', 'costar', 'scrota'], 'costean': ['costean', 'tsoneca'], 'coster': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'costing': ['costing', 'gnostic'], 'costispinal': ['costispinal', 'pansciolist'], 'costmary': ['arctomys', 'costmary', 'mascotry'], 'costochondral': ['chondrocostal', 'costochondral'], 'costosternal': ['costosternal', 'sternocostal'], 'costovertebral': ['costovertebral', 'vertebrocostal'], 'costrel': ['closter', 'costrel'], 'costula': ['costula', 'locusta', 'talcous'], 'costumer': ['costumer', 'customer'], 'cosurety': ['cosurety', 'courtesy'], 'cosustain': ['cosustain', 'scusation'], 'cotarius': ['cotarius', 'octarius', 'suctoria'], 'cotarnine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'cote': ['cote', 'teco'], 'coteline': ['coteline', 'election'], 'coteller': ['colleter', 'coteller', 'coterell', 'recollet'], 'coterell': ['colleter', 'coteller', 'coterell', 'recollet'], 'cotesian': ['canoeist', 'cotesian'], 'coth': ['coth', 'ocht'], 'cotidal': ['cotidal', 'lactoid', 'talcoid'], 'cotillage': ['colligate', 'cotillage'], 'cotillion': ['cotillion', 'octillion'], 'cotinga': ['coating', 'cotinga'], 'cotinus': ['cotinus', 'suction', 'unstoic'], 'cotise': ['cotise', 'oecist'], 'coto': ['coot', 'coto', 'toco'], 'cotranspire': ['cotranspire', 'pornerastic'], 'cotrine': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cotripper': ['cotripper', 'periproct'], 'cotte': ['cotte', 'octet'], 'cotylosaur': ['cotylosaur', 'osculatory'], 'cotype': ['cotype', 'ectopy'], 'coude': ['coude', 'douce'], 'could': ['cloud', 'could'], 'coulisse': ['coulisse', 'leucosis', 'ossicule'], 'coulomb': ['columbo', 'coulomb'], 'coumalic': ['caulomic', 'coumalic'], 'coumarin': ['conarium', 'coumarin'], 'counsel': ['counsel', 'unclose'], 'counter': ['cornute', 'counter', 'recount', 'trounce'], 'counteracter': ['counteracter', 'countercarte'], 'countercarte': ['counteracter', 'countercarte'], 'countercharm': ['countercharm', 'countermarch'], 'counterguard': ['counterguard', 'uncorrugated'], 'counteridea': ['counteridea', 'decurionate'], 'countermarch': ['countercharm', 'countermarch'], 'counterpaled': ['counterpaled', 'counterplead', 'unpercolated'], 'counterpaly': ['counterpaly', 'counterplay'], 'counterplay': ['counterpaly', 'counterplay'], 'counterplead': ['counterpaled', 'counterplead', 'unpercolated'], 'counterreply': ['colpeurynter', 'counterreply'], 'countersale': ['countersale', 'counterseal'], 'countersea': ['countersea', 'nectareous'], 'counterseal': ['countersale', 'counterseal'], 'countershade': ['countershade', 'decantherous'], 'counterstand': ['counterstand', 'uncontrasted'], 'countertail': ['countertail', 'reluctation'], 'countertrades': ['countertrades', 'unstercorated'], 'countervail': ['countervail', 'involucrate'], 'countervair': ['countervair', 'overcurtain', 'recurvation'], 'countor': ['contour', 'cornuto', 'countor', 'crouton'], 'coupe': ['coupe', 'pouce'], 'couper': ['couper', 'croupe', 'poucer', 'recoup'], 'couplement': ['couplement', 'uncomplete'], 'couplet': ['couplet', 'octuple'], 'coupon': ['coupon', 'uncoop'], 'couponed': ['couponed', 'uncooped'], 'courante': ['cornuate', 'courante', 'cuneator', 'outrance'], 'courbaril': ['courbaril', 'orbicular'], 'courlan': ['colunar', 'cornual', 'courlan'], 'cours': ['cours', 'scour'], 'course': ['cerous', 'course', 'crouse', 'source'], 'coursed': ['coursed', 'scoured'], 'courser': ['courser', 'scourer'], 'coursing': ['coursing', 'scouring'], 'court': ['court', 'crout', 'turco'], 'courtesan': ['acentrous', 'courtesan', 'nectarous'], 'courtesy': ['cosurety', 'courtesy'], 'courtier': ['courtier', 'outcrier'], 'courtiership': ['courtiership', 'peritrichous'], 'courtin': ['courtin', 'ruction'], 'courtman': ['courtman', 'turcoman'], 'couter': ['couter', 'croute'], 'couth': ['couth', 'thuoc', 'touch'], 'couthily': ['couthily', 'touchily'], 'couthiness': ['couthiness', 'touchiness'], 'couthless': ['couthless', 'touchless'], 'coutil': ['coutil', 'toluic'], 'covenanter': ['contravene', 'covenanter'], 'coverer': ['coverer', 'recover'], 'coversine': ['coversine', 'vernicose'], 'covert': ['covert', 'vector'], 'covisit': ['covisit', 'ovistic'], 'cowardy': ['cowardy', 'cowyard'], 'cowherd': ['chowder', 'cowherd'], 'cowl': ['clow', 'cowl'], 'cowyard': ['cowardy', 'cowyard'], 'coxa': ['coax', 'coxa'], 'coxite': ['coxite', 'exotic'], 'coyness': ['coyness', 'sycones'], 'coyol': ['cooly', 'coyol'], 'coyote': ['coyote', 'oocyte'], 'craber': ['bracer', 'craber'], 'crabhole': ['bachelor', 'crabhole'], 'crablet': ['beclart', 'crablet'], 'crackable': ['blackacre', 'crackable'], 'crackle': ['cackler', 'clacker', 'crackle'], 'crackmans': ['crackmans', 'cracksman'], 'cracksman': ['crackmans', 'cracksman'], 'cradge': ['cadger', 'cradge'], 'cradle': ['cardel', 'cradle'], 'cradlemate': ['cradlemate', 'malcreated'], 'craig': ['cigar', 'craig'], 'crain': ['cairn', 'crain', 'naric'], 'crake': ['acker', 'caker', 'crake', 'creak'], 'cram': ['cram', 'marc'], 'cramasie': ['cramasie', 'mesaraic'], 'crambe': ['becram', 'camber', 'crambe'], 'crambidae': ['carbamide', 'crambidae'], 'crambinae': ['carbamine', 'crambinae'], 'cramble': ['cambrel', 'clamber', 'cramble'], 'cramper': ['cramper', 'recramp'], 'crampon': ['crampon', 'cropman'], 'cranage': ['carnage', 'cranage', 'garance'], 'crance': ['cancer', 'crance'], 'crane': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'craner': ['craner', 'rancer'], 'craney': ['carney', 'craney'], 'crania': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'craniad': ['acridan', 'craniad'], 'cranial': ['carinal', 'carlina', 'clarain', 'cranial'], 'cranially': ['ancillary', 'carlylian', 'cranially'], 'cranian': ['canarin', 'cranian'], 'craniate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'cranic': ['cancri', 'carnic', 'cranic'], 'craniectomy': ['craniectomy', 'cyanometric'], 'craniognomy': ['craniognomy', 'organonymic'], 'craniota': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'cranker': ['cranker', 'recrank'], 'crap': ['carp', 'crap'], 'crape': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'crappie': ['crappie', 'epicarp'], 'crapple': ['clapper', 'crapple'], 'crappo': ['crappo', 'croppa'], 'craps': ['craps', 'scarp', 'scrap'], 'crapulous': ['crapulous', 'opuscular'], 'crare': ['carer', 'crare', 'racer'], 'crate': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'crateful': ['crateful', 'fulcrate'], 'crater': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'craterid': ['cirrated', 'craterid'], 'crateriform': ['crateriform', 'terraciform'], 'crateris': ['crateris', 'serratic'], 'craterlet': ['clatterer', 'craterlet'], 'craterous': ['craterous', 'recusator'], 'cratinean': ['cratinean', 'incarnate', 'nectarian'], 'cratometric': ['cratometric', 'metrocratic'], 'crave': ['carve', 'crave', 'varec'], 'craven': ['carven', 'cavern', 'craven'], 'craver': ['carver', 'craver'], 'craving': ['carving', 'craving'], 'crayon': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'crayonist': ['carnosity', 'crayonist'], 'crea': ['acer', 'acre', 'care', 'crea', 'race'], 'creagh': ['charge', 'creagh'], 'creak': ['acker', 'caker', 'crake', 'creak'], 'cream': ['cream', 'macer'], 'creamer': ['amercer', 'creamer'], 'creant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crease': ['cesare', 'crease', 'recase', 'searce'], 'creaser': ['creaser', 'searcer'], 'creasing': ['creasing', 'scirenga'], 'creat': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'creatable': ['creatable', 'traceable'], 'create': ['cerate', 'create', 'ecarte'], 'creatine': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'creatinine': ['creatinine', 'incinerate'], 'creation': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'creational': ['creational', 'crotalinae', 'laceration', 'reactional'], 'creationary': ['creationary', 'reactionary'], 'creationism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'creationist': ['creationist', 'reactionist'], 'creative': ['creative', 'reactive'], 'creatively': ['creatively', 'reactively'], 'creativeness': ['creativeness', 'reactiveness'], 'creativity': ['creativity', 'reactivity'], 'creator': ['creator', 'reactor'], 'crebrous': ['crebrous', 'obscurer'], 'credential': ['credential', 'interlaced', 'reclinated'], 'credit': ['credit', 'direct'], 'creditable': ['creditable', 'directable'], 'creditive': ['creditive', 'directive'], 'creditor': ['creditor', 'director'], 'creditorship': ['creditorship', 'directorship'], 'creditress': ['creditress', 'directress'], 'creditrix': ['creditrix', 'directrix'], 'crednerite': ['crednerite', 'interceder'], 'credo': ['coder', 'cored', 'credo'], 'cree': ['cere', 'cree'], 'creed': ['ceder', 'cedre', 'cered', 'creed'], 'creedal': ['cedrela', 'creedal', 'declare'], 'creedalism': ['creedalism', 'misdeclare'], 'creedist': ['creedist', 'desertic', 'discreet', 'discrete'], 'creep': ['creep', 'crepe'], 'creepered': ['creepered', 'predecree'], 'creepie': ['creepie', 'repiece'], 'cremation': ['cremation', 'manticore'], 'cremator': ['cremator', 'mercator'], 'crematorial': ['crematorial', 'mercatorial'], 'cremor': ['cremor', 'cromer'], 'crena': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'crenate': ['centare', 'crenate'], 'crenated': ['crenated', 'decanter', 'nectared'], 'crenation': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'crenelate': ['crenelate', 'lanceteer'], 'crenelation': ['crenelation', 'intolerance'], 'crenele': ['crenele', 'encreel'], 'crenellation': ['centrolineal', 'crenellation'], 'crenitic': ['crenitic', 'cretinic'], 'crenology': ['crenology', 'necrology'], 'crenula': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'crenulate': ['calenture', 'crenulate'], 'creodonta': ['coronated', 'creodonta'], 'creolian': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'creolin': ['creolin', 'licorne', 'locrine'], 'creosotic': ['corticose', 'creosotic'], 'crepe': ['creep', 'crepe'], 'crepidula': ['crepidula', 'pedicular'], 'crepine': ['crepine', 'increep'], 'crepiness': ['crepiness', 'princesse'], 'crepis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'crepitant': ['crepitant', 'pittancer'], 'crepitation': ['actinopteri', 'crepitation', 'precitation'], 'crepitous': ['crepitous', 'euproctis', 'uroseptic'], 'crepitus': ['crepitus', 'piecrust'], 'crepon': ['crepon', 'procne'], 'crepy': ['crepy', 'cypre', 'percy'], 'cresol': ['closer', 'cresol', 'escrol'], 'cresolin': ['cresolin', 'licensor'], 'cresotic': ['cortices', 'cresotic'], 'cresson': ['cresson', 'crosnes'], 'crestline': ['crestline', 'stenciler'], 'crestmoreite': ['crestmoreite', 'stereometric'], 'creta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cretan': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crete': ['crete', 'erect'], 'cretification': ['certification', 'cretification', 'rectification'], 'cretify': ['certify', 'cretify', 'rectify'], 'cretin': ['cinter', 'cretin', 'crinet'], 'cretinic': ['crenitic', 'cretinic'], 'cretinoid': ['cretinoid', 'direction'], 'cretion': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cretism': ['cretism', 'metrics'], 'crewer': ['crewer', 'recrew'], 'cribo': ['boric', 'cribo', 'orbic'], 'crickle': ['clicker', 'crickle'], 'cricothyroid': ['cricothyroid', 'thyrocricoid'], 'cried': ['cider', 'cried', 'deric', 'dicer'], 'crier': ['crier', 'ricer'], 'criey': ['criey', 'ricey'], 'crile': ['crile', 'elric', 'relic'], 'crimean': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'crimeful': ['crimeful', 'merciful'], 'crimeless': ['crimeless', 'merciless'], 'crimelessness': ['crimelessness', 'mercilessness'], 'criminalese': ['criminalese', 'misreliance'], 'criminate': ['antimeric', 'carminite', 'criminate', 'metrician'], 'criminatory': ['coriamyrtin', 'criminatory'], 'crimpage': ['crimpage', 'pergamic'], 'crinal': ['carlin', 'clarin', 'crinal'], 'crinanite': ['crinanite', 'natricine'], 'crinated': ['crinated', 'dicentra'], 'crine': ['cerin', 'crine'], 'crined': ['cedrin', 'cinder', 'crined'], 'crinet': ['cinter', 'cretin', 'crinet'], 'cringle': ['clinger', 'cringle'], 'crinite': ['citrine', 'crinite', 'inciter', 'neritic'], 'crinkle': ['clinker', 'crinkle'], 'cripes': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'cripple': ['clipper', 'cripple'], 'crisp': ['crisp', 'scrip'], 'crispation': ['antipsoric', 'ascription', 'crispation'], 'crisped': ['crisped', 'discerp'], 'crispy': ['crispy', 'cypris'], 'crista': ['crista', 'racist'], 'cristopher': ['cristopher', 'rectorship'], 'criteria': ['criteria', 'triceria'], 'criterion': ['criterion', 'tricerion'], 'criterium': ['criterium', 'tricerium'], 'crith': ['crith', 'richt'], 'critic': ['citric', 'critic'], 'cro': ['cor', 'cro', 'orc', 'roc'], 'croak': ['arock', 'croak'], 'croat': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'croatan': ['cantaro', 'croatan'], 'croatian': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'crocein': ['cornice', 'crocein'], 'croceine': ['cicerone', 'croceine'], 'crocetin': ['crocetin', 'necrotic'], 'crocidolite': ['crocidolite', 'crocodilite'], 'crocin': ['cornic', 'crocin'], 'crocodile': ['cordicole', 'crocodile'], 'crocodilite': ['crocidolite', 'crocodilite'], 'croconate': ['coenactor', 'croconate'], 'crocus': ['crocus', 'succor'], 'crom': ['corm', 'crom'], 'crome': ['comer', 'crome'], 'cromer': ['cremor', 'cromer'], 'crone': ['coner', 'crone', 'recon'], 'cronet': ['conter', 'cornet', 'cronet', 'roncet'], 'cronian': ['corinna', 'cronian'], 'cronish': ['cornish', 'cronish', 'sorchin'], 'crony': ['corny', 'crony'], 'croodle': ['colored', 'croodle', 'decolor'], 'crool': ['color', 'corol', 'crool'], 'croon': ['conor', 'croon', 'ronco'], 'crooner': ['coroner', 'crooner', 'recroon'], 'crop': ['copr', 'corp', 'crop'], 'cropman': ['crampon', 'cropman'], 'croppa': ['crappo', 'croppa'], 'crore': ['corer', 'crore'], 'crosa': ['arcos', 'crosa', 'oscar', 'sacro'], 'crosier': ['cirrose', 'crosier'], 'crosnes': ['cresson', 'crosnes'], 'crosse': ['cessor', 'crosse', 'scorse'], 'crosser': ['crosser', 'recross'], 'crossite': ['crossite', 'crosstie'], 'crossover': ['crossover', 'overcross'], 'crosstie': ['crossite', 'crosstie'], 'crosstied': ['crosstied', 'dissector'], 'crosstree': ['crosstree', 'rectoress'], 'crosswalk': ['classwork', 'crosswalk'], 'crotal': ['carlot', 'crotal'], 'crotalic': ['cortical', 'crotalic'], 'crotalinae': ['creational', 'crotalinae', 'laceration', 'reactional'], 'crotaline': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'crotalism': ['clamorist', 'crotalism'], 'crotalo': ['crotalo', 'locator'], 'crotaloid': ['crotaloid', 'doctorial'], 'crotin': ['citron', 'cortin', 'crotin'], 'croton': ['corton', 'croton'], 'crotonate': ['contortae', 'crotonate'], 'crottle': ['clotter', 'crottle'], 'crouchant': ['archcount', 'crouchant'], 'croupal': ['copular', 'croupal', 'cupolar', 'porcula'], 'croupe': ['couper', 'croupe', 'poucer', 'recoup'], 'croupily': ['croupily', 'polyuric'], 'croupiness': ['croupiness', 'percussion', 'supersonic'], 'crouse': ['cerous', 'course', 'crouse', 'source'], 'crout': ['court', 'crout', 'turco'], 'croute': ['couter', 'croute'], 'crouton': ['contour', 'cornuto', 'countor', 'crouton'], 'crowder': ['crowder', 'recrowd'], 'crowned': ['crowned', 'decrown'], 'crowner': ['crowner', 'recrown'], 'crownmaker': ['cankerworm', 'crownmaker'], 'croy': ['cory', 'croy'], 'croydon': ['corydon', 'croydon'], 'cruces': ['cercus', 'cruces'], 'cruciate': ['aceturic', 'cruciate'], 'crudwort': ['crudwort', 'curdwort'], 'cruel': ['cruel', 'lucre', 'ulcer'], 'cruels': ['clerus', 'cruels'], 'cruelty': ['cruelty', 'cutlery'], 'cruet': ['cruet', 'eruct', 'recut', 'truce'], 'cruise': ['cruise', 'crusie'], 'cruisken': ['cruisken', 'unsicker'], 'crunode': ['crunode', 'uncored'], 'crureus': ['crureus', 'surcrue'], 'crurogenital': ['crurogenital', 'genitocrural'], 'cruroinguinal': ['cruroinguinal', 'inguinocrural'], 'crus': ['crus', 'scur'], 'crusado': ['acrodus', 'crusado'], 'crusca': ['crusca', 'curcas'], 'cruse': ['cruse', 'curse', 'sucre'], 'crusher': ['crusher', 'recrush'], 'crusie': ['cruise', 'crusie'], 'crust': ['crust', 'curst'], 'crustate': ['crustate', 'scrutate'], 'crustation': ['crustation', 'scrutation'], 'crustily': ['crustily', 'rusticly'], 'crustiness': ['crustiness', 'rusticness'], 'crusty': ['crusty', 'curtsy'], 'cruth': ['cruth', 'rutch'], 'cryosel': ['cryosel', 'scroyle'], 'cryptodire': ['cryptodire', 'predictory'], 'cryptomeria': ['cryptomeria', 'imprecatory'], 'cryptostomate': ['cryptostomate', 'prostatectomy'], 'ctenidial': ['ctenidial', 'identical'], 'ctenoid': ['condite', 'ctenoid'], 'ctenolium': ['ctenolium', 'monticule'], 'ctenophore': ['ctenophore', 'nectophore'], 'ctetology': ['ctetology', 'tectology'], 'cuailnge': ['cuailnge', 'glaucine'], 'cuarteron': ['cuarteron', 'raconteur'], 'cubanite': ['cubanite', 'incubate'], 'cuber': ['bruce', 'cebur', 'cuber'], 'cubist': ['bustic', 'cubist'], 'cubit': ['butic', 'cubit'], 'cubitale': ['baculite', 'cubitale'], 'cuboidal': ['baculoid', 'cuboidal'], 'cuchan': ['caunch', 'cuchan'], 'cueball': ['bullace', 'cueball'], 'cueman': ['acumen', 'cueman'], 'cuir': ['cuir', 'uric'], 'culebra': ['culebra', 'curable'], 'culet': ['culet', 'lucet'], 'culinary': ['culinary', 'uranylic'], 'culmy': ['culmy', 'cumyl'], 'culpose': ['culpose', 'ploceus', 'upclose'], 'cultch': ['clutch', 'cultch'], 'cultivar': ['cultivar', 'curvital'], 'culturine': ['culturine', 'inculture'], 'cumaean': ['cumaean', 'encauma'], 'cumar': ['carum', 'cumar'], 'cumber': ['cumber', 'cumbre'], 'cumberer': ['cerebrum', 'cumberer'], 'cumbraite': ['bacterium', 'cumbraite'], 'cumbre': ['cumber', 'cumbre'], 'cumic': ['cumic', 'mucic'], 'cumin': ['cumin', 'mucin'], 'cumol': ['cumol', 'locum'], 'cumulite': ['cumulite', 'lutecium'], 'cumyl': ['culmy', 'cumyl'], 'cuna': ['cuna', 'unca'], 'cunan': ['canun', 'cunan'], 'cuneal': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'cuneator': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cunila': ['cunila', 'lucian', 'lucina', 'uncial'], 'cuon': ['cuon', 'unco'], 'cuorin': ['cuorin', 'uronic'], 'cupid': ['cupid', 'pudic'], 'cupidity': ['cupidity', 'pudicity'], 'cupidone': ['cupidone', 'uncopied'], 'cupola': ['copula', 'cupola'], 'cupolar': ['copular', 'croupal', 'cupolar', 'porcula'], 'cupreous': ['cupreous', 'upcourse'], 'cuprite': ['cuprite', 'picture'], 'curable': ['culebra', 'curable'], 'curate': ['acture', 'cauter', 'curate'], 'curateship': ['curateship', 'pasticheur'], 'curation': ['curation', 'nocturia'], 'curatory': ['curatory', 'outcarry'], 'curcas': ['crusca', 'curcas'], 'curdle': ['curdle', 'curled'], 'curdwort': ['crudwort', 'curdwort'], 'cure': ['cure', 'ecru', 'eruc'], 'curer': ['curer', 'recur'], 'curial': ['curial', 'lauric', 'uracil', 'uralic'], 'curialist': ['curialist', 'rusticial'], 'curie': ['curie', 'ureic'], 'curin': ['curin', 'incur', 'runic'], 'curine': ['curine', 'erucin', 'neuric'], 'curiosa': ['carious', 'curiosa'], 'curite': ['curite', 'teucri', 'uretic'], 'curled': ['curdle', 'curled'], 'curler': ['curler', 'recurl'], 'cursa': ['cursa', 'scaur'], 'cursal': ['cursal', 'sulcar'], 'curse': ['cruse', 'curse', 'sucre'], 'cursed': ['cedrus', 'cursed'], 'curst': ['crust', 'curst'], 'cursus': ['cursus', 'ruscus'], 'curtail': ['curtail', 'trucial'], 'curtailer': ['curtailer', 'recruital', 'reticular'], 'curtain': ['curtain', 'turacin', 'turcian'], 'curtation': ['anticourt', 'curtation', 'ructation'], 'curtilage': ['curtilage', 'cutigeral', 'graticule'], 'curtis': ['citrus', 'curtis', 'rictus', 'rustic'], 'curtise': ['curtise', 'icterus'], 'curtsy': ['crusty', 'curtsy'], 'curvital': ['cultivar', 'curvital'], 'cush': ['cush', 'such'], 'cushionless': ['cushionless', 'slouchiness'], 'cusinero': ['coinsure', 'corineus', 'cusinero'], 'cusk': ['cusk', 'suck'], 'cusp': ['cusp', 'scup'], 'cuspal': ['cuspal', 'placus'], 'custom': ['custom', 'muscot'], 'customer': ['costumer', 'customer'], 'cutheal': ['auchlet', 'cutheal', 'taluche'], 'cutigeral': ['curtilage', 'cutigeral', 'graticule'], 'cutin': ['cutin', 'incut', 'tunic'], 'cutis': ['cutis', 'ictus'], 'cutler': ['cutler', 'reluct'], 'cutleress': ['cutleress', 'lecturess', 'truceless'], 'cutleria': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'cutlery': ['cruelty', 'cutlery'], 'cutlet': ['cutlet', 'cuttle'], 'cutoff': ['cutoff', 'offcut'], 'cutout': ['cutout', 'outcut'], 'cutover': ['cutover', 'overcut'], 'cuttle': ['cutlet', 'cuttle'], 'cuttler': ['clutter', 'cuttler'], 'cutup': ['cutup', 'upcut'], 'cuya': ['cuya', 'yuca'], 'cyamus': ['cyamus', 'muysca'], 'cyan': ['cany', 'cyan'], 'cyanidine': ['cyanidine', 'dicyanine'], 'cyanol': ['alcyon', 'cyanol'], 'cyanole': ['alcyone', 'cyanole'], 'cyanometric': ['craniectomy', 'cyanometric'], 'cyanophycin': ['cyanophycin', 'phycocyanin'], 'cyanuret': ['centaury', 'cyanuret'], 'cyath': ['cathy', 'cyath', 'yacht'], 'cyclamine': ['cyclamine', 'macilency'], 'cyclian': ['cyclian', 'cynical'], 'cyclide': ['cyclide', 'decylic', 'dicycle'], 'cyclism': ['clysmic', 'cyclism'], 'cyclotome': ['colectomy', 'cyclotome'], 'cydonian': ['anodynic', 'cydonian'], 'cylindrite': ['cylindrite', 'indirectly'], 'cylix': ['cylix', 'xylic'], 'cymation': ['cymation', 'myatonic', 'onymatic'], 'cymoid': ['cymoid', 'mycoid'], 'cymometer': ['cymometer', 'mecometry'], 'cymose': ['cymose', 'mycose'], 'cymule': ['cymule', 'lyceum'], 'cynara': ['canary', 'cynara'], 'cynaroid': ['cynaroid', 'dicaryon'], 'cynical': ['cyclian', 'cynical'], 'cynogale': ['acylogen', 'cynogale'], 'cynophilic': ['cynophilic', 'philocynic'], 'cynosural': ['consulary', 'cynosural'], 'cyphonism': ['cyphonism', 'symphonic'], 'cypre': ['crepy', 'cypre', 'percy'], 'cypria': ['cypria', 'picary', 'piracy'], 'cyprian': ['cyprian', 'cyprina'], 'cyprina': ['cyprian', 'cyprina'], 'cyprine': ['cyprine', 'pyrenic'], 'cypris': ['crispy', 'cypris'], 'cyrano': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'cyril': ['cyril', 'lyric'], 'cyrilla': ['cyrilla', 'lyrical'], 'cyrtopia': ['cyrtopia', 'poticary'], 'cyst': ['cyst', 'scyt'], 'cystidean': ['asyndetic', 'cystidean', 'syndicate'], 'cystitis': ['cystitis', 'scytitis'], 'cystoadenoma': ['adenocystoma', 'cystoadenoma'], 'cystofibroma': ['cystofibroma', 'fibrocystoma'], 'cystolith': ['cystolith', 'lithocyst'], 'cystomyxoma': ['cystomyxoma', 'myxocystoma'], 'cystonephrosis': ['cystonephrosis', 'nephrocystosis'], 'cystopyelitis': ['cystopyelitis', 'pyelocystitis'], 'cystotome': ['cystotome', 'cytostome', 'ostectomy'], 'cystourethritis': ['cystourethritis', 'urethrocystitis'], 'cytase': ['cytase', 'stacey'], 'cytherea': ['cheatery', 'cytherea', 'teachery'], 'cytherean': ['cytherean', 'enchytrae'], 'cytisine': ['cytisine', 'syenitic'], 'cytoblastemic': ['blastomycetic', 'cytoblastemic'], 'cytoblastemous': ['blastomycetous', 'cytoblastemous'], 'cytochrome': ['chromocyte', 'cytochrome'], 'cytoid': ['cytoid', 'docity'], 'cytomere': ['cytomere', 'merocyte'], 'cytophil': ['cytophil', 'phycitol'], 'cytosine': ['cenosity', 'cytosine'], 'cytosome': ['cytosome', 'otomyces'], 'cytost': ['cytost', 'scotty'], 'cytostome': ['cystotome', 'cytostome', 'ostectomy'], 'czarian': ['czarian', 'czarina'], 'czarina': ['czarian', 'czarina'], 'da': ['ad', 'da'], 'dab': ['bad', 'dab'], 'dabber': ['barbed', 'dabber'], 'dabbler': ['dabbler', 'drabble'], 'dabitis': ['dabitis', 'dibatis'], 'dablet': ['dablet', 'tabled'], 'dace': ['cade', 'dace', 'ecad'], 'dacelo': ['alcedo', 'dacelo'], 'dacian': ['acnida', 'anacid', 'dacian'], 'dacker': ['arcked', 'dacker'], 'dacryolith': ['dacryolith', 'hydrotical'], 'dacryon': ['candroy', 'dacryon'], 'dactylonomy': ['dactylonomy', 'monodactyly'], 'dactylopteridae': ['dactylopteridae', 'pterodactylidae'], 'dactylopterus': ['dactylopterus', 'pterodactylus'], 'dacus': ['cadus', 'dacus'], 'dad': ['add', 'dad'], 'dada': ['adad', 'adda', 'dada'], 'dadap': ['dadap', 'padda'], 'dade': ['dade', 'dead', 'edda'], 'dadu': ['addu', 'dadu', 'daud', 'duad'], 'dae': ['ade', 'dae'], 'daemon': ['daemon', 'damone', 'modena'], 'daemonic': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'daer': ['ared', 'daer', 'dare', 'dear', 'read'], 'dag': ['dag', 'gad'], 'dagaba': ['badaga', 'dagaba', 'gadaba'], 'dagame': ['dagame', 'damage'], 'dagbane': ['bandage', 'dagbane'], 'dagestan': ['dagestan', 'standage'], 'dagger': ['dagger', 'gadger', 'ragged'], 'daggers': ['daggers', 'seggard'], 'daggle': ['daggle', 'lagged'], 'dago': ['dago', 'goad'], 'dagomba': ['dagomba', 'gambado'], 'dags': ['dags', 'sgad'], 'dah': ['dah', 'dha', 'had'], 'daidle': ['daidle', 'laddie'], 'daikon': ['daikon', 'nodiak'], 'dail': ['dail', 'dali', 'dial', 'laid', 'lida'], 'daily': ['daily', 'lydia'], 'daimen': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'daimio': ['daimio', 'maioid'], 'daimon': ['amidon', 'daimon', 'domain'], 'dain': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'dairi': ['dairi', 'darii', 'radii'], 'dairy': ['dairy', 'diary', 'yaird'], 'dais': ['dais', 'dasi', 'disa', 'said', 'sida'], 'daisy': ['daisy', 'sayid'], 'daker': ['daker', 'drake', 'kedar', 'radek'], 'dal': ['dal', 'lad'], 'dale': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dalea': ['adela', 'dalea'], 'dalecarlian': ['calendarial', 'dalecarlian'], 'daleman': ['daleman', 'lademan', 'leadman'], 'daler': ['alder', 'daler', 'lader'], 'dalesman': ['dalesman', 'leadsman'], 'dali': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dalle': ['dalle', 'della', 'ladle'], 'dallying': ['dallying', 'ladyling'], 'dalt': ['dalt', 'tald'], 'dalteen': ['dalteen', 'dentale', 'edental'], 'dam': ['dam', 'mad'], 'dama': ['adam', 'dama'], 'damage': ['dagame', 'damage'], 'daman': ['adman', 'daman', 'namda'], 'damara': ['armada', 'damara', 'ramada'], 'dame': ['dame', 'made', 'mead'], 'damewort': ['damewort', 'wardmote'], 'damia': ['amadi', 'damia', 'madia', 'maida'], 'damie': ['amide', 'damie', 'media'], 'damier': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'damine': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'dammer': ['dammer', 'dramme'], 'dammish': ['dammish', 'mahdism'], 'damn': ['damn', 'mand'], 'damnation': ['damnation', 'mandation'], 'damnatory': ['damnatory', 'mandatory'], 'damned': ['damned', 'demand', 'madden'], 'damner': ['damner', 'manred', 'randem', 'remand'], 'damnii': ['amidin', 'damnii'], 'damnous': ['damnous', 'osmunda'], 'damon': ['damon', 'monad', 'nomad'], 'damone': ['daemon', 'damone', 'modena'], 'damonico': ['damonico', 'monoacid'], 'dampen': ['dampen', 'madnep'], 'damper': ['damper', 'ramped'], 'dampish': ['dampish', 'madship', 'phasmid'], 'dan': ['and', 'dan'], 'dana': ['anda', 'dana'], 'danaan': ['ananda', 'danaan'], 'danai': ['danai', 'diana', 'naiad'], 'danainae': ['anadenia', 'danainae'], 'danakil': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danalite': ['danalite', 'detainal'], 'dancalite': ['cadential', 'dancalite'], 'dance': ['dance', 'decan'], 'dancer': ['cedarn', 'dancer', 'nacred'], 'dancery': ['ardency', 'dancery'], 'dander': ['dander', 'darned', 'nadder'], 'dandle': ['dandle', 'landed'], 'dandler': ['dandler', 'dendral'], 'dane': ['ande', 'dane', 'dean', 'edna'], 'danewort': ['danewort', 'teardown'], 'danger': ['danger', 'gander', 'garden', 'ranged'], 'dangerful': ['dangerful', 'gardenful'], 'dangerless': ['dangerless', 'gardenless'], 'dangle': ['angled', 'dangle', 'englad', 'lagend'], 'dangler': ['dangler', 'gnarled'], 'danglin': ['danglin', 'landing'], 'dani': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'danian': ['andian', 'danian', 'nidana'], 'danic': ['canid', 'cnida', 'danic'], 'daniel': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'daniele': ['adeline', 'daniele', 'delaine'], 'danielic': ['alcidine', 'danielic', 'lecaniid'], 'danio': ['adion', 'danio', 'doina', 'donia'], 'danish': ['danish', 'sandhi'], 'danism': ['danism', 'disman'], 'danite': ['danite', 'detain'], 'dankali': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danli': ['danli', 'ladin', 'linda', 'nidal'], 'dannie': ['aidenn', 'andine', 'dannie', 'indane'], 'danseuse': ['danseuse', 'sudanese'], 'dantean': ['andante', 'dantean'], 'dantist': ['dantist', 'distant'], 'danuri': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dao': ['ado', 'dao', 'oda'], 'daoine': ['daoine', 'oneida'], 'dap': ['dap', 'pad'], 'daphnis': ['daphnis', 'dishpan'], 'dapicho': ['dapicho', 'phacoid'], 'dapple': ['dapple', 'lapped', 'palped'], 'dar': ['dar', 'rad'], 'daraf': ['daraf', 'farad'], 'darby': ['bardy', 'darby'], 'darci': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dare': ['ared', 'daer', 'dare', 'dear', 'read'], 'dareall': ['ardella', 'dareall'], 'daren': ['andre', 'arend', 'daren', 'redan'], 'darer': ['darer', 'drear'], 'darg': ['darg', 'drag', 'grad'], 'darger': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'dargo': ['dargo', 'dogra', 'drago'], 'dargsman': ['dargsman', 'dragsman'], 'dari': ['arid', 'dari', 'raid'], 'daric': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'darien': ['darien', 'draine'], 'darii': ['dairi', 'darii', 'radii'], 'darin': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'daring': ['daring', 'dingar', 'gradin'], 'darius': ['darius', 'radius'], 'darken': ['darken', 'kanred', 'ranked'], 'darkener': ['darkener', 'redarken'], 'darn': ['darn', 'nard', 'rand'], 'darned': ['dander', 'darned', 'nadder'], 'darnel': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'darner': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darning': ['darning', 'randing'], 'darrein': ['darrein', 'drainer'], 'darren': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darshana': ['darshana', 'shardana'], 'darst': ['darst', 'darts', 'strad'], 'dart': ['dart', 'drat'], 'darter': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'darting': ['darting', 'trading'], 'dartle': ['dartle', 'tardle'], 'dartoic': ['arctoid', 'carotid', 'dartoic'], 'dartre': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'dartrose': ['dartrose', 'roadster'], 'darts': ['darst', 'darts', 'strad'], 'daryl': ['daryl', 'lardy', 'lyard'], 'das': ['das', 'sad'], 'dash': ['dash', 'sadh', 'shad'], 'dashed': ['dashed', 'shaded'], 'dasheen': ['dasheen', 'enshade'], 'dasher': ['dasher', 'shader', 'sheard'], 'dashing': ['dashing', 'shading'], 'dashnak': ['dashnak', 'shadkan'], 'dashy': ['dashy', 'shady'], 'dasi': ['dais', 'dasi', 'disa', 'said', 'sida'], 'dasnt': ['dasnt', 'stand'], 'dasturi': ['dasturi', 'rudista'], 'dasya': ['adays', 'dasya'], 'dasyurine': ['dasyurine', 'dysneuria'], 'data': ['adat', 'data'], 'datable': ['albetad', 'datable'], 'dataria': ['dataria', 'radiata'], 'date': ['adet', 'date', 'tade', 'tead', 'teda'], 'dateless': ['dateless', 'detassel'], 'dater': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'datil': ['datil', 'dital', 'tidal', 'tilda'], 'datism': ['amidst', 'datism'], 'daub': ['baud', 'buda', 'daub'], 'dauber': ['dauber', 'redaub'], 'daubster': ['daubster', 'subtread'], 'daud': ['addu', 'dadu', 'daud', 'duad'], 'daunch': ['chandu', 'daunch'], 'daunter': ['daunter', 'unarted', 'unrated', 'untread'], 'dauntless': ['adultness', 'dauntless'], 'daur': ['ardu', 'daur', 'dura'], 'dave': ['dave', 'deva', 'vade', 'veda'], 'daven': ['daven', 'vaned'], 'davy': ['davy', 'vady'], 'daw': ['awd', 'daw', 'wad'], 'dawdler': ['dawdler', 'waddler'], 'dawdling': ['dawdling', 'waddling'], 'dawdlingly': ['dawdlingly', 'waddlingly'], 'dawdy': ['dawdy', 'waddy'], 'dawn': ['dawn', 'wand'], 'dawnlike': ['dawnlike', 'wandlike'], 'dawny': ['dawny', 'wandy'], 'day': ['ady', 'day', 'yad'], 'dayal': ['adlay', 'dayal'], 'dayfly': ['dayfly', 'ladyfy'], 'days': ['days', 'dyas'], 'daysman': ['daysman', 'mandyas'], 'daytime': ['daytime', 'maytide'], 'daywork': ['daywork', 'workday'], 'daze': ['adze', 'daze'], 'de': ['de', 'ed'], 'deacon': ['acnode', 'deacon'], 'deaconship': ['deaconship', 'endophasic'], 'dead': ['dade', 'dead', 'edda'], 'deadborn': ['deadborn', 'endboard'], 'deadener': ['deadener', 'endeared'], 'deadlock': ['deadlock', 'deckload'], 'deaf': ['deaf', 'fade'], 'deair': ['aider', 'deair', 'irade', 'redia'], 'deal': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dealable': ['dealable', 'leadable'], 'dealation': ['atloidean', 'dealation'], 'dealer': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'dealership': ['dealership', 'leadership'], 'dealing': ['adeling', 'dealing', 'leading'], 'dealt': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deaminase': ['deaminase', 'mesadenia'], 'dean': ['ande', 'dane', 'dean', 'edna'], 'deaner': ['deaner', 'endear'], 'deaness': ['deaness', 'edessan'], 'deaquation': ['adequation', 'deaquation'], 'dear': ['ared', 'daer', 'dare', 'dear', 'read'], 'dearie': ['aeried', 'dearie'], 'dearth': ['dearth', 'hatred', 'rathed', 'thread'], 'deary': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'deash': ['deash', 'hades', 'sadhe', 'shade'], 'deasil': ['aisled', 'deasil', 'ladies', 'sailed'], 'deave': ['deave', 'eaved', 'evade'], 'deb': ['bed', 'deb'], 'debacle': ['belaced', 'debacle'], 'debar': ['ardeb', 'beard', 'bread', 'debar'], 'debark': ['bedark', 'debark'], 'debaser': ['debaser', 'sabered'], 'debater': ['betread', 'debater'], 'deben': ['beden', 'deben', 'deneb'], 'debi': ['beid', 'bide', 'debi', 'dieb'], 'debile': ['debile', 'edible'], 'debit': ['bidet', 'debit'], 'debosh': ['beshod', 'debosh'], 'debrief': ['debrief', 'defiber', 'fibered'], 'debutant': ['debutant', 'unbatted'], 'debutante': ['debutante', 'unabetted'], 'decachord': ['decachord', 'dodecarch'], 'decadic': ['caddice', 'decadic'], 'decal': ['clead', 'decal', 'laced'], 'decalin': ['cladine', 'decalin', 'iceland'], 'decaliter': ['decaliter', 'decalitre'], 'decalitre': ['decaliter', 'decalitre'], 'decameter': ['decameter', 'decametre'], 'decametre': ['decameter', 'decametre'], 'decan': ['dance', 'decan'], 'decanal': ['candela', 'decanal'], 'decani': ['decani', 'decian'], 'decant': ['cadent', 'canted', 'decant'], 'decantate': ['catenated', 'decantate'], 'decanter': ['crenated', 'decanter', 'nectared'], 'decantherous': ['countershade', 'decantherous'], 'decap': ['caped', 'decap', 'paced'], 'decart': ['cedrat', 'decart', 'redact'], 'decastere': ['decastere', 'desecrate'], 'decator': ['cordate', 'decator', 'redcoat'], 'decay': ['acedy', 'decay'], 'deceiver': ['deceiver', 'received'], 'decennia': ['cadinene', 'decennia', 'enneadic'], 'decennial': ['celandine', 'decennial'], 'decent': ['cedent', 'decent'], 'decenter': ['centered', 'decenter', 'decentre', 'recedent'], 'decentre': ['centered', 'decenter', 'decentre', 'recedent'], 'decern': ['cendre', 'decern'], 'decian': ['decani', 'decian'], 'deciatine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'decider': ['decider', 'decried'], 'decillion': ['celloidin', 'collidine', 'decillion'], 'decima': ['amiced', 'decima'], 'decimal': ['camelid', 'decimal', 'declaim', 'medical'], 'decimally': ['decimally', 'medically'], 'decimate': ['decimate', 'medicate'], 'decimation': ['decimation', 'medication'], 'decimator': ['decimator', 'medicator', 'mordicate'], 'decimestrial': ['decimestrial', 'sedimetrical'], 'decimosexto': ['decimosexto', 'sextodecimo'], 'deckel': ['deckel', 'deckle'], 'decker': ['decker', 'redeck'], 'deckle': ['deckel', 'deckle'], 'deckload': ['deadlock', 'deckload'], 'declaim': ['camelid', 'decimal', 'declaim', 'medical'], 'declaimer': ['declaimer', 'demiracle'], 'declaration': ['declaration', 'redactional'], 'declare': ['cedrela', 'creedal', 'declare'], 'declass': ['classed', 'declass'], 'declinate': ['declinate', 'encitadel'], 'declinatory': ['adrenolytic', 'declinatory'], 'decoat': ['coated', 'decoat'], 'decollate': ['decollate', 'ocellated'], 'decollator': ['corollated', 'decollator'], 'decolor': ['colored', 'croodle', 'decolor'], 'decompress': ['compressed', 'decompress'], 'deconsider': ['considered', 'deconsider'], 'decorate': ['decorate', 'ocreated'], 'decoration': ['carotenoid', 'coronadite', 'decoration'], 'decorist': ['decorist', 'sectroid'], 'decream': ['decream', 'racemed'], 'decree': ['decree', 'recede'], 'decreer': ['decreer', 'receder'], 'decreet': ['decreet', 'decrete'], 'decrepit': ['decrepit', 'depicter', 'precited'], 'decrete': ['decreet', 'decrete'], 'decretist': ['decretist', 'trisected'], 'decrial': ['decrial', 'radicel', 'radicle'], 'decried': ['decider', 'decried'], 'decrown': ['crowned', 'decrown'], 'decry': ['cedry', 'decry'], 'decurionate': ['counteridea', 'decurionate'], 'decurrency': ['decurrency', 'recrudency'], 'decursion': ['cinderous', 'decursion'], 'decus': ['decus', 'duces'], 'decyl': ['clyde', 'decyl'], 'decylic': ['cyclide', 'decylic', 'dicycle'], 'dedan': ['dedan', 'denda'], 'dedicant': ['addicent', 'dedicant'], 'dedo': ['dedo', 'dode', 'eddo'], 'deduce': ['deduce', 'deuced'], 'deduct': ['deduct', 'ducted'], 'deem': ['deem', 'deme', 'mede', 'meed'], 'deemer': ['deemer', 'meered', 'redeem', 'remede'], 'deep': ['deep', 'peed'], 'deer': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deerhair': ['deerhair', 'dehairer'], 'deerhorn': ['deerhorn', 'dehorner'], 'deerwood': ['deerwood', 'doorweed'], 'defat': ['defat', 'fated'], 'defaulter': ['defaulter', 'redefault'], 'defeater': ['defeater', 'federate', 'redefeat'], 'defensor': ['defensor', 'foresend'], 'defer': ['defer', 'freed'], 'defial': ['afield', 'defial'], 'defiber': ['debrief', 'defiber', 'fibered'], 'defile': ['defile', 'fidele'], 'defiled': ['defiled', 'fielded'], 'defiler': ['defiler', 'fielder'], 'definable': ['beanfield', 'definable'], 'define': ['define', 'infeed'], 'definer': ['definer', 'refined'], 'deflect': ['clefted', 'deflect'], 'deflesh': ['deflesh', 'fleshed'], 'deflex': ['deflex', 'flexed'], 'deflower': ['deflower', 'flowered'], 'defluent': ['defluent', 'unfelted'], 'defog': ['defog', 'fodge'], 'deforciant': ['deforciant', 'fornicated'], 'deforest': ['deforest', 'forested'], 'deform': ['deform', 'formed'], 'deformer': ['deformer', 'reformed'], 'defray': ['defray', 'frayed'], 'defrost': ['defrost', 'frosted'], 'deg': ['deg', 'ged'], 'degarnish': ['degarnish', 'garnished'], 'degasser': ['degasser', 'dressage'], 'degelation': ['degelation', 'delegation'], 'degrain': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'degu': ['degu', 'gude'], 'dehair': ['dehair', 'haired'], 'dehairer': ['deerhair', 'dehairer'], 'dehorn': ['dehorn', 'horned'], 'dehorner': ['deerhorn', 'dehorner'], 'dehors': ['dehors', 'rhodes', 'shoder', 'shored'], 'dehortation': ['dehortation', 'theriodonta'], 'dehusk': ['dehusk', 'husked'], 'deicer': ['ceride', 'deicer'], 'deictical': ['deictical', 'dialectic'], 'deification': ['deification', 'edification'], 'deificatory': ['deificatory', 'edificatory'], 'deifier': ['deifier', 'edifier'], 'deify': ['deify', 'edify'], 'deign': ['deign', 'dinge', 'nidge'], 'deino': ['deino', 'dione', 'edoni'], 'deinocephalia': ['deinocephalia', 'palaeechinoid'], 'deinos': ['deinos', 'donsie', 'inodes', 'onside'], 'deipara': ['deipara', 'paridae'], 'deirdre': ['deirdre', 'derider', 'derride', 'ridered'], 'deism': ['deism', 'disme'], 'deist': ['deist', 'steid'], 'deistic': ['deistic', 'dietics'], 'deistically': ['deistically', 'dialystelic'], 'deity': ['deity', 'tydie'], 'deityship': ['deityship', 'diphysite'], 'del': ['del', 'eld', 'led'], 'delaine': ['adeline', 'daniele', 'delaine'], 'delaminate': ['antemedial', 'delaminate'], 'delapse': ['delapse', 'sepaled'], 'delate': ['delate', 'elated'], 'delater': ['delater', 'related', 'treadle'], 'delator': ['delator', 'leotard'], 'delawn': ['delawn', 'lawned', 'wandle'], 'delay': ['delay', 'leady'], 'delayer': ['delayer', 'layered', 'redelay'], 'delayful': ['delayful', 'feudally'], 'dele': ['dele', 'lede', 'leed'], 'delead': ['delead', 'leaded'], 'delegation': ['degelation', 'delegation'], 'delegatory': ['delegatory', 'derogately'], 'delete': ['delete', 'teedle'], 'delf': ['delf', 'fled'], 'delhi': ['delhi', 'hield'], 'delia': ['adiel', 'delia', 'ideal'], 'delian': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'delible': ['bellied', 'delible'], 'delicateness': ['delicateness', 'delicatessen'], 'delicatessen': ['delicateness', 'delicatessen'], 'delichon': ['chelidon', 'chelonid', 'delichon'], 'delict': ['delict', 'deltic'], 'deligation': ['deligation', 'gadolinite', 'gelatinoid'], 'delignate': ['delignate', 'gelatined'], 'delimit': ['delimit', 'limited'], 'delimitation': ['delimitation', 'mniotiltidae'], 'delineator': ['delineator', 'rondeletia'], 'delint': ['delint', 'dentil'], 'delirament': ['delirament', 'derailment'], 'deliriant': ['deliriant', 'draintile', 'interlaid'], 'deliver': ['deliver', 'deviler', 'livered'], 'deliverer': ['deliverer', 'redeliver'], 'della': ['dalle', 'della', 'ladle'], 'deloul': ['deloul', 'duello'], 'delphinius': ['delphinius', 'sulphinide'], 'delta': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deltaic': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'deltic': ['delict', 'deltic'], 'deluding': ['deluding', 'ungilded'], 'delusion': ['delusion', 'unsoiled'], 'delusionist': ['delusionist', 'indissolute'], 'deluster': ['deluster', 'ulstered'], 'demal': ['demal', 'medal'], 'demand': ['damned', 'demand', 'madden'], 'demander': ['demander', 'redemand'], 'demanding': ['demanding', 'maddening'], 'demandingly': ['demandingly', 'maddeningly'], 'demantoid': ['demantoid', 'dominated'], 'demarcate': ['camerated', 'demarcate'], 'demarcation': ['demarcation', 'democratian'], 'demark': ['demark', 'marked'], 'demast': ['demast', 'masted'], 'deme': ['deem', 'deme', 'mede', 'meed'], 'demean': ['amende', 'demean', 'meaned', 'nadeem'], 'demeanor': ['demeanor', 'enamored'], 'dementia': ['dementia', 'mendaite'], 'demerit': ['demerit', 'dimeter', 'merited', 'mitered'], 'demerol': ['demerol', 'modeler', 'remodel'], 'demetrian': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'demi': ['demi', 'diem', 'dime', 'mide'], 'demibrute': ['bermudite', 'demibrute'], 'demicannon': ['cinnamoned', 'demicannon'], 'demicanon': ['demicanon', 'dominance'], 'demidog': ['demidog', 'demigod'], 'demigod': ['demidog', 'demigod'], 'demiluster': ['demiluster', 'demilustre'], 'demilustre': ['demiluster', 'demilustre'], 'demiparallel': ['demiparallel', 'imparalleled'], 'demipronation': ['demipronation', 'preadmonition', 'predomination'], 'demiracle': ['declaimer', 'demiracle'], 'demiram': ['demiram', 'mermaid'], 'demirep': ['demirep', 'epiderm', 'impeder', 'remiped'], 'demirobe': ['demirobe', 'embodier'], 'demisable': ['beadleism', 'demisable'], 'demise': ['demise', 'diseme'], 'demit': ['demit', 'timed'], 'demiturned': ['demiturned', 'undertimed'], 'demob': ['demob', 'mobed'], 'democratian': ['demarcation', 'democratian'], 'demolisher': ['demolisher', 'redemolish'], 'demoniac': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'demoniacism': ['demoniacism', 'seminomadic'], 'demonial': ['demonial', 'melanoid'], 'demoniast': ['ademonist', 'demoniast', 'staminode'], 'demonish': ['demonish', 'hedonism'], 'demonism': ['demonism', 'medimnos', 'misnomed'], 'demotics': ['comedist', 'demotics', 'docetism', 'domestic'], 'demotion': ['demotion', 'entomoid', 'moontide'], 'demount': ['demount', 'mounted'], 'demurrer': ['demurrer', 'murderer'], 'demurring': ['demurring', 'murdering'], 'demurringly': ['demurringly', 'murderingly'], 'demy': ['demy', 'emyd'], 'den': ['den', 'end', 'ned'], 'denarius': ['denarius', 'desaurin', 'unraised'], 'denaro': ['denaro', 'orenda'], 'denary': ['denary', 'yander'], 'denat': ['denat', 'entad'], 'denature': ['denature', 'undereat'], 'denda': ['dedan', 'denda'], 'dendral': ['dandler', 'dendral'], 'dendrite': ['dendrite', 'tindered'], 'dendrites': ['dendrites', 'distender', 'redistend'], 'dene': ['dene', 'eden', 'need'], 'deneb': ['beden', 'deben', 'deneb'], 'dengue': ['dengue', 'unedge'], 'denial': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'denier': ['denier', 'nereid'], 'denierer': ['denierer', 'reindeer'], 'denigrate': ['argentide', 'denigrate', 'dinergate'], 'denim': ['denim', 'mendi'], 'denis': ['denis', 'snide'], 'denominate': ['denominate', 'emendation'], 'denotable': ['denotable', 'detonable'], 'denotation': ['denotation', 'detonation'], 'denotative': ['denotative', 'detonative'], 'denotive': ['denotive', 'devonite'], 'denouncer': ['denouncer', 'unencored'], 'dense': ['dense', 'needs'], 'denshare': ['denshare', 'seerhand'], 'denshire': ['denshire', 'drisheen'], 'density': ['density', 'destiny'], 'dent': ['dent', 'tend'], 'dental': ['dental', 'tandle'], 'dentale': ['dalteen', 'dentale', 'edental'], 'dentalism': ['dentalism', 'dismantle'], 'dentaria': ['anteriad', 'atridean', 'dentaria'], 'dentatoserrate': ['dentatoserrate', 'serratodentate'], 'dentatosinuate': ['dentatosinuate', 'sinuatodentate'], 'denter': ['denter', 'rented', 'tender'], 'dentex': ['dentex', 'extend'], 'denticle': ['cliented', 'denticle'], 'denticular': ['denticular', 'unarticled'], 'dentil': ['delint', 'dentil'], 'dentilingual': ['dentilingual', 'indulgential', 'linguidental'], 'dentin': ['dentin', 'indent', 'intend', 'tinned'], 'dentinal': ['dentinal', 'teinland', 'tendinal'], 'dentine': ['dentine', 'nineted'], 'dentinitis': ['dentinitis', 'tendinitis'], 'dentinoma': ['dentinoma', 'nominated'], 'dentist': ['dentist', 'distent', 'stinted'], 'dentolabial': ['dentolabial', 'labiodental'], 'dentolingual': ['dentolingual', 'linguodental'], 'denture': ['denture', 'untreed'], 'denudative': ['denudative', 'undeviated'], 'denude': ['denude', 'dudeen'], 'denumeral': ['denumeral', 'undermeal', 'unrealmed'], 'denunciator': ['denunciator', 'underaction'], 'deny': ['deny', 'dyne'], 'deoppilant': ['deoppilant', 'pentaploid'], 'deota': ['deota', 'todea'], 'depa': ['depa', 'peda'], 'depaint': ['depaint', 'inadept', 'painted', 'patined'], 'depart': ['depart', 'parted', 'petard'], 'departition': ['departition', 'partitioned', 'trepidation'], 'departure': ['apertured', 'departure'], 'depas': ['depas', 'sepad', 'spade'], 'depencil': ['depencil', 'penciled', 'pendicle'], 'depender': ['depender', 'redepend'], 'depetticoat': ['depetticoat', 'petticoated'], 'depicter': ['decrepit', 'depicter', 'precited'], 'depiction': ['depiction', 'pectinoid'], 'depilate': ['depilate', 'leptidae', 'pileated'], 'depletion': ['depletion', 'diplotene'], 'deploration': ['deploration', 'periodontal'], 'deploy': ['deploy', 'podley'], 'depoh': ['depoh', 'ephod', 'hoped'], 'depolish': ['depolish', 'polished'], 'deport': ['deport', 'ported', 'redtop'], 'deportation': ['antitorpedo', 'deportation'], 'deposal': ['adelops', 'deposal'], 'deposer': ['deposer', 'reposed'], 'deposit': ['deposit', 'topside'], 'deposition': ['deposition', 'positioned'], 'depositional': ['depositional', 'despoliation'], 'depositure': ['depositure', 'pterideous'], 'deprave': ['deprave', 'pervade'], 'depraver': ['depraver', 'pervader'], 'depravingly': ['depravingly', 'pervadingly'], 'deprecable': ['deprecable', 'precedable'], 'deprecation': ['capernoited', 'deprecation'], 'depreciation': ['depreciation', 'predeication'], 'depressant': ['depressant', 'partedness'], 'deprint': ['deprint', 'printed'], 'deprival': ['deprival', 'prevalid'], 'deprivate': ['deprivate', 'predative'], 'deprive': ['deprive', 'previde'], 'depriver': ['depriver', 'predrive'], 'depurant': ['depurant', 'unparted'], 'depuration': ['depuration', 'portunidae'], 'deraign': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derail': ['ariled', 'derail', 'dialer'], 'derailment': ['delirament', 'derailment'], 'derange': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'deranged': ['deranged', 'gardened'], 'deranger': ['deranger', 'gardener'], 'derat': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'derate': ['derate', 'redate'], 'derater': ['derater', 'retrade', 'retread', 'treader'], 'deray': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'dere': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deregister': ['deregister', 'registered'], 'derelict': ['derelict', 'relicted'], 'deric': ['cider', 'cried', 'deric', 'dicer'], 'derider': ['deirdre', 'derider', 'derride', 'ridered'], 'deringa': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derision': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'derivation': ['derivation', 'ordinative'], 'derivational': ['derivational', 'revalidation'], 'derive': ['derive', 'redive'], 'deriver': ['deriver', 'redrive', 'rivered'], 'derma': ['armed', 'derma', 'dream', 'ramed'], 'dermad': ['dermad', 'madder'], 'dermal': ['dermal', 'marled', 'medlar'], 'dermatic': ['dermatic', 'timecard'], 'dermatine': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'dermatoneurosis': ['dermatoneurosis', 'neurodermatosis'], 'dermatophone': ['dermatophone', 'herpetomonad'], 'dermoblast': ['blastoderm', 'dermoblast'], 'dermol': ['dermol', 'molder', 'remold'], 'dermosclerite': ['dermosclerite', 'sclerodermite'], 'dern': ['dern', 'rend'], 'derogately': ['delegatory', 'derogately'], 'derogation': ['derogation', 'trogonidae'], 'derout': ['derout', 'detour', 'douter'], 'derride': ['deirdre', 'derider', 'derride', 'ridered'], 'derries': ['derries', 'desirer', 'resider', 'serried'], 'derringer': ['derringer', 'regrinder'], 'derry': ['derry', 'redry', 'ryder'], 'derust': ['derust', 'duster'], 'desalt': ['desalt', 'salted'], 'desand': ['desand', 'sadden', 'sanded'], 'desaurin': ['denarius', 'desaurin', 'unraised'], 'descendant': ['adscendent', 'descendant'], 'descender': ['descender', 'redescend'], 'descent': ['descent', 'scented'], 'description': ['description', 'discerption'], 'desecrate': ['decastere', 'desecrate'], 'desecration': ['considerate', 'desecration'], 'deseed': ['deseed', 'seeded'], 'desertic': ['creedist', 'desertic', 'discreet', 'discrete'], 'desertion': ['desertion', 'detersion'], 'deserver': ['deserver', 'reserved', 'reversed'], 'desex': ['desex', 'sexed'], 'deshabille': ['deshabille', 'shieldable'], 'desi': ['desi', 'ides', 'seid', 'side'], 'desiccation': ['desiccation', 'discoactine'], 'desight': ['desight', 'sighted'], 'design': ['design', 'singed'], 'designer': ['designer', 'redesign', 'resigned'], 'desilver': ['desilver', 'silvered'], 'desirable': ['desirable', 'redisable'], 'desire': ['desire', 'reside'], 'desirer': ['derries', 'desirer', 'resider', 'serried'], 'desirous': ['desirous', 'siderous'], 'desition': ['desition', 'sedition'], 'desma': ['desma', 'mesad'], 'desman': ['amends', 'desman'], 'desmopathy': ['desmopathy', 'phymatodes'], 'desorption': ['desorption', 'priodontes'], 'despair': ['despair', 'pardesi'], 'despairing': ['despairing', 'spinigrade'], 'desperation': ['desperation', 'esperantido'], 'despise': ['despise', 'pedesis'], 'despiser': ['despiser', 'disperse'], 'despoil': ['despoil', 'soliped', 'spoiled'], 'despoiler': ['despoiler', 'leprosied'], 'despoliation': ['depositional', 'despoliation'], 'despot': ['despot', 'posted'], 'despotat': ['despotat', 'postdate'], 'dessert': ['dessert', 'tressed'], 'destain': ['destain', 'instead', 'sainted', 'satined'], 'destine': ['destine', 'edestin'], 'destinism': ['destinism', 'timidness'], 'destiny': ['density', 'destiny'], 'desugar': ['desugar', 'sugared'], 'detail': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'detailer': ['detailer', 'elaterid'], 'detain': ['danite', 'detain'], 'detainal': ['danalite', 'detainal'], 'detar': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'detassel': ['dateless', 'detassel'], 'detax': ['detax', 'taxed'], 'detecter': ['detecter', 'redetect'], 'detent': ['detent', 'netted', 'tented'], 'deter': ['deter', 'treed'], 'determinant': ['determinant', 'detrainment'], 'detersion': ['desertion', 'detersion'], 'detest': ['detest', 'tested'], 'dethrone': ['dethrone', 'threnode'], 'detin': ['detin', 'teind', 'tined'], 'detinet': ['detinet', 'dinette'], 'detonable': ['denotable', 'detonable'], 'detonation': ['denotation', 'detonation'], 'detonative': ['denotative', 'detonative'], 'detonator': ['detonator', 'tetraodon'], 'detour': ['derout', 'detour', 'douter'], 'detracter': ['detracter', 'retracted'], 'detraction': ['detraction', 'doctrinate', 'tetarconid'], 'detrain': ['antired', 'detrain', 'randite', 'trained'], 'detrainment': ['determinant', 'detrainment'], 'detrusion': ['detrusion', 'tinderous', 'unstoried'], 'detrusive': ['detrusive', 'divesture', 'servitude'], 'deuce': ['deuce', 'educe'], 'deuced': ['deduce', 'deuced'], 'deul': ['deul', 'duel', 'leud'], 'deva': ['dave', 'deva', 'vade', 'veda'], 'devance': ['devance', 'vendace'], 'develin': ['develin', 'endevil'], 'developer': ['developer', 'redevelop'], 'devil': ['devil', 'divel', 'lived'], 'deviler': ['deliver', 'deviler', 'livered'], 'devisceration': ['considerative', 'devisceration'], 'deviser': ['deviser', 'diverse', 'revised'], 'devitrify': ['devitrify', 'fervidity'], 'devoid': ['devoid', 'voided'], 'devoir': ['devoir', 'voider'], 'devonite': ['denotive', 'devonite'], 'devourer': ['devourer', 'overdure', 'overrude'], 'devow': ['devow', 'vowed'], 'dew': ['dew', 'wed'], 'dewan': ['awned', 'dewan', 'waned'], 'dewater': ['dewater', 'tarweed', 'watered'], 'dewer': ['dewer', 'ewder', 'rewed'], 'dewey': ['dewey', 'weedy'], 'dewily': ['dewily', 'widely', 'wieldy'], 'dewiness': ['dewiness', 'wideness'], 'dewool': ['dewool', 'elwood', 'wooled'], 'deworm': ['deworm', 'wormed'], 'dewy': ['dewy', 'wyde'], 'dextraural': ['dextraural', 'extradural'], 'dextrosinistral': ['dextrosinistral', 'sinistrodextral'], 'dey': ['dey', 'dye', 'yed'], 'deyhouse': ['deyhouse', 'dyehouse'], 'deyship': ['deyship', 'diphyes'], 'dezinc': ['dezinc', 'zendic'], 'dha': ['dah', 'dha', 'had'], 'dhamnoo': ['dhamnoo', 'hoodman', 'manhood'], 'dhan': ['dhan', 'hand'], 'dharna': ['andhra', 'dharna'], 'dheri': ['dheri', 'hider', 'hired'], 'dhobi': ['bodhi', 'dhobi'], 'dhoon': ['dhoon', 'hondo'], 'dhu': ['dhu', 'hud'], 'di': ['di', 'id'], 'diabolist': ['diabolist', 'idioblast'], 'diacetin': ['diacetin', 'indicate'], 'diacetine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'diacetyl': ['diacetyl', 'lyctidae'], 'diachoretic': ['citharoedic', 'diachoretic'], 'diaclase': ['diaclase', 'sidalcea'], 'diaconal': ['cladonia', 'condalia', 'diaconal'], 'diact': ['diact', 'dicta'], 'diadem': ['diadem', 'mediad'], 'diaderm': ['admired', 'diaderm'], 'diaeretic': ['diaeretic', 'icteridae'], 'diagenetic': ['diagenetic', 'digenetica'], 'diageotropism': ['diageotropism', 'geodiatropism'], 'diagonal': ['diagonal', 'ganoidal', 'gonadial'], 'dial': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dialect': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'dialectic': ['deictical', 'dialectic'], 'dialector': ['dialector', 'lacertoid'], 'dialer': ['ariled', 'derail', 'dialer'], 'dialin': ['anilid', 'dialin', 'dianil', 'inlaid'], 'dialing': ['dialing', 'gliadin'], 'dialister': ['dialister', 'trailside'], 'diallelon': ['diallelon', 'llandeilo'], 'dialogism': ['dialogism', 'sigmoidal'], 'dialystelic': ['deistically', 'dialystelic'], 'dialytic': ['calidity', 'dialytic'], 'diamagnet': ['agminated', 'diamagnet'], 'diamantine': ['diamantine', 'inanimated'], 'diameter': ['diameter', 'diatreme'], 'diametric': ['citramide', 'diametric', 'matricide'], 'diamide': ['amidide', 'diamide', 'mididae'], 'diamine': ['amidine', 'diamine'], 'diamorphine': ['diamorphine', 'phronimidae'], 'dian': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'diana': ['danai', 'diana', 'naiad'], 'diander': ['diander', 'drained'], 'diane': ['diane', 'idean'], 'dianetics': ['andesitic', 'dianetics'], 'dianil': ['anilid', 'dialin', 'dianil', 'inlaid'], 'diapensia': ['diapensia', 'diaspinae'], 'diaper': ['diaper', 'paired'], 'diaphote': ['diaphote', 'hepatoid'], 'diaphtherin': ['diaphtherin', 'diphtherian'], 'diapnoic': ['diapnoic', 'pinacoid'], 'diapnotic': ['antipodic', 'diapnotic'], 'diaporthe': ['aphrodite', 'atrophied', 'diaporthe'], 'diarch': ['chidra', 'diarch'], 'diarchial': ['diarchial', 'rachidial'], 'diarchy': ['diarchy', 'hyracid'], 'diarian': ['aridian', 'diarian'], 'diary': ['dairy', 'diary', 'yaird'], 'diascia': ['ascidia', 'diascia'], 'diascope': ['diascope', 'psocidae', 'scopidae'], 'diaspinae': ['diapensia', 'diaspinae'], 'diastem': ['diastem', 'misdate'], 'diastema': ['adamsite', 'diastema'], 'diaster': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'diastole': ['diastole', 'isolated', 'sodalite', 'solidate'], 'diastrophic': ['aphrodistic', 'diastrophic'], 'diastrophy': ['diastrophy', 'dystrophia'], 'diatomales': ['diatomales', 'mastoidale', 'mastoideal'], 'diatomean': ['diatomean', 'mantoidea'], 'diatomin': ['diatomin', 'domitian'], 'diatonic': ['actinoid', 'diatonic', 'naticoid'], 'diatreme': ['diameter', 'diatreme'], 'diatropism': ['diatropism', 'prismatoid'], 'dib': ['bid', 'dib'], 'dibatis': ['dabitis', 'dibatis'], 'dibber': ['dibber', 'ribbed'], 'dibbler': ['dibbler', 'dribble'], 'dibrom': ['dibrom', 'morbid'], 'dicaryon': ['cynaroid', 'dicaryon'], 'dicast': ['dicast', 'stadic'], 'dice': ['dice', 'iced'], 'dicentra': ['crinated', 'dicentra'], 'dicer': ['cider', 'cried', 'deric', 'dicer'], 'diceras': ['diceras', 'radices', 'sidecar'], 'dich': ['chid', 'dich'], 'dichroite': ['dichroite', 'erichtoid', 'theriodic'], 'dichromat': ['chromatid', 'dichromat'], 'dichter': ['dichter', 'ditcher'], 'dicolic': ['codicil', 'dicolic'], 'dicolon': ['dicolon', 'dolcino'], 'dicoumarin': ['acridonium', 'dicoumarin'], 'dicta': ['diact', 'dicta'], 'dictaphone': ['dictaphone', 'endopathic'], 'dictational': ['antidotical', 'dictational'], 'dictionary': ['dictionary', 'indicatory'], 'dicyanine': ['cyanidine', 'dicyanine'], 'dicycle': ['cyclide', 'decylic', 'dicycle'], 'dicyema': ['dicyema', 'mediacy'], 'diddle': ['diddle', 'lidded'], 'diddler': ['diddler', 'driddle'], 'didym': ['didym', 'middy'], 'die': ['die', 'ide'], 'dieb': ['beid', 'bide', 'debi', 'dieb'], 'diego': ['diego', 'dogie', 'geoid'], 'dielytra': ['dielytra', 'tileyard'], 'diem': ['demi', 'diem', 'dime', 'mide'], 'dier': ['dier', 'dire', 'reid', 'ride'], 'diesel': ['diesel', 'sedile', 'seidel'], 'diet': ['diet', 'dite', 'edit', 'tide', 'tied'], 'dietal': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dieter': ['dieter', 'tiered'], 'dietic': ['citied', 'dietic'], 'dietics': ['deistic', 'dietics'], 'dig': ['dig', 'gid'], 'digenetica': ['diagenetic', 'digenetica'], 'digeny': ['digeny', 'dyeing'], 'digester': ['digester', 'redigest'], 'digitalein': ['digitalein', 'diligentia'], 'digitation': ['digitation', 'goniatitid'], 'digitonin': ['digitonin', 'indigotin'], 'digredient': ['digredient', 'reddingite'], 'dihalo': ['dihalo', 'haloid'], 'diiambus': ['basidium', 'diiambus'], 'dika': ['dika', 'kaid'], 'dikaryon': ['ankyroid', 'dikaryon'], 'dike': ['dike', 'keid'], 'dilacerate': ['dilacerate', 'lacertidae'], 'dilatant': ['atlantid', 'dilatant'], 'dilate': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dilater': ['dilater', 'lardite', 'redtail'], 'dilatometric': ['calotermitid', 'dilatometric'], 'dilator': ['dilator', 'ortalid'], 'dilatory': ['adroitly', 'dilatory', 'idolatry'], 'diligence': ['ceilinged', 'diligence'], 'diligentia': ['digitalein', 'diligentia'], 'dillue': ['dillue', 'illude'], 'dilluer': ['dilluer', 'illuder'], 'dilo': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'diluent': ['diluent', 'untiled'], 'dilute': ['dilute', 'dultie'], 'diluted': ['diluted', 'luddite'], 'dilutent': ['dilutent', 'untilted', 'untitled'], 'diluvian': ['diluvian', 'induvial'], 'dim': ['dim', 'mid'], 'dimatis': ['amidist', 'dimatis'], 'dimble': ['dimble', 'limbed'], 'dime': ['demi', 'diem', 'dime', 'mide'], 'dimer': ['dimer', 'mider'], 'dimera': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'dimeran': ['adermin', 'amerind', 'dimeran'], 'dimerous': ['dimerous', 'soredium'], 'dimeter': ['demerit', 'dimeter', 'merited', 'mitered'], 'dimetria': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'diminisher': ['diminisher', 'rediminish'], 'dimit': ['dimit', 'timid'], 'dimmer': ['dimmer', 'immerd', 'rimmed'], 'dimna': ['dimna', 'manid'], 'dimyarian': ['dimyarian', 'myrianida'], 'din': ['din', 'ind', 'nid'], 'dinah': ['ahind', 'dinah'], 'dinar': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'dinder': ['dinder', 'ridden', 'rinded'], 'dindle': ['dindle', 'niddle'], 'dine': ['dine', 'enid', 'inde', 'nide'], 'diner': ['diner', 'riden', 'rinde'], 'dinergate': ['argentide', 'denigrate', 'dinergate'], 'dinero': ['dinero', 'dorine'], 'dinette': ['detinet', 'dinette'], 'dineuric': ['dineuric', 'eurindic'], 'dingar': ['daring', 'dingar', 'gradin'], 'dinge': ['deign', 'dinge', 'nidge'], 'dingle': ['dingle', 'elding', 'engild', 'gilden'], 'dingo': ['dingo', 'doing', 'gondi', 'gonid'], 'dingwall': ['dingwall', 'windgall'], 'dingy': ['dingy', 'dying'], 'dinheiro': ['dinheiro', 'hernioid'], 'dinic': ['dinic', 'indic'], 'dining': ['dining', 'indign', 'niding'], 'dink': ['dink', 'kind'], 'dinkey': ['dinkey', 'kidney'], 'dinocerata': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'dinoceratan': ['carnationed', 'dinoceratan'], 'dinomic': ['dinomic', 'dominic'], 'dint': ['dint', 'tind'], 'dinus': ['dinus', 'indus', 'nidus'], 'dioeciopolygamous': ['dioeciopolygamous', 'polygamodioecious'], 'diogenite': ['diogenite', 'gideonite'], 'diol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dion': ['dion', 'nodi', 'odin'], 'dione': ['deino', 'dione', 'edoni'], 'diopter': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'dioptra': ['dioptra', 'parotid'], 'dioptral': ['dioptral', 'tripodal'], 'dioptric': ['dioptric', 'tripodic'], 'dioptrical': ['dioptrical', 'tripodical'], 'dioptry': ['dioptry', 'tripody'], 'diorama': ['amaroid', 'diorama'], 'dioramic': ['dioramic', 'dromicia'], 'dioscorein': ['dioscorein', 'dioscorine'], 'dioscorine': ['dioscorein', 'dioscorine'], 'dioscuri': ['dioscuri', 'sciuroid'], 'diose': ['diose', 'idose', 'oside'], 'diosmin': ['diosmin', 'odinism'], 'diosmotic': ['diosmotic', 'sodomitic'], 'diparentum': ['diparentum', 'unimparted'], 'dipetto': ['dipetto', 'diptote'], 'diphase': ['aphides', 'diphase'], 'diphaser': ['diphaser', 'parished', 'raphides', 'sephardi'], 'diphosphate': ['diphosphate', 'phosphatide'], 'diphtherian': ['diaphtherin', 'diphtherian'], 'diphyes': ['deyship', 'diphyes'], 'diphysite': ['deityship', 'diphysite'], 'dipicrate': ['dipicrate', 'patricide', 'pediatric'], 'diplanar': ['diplanar', 'prandial'], 'diplasion': ['aspidinol', 'diplasion'], 'dipleura': ['dipleura', 'epidural'], 'dipleural': ['dipleural', 'preludial'], 'diplocephalus': ['diplocephalus', 'pseudophallic'], 'diploe': ['diploe', 'dipole'], 'diploetic': ['diploetic', 'lepidotic'], 'diplotene': ['depletion', 'diplotene'], 'dipnoan': ['dipnoan', 'nonpaid', 'pandion'], 'dipolar': ['dipolar', 'polarid'], 'dipole': ['diploe', 'dipole'], 'dipsaceous': ['dipsaceous', 'spadiceous'], 'dipter': ['dipter', 'trepid'], 'dipteraceous': ['dipteraceous', 'epiceratodus'], 'dipteral': ['dipteral', 'tripedal'], 'dipterological': ['dipterological', 'pteridological'], 'dipterologist': ['dipterologist', 'pteridologist'], 'dipterology': ['dipterology', 'pteridology'], 'dipteros': ['dipteros', 'portside'], 'diptote': ['dipetto', 'diptote'], 'dirca': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dircaean': ['caridean', 'dircaean', 'radiance'], 'dire': ['dier', 'dire', 'reid', 'ride'], 'direct': ['credit', 'direct'], 'directable': ['creditable', 'directable'], 'directer': ['cedriret', 'directer', 'recredit', 'redirect'], 'direction': ['cretinoid', 'direction'], 'directional': ['clitoridean', 'directional'], 'directive': ['creditive', 'directive'], 'directly': ['directly', 'tridecyl'], 'directoire': ['cordierite', 'directoire'], 'director': ['creditor', 'director'], 'directorship': ['creditorship', 'directorship'], 'directress': ['creditress', 'directress'], 'directrix': ['creditrix', 'directrix'], 'direly': ['direly', 'idyler'], 'direption': ['direption', 'perdition', 'tropidine'], 'dirge': ['dirge', 'gride', 'redig', 'ridge'], 'dirgelike': ['dirgelike', 'ridgelike'], 'dirgeman': ['dirgeman', 'margined', 'midrange'], 'dirgler': ['dirgler', 'girdler'], 'dirten': ['dirten', 'rident', 'tinder'], 'dis': ['dis', 'sid'], 'disa': ['dais', 'dasi', 'disa', 'said', 'sida'], 'disadventure': ['disadventure', 'unadvertised'], 'disappearer': ['disappearer', 'redisappear'], 'disarmed': ['disarmed', 'misdread'], 'disastimeter': ['disastimeter', 'semistriated'], 'disattire': ['disattire', 'distraite'], 'disbud': ['disbud', 'disdub'], 'disburse': ['disburse', 'subsider'], 'discastle': ['clidastes', 'discastle'], 'discern': ['discern', 'rescind'], 'discerner': ['discerner', 'rescinder'], 'discernment': ['discernment', 'rescindment'], 'discerp': ['crisped', 'discerp'], 'discerption': ['description', 'discerption'], 'disclike': ['disclike', 'sicklied'], 'discoactine': ['desiccation', 'discoactine'], 'discoid': ['discoid', 'disodic'], 'discontinuer': ['discontinuer', 'undiscretion'], 'discounter': ['discounter', 'rediscount'], 'discoverer': ['discoverer', 'rediscover'], 'discreate': ['discreate', 'sericated'], 'discreet': ['creedist', 'desertic', 'discreet', 'discrete'], 'discreetly': ['discreetly', 'discretely'], 'discreetness': ['discreetness', 'discreteness'], 'discrepate': ['discrepate', 'pederastic'], 'discrete': ['creedist', 'desertic', 'discreet', 'discrete'], 'discretely': ['discreetly', 'discretely'], 'discreteness': ['discreetness', 'discreteness'], 'discretion': ['discretion', 'soricident'], 'discriminator': ['discriminator', 'doctrinairism'], 'disculpate': ['disculpate', 'spiculated'], 'discusser': ['discusser', 'rediscuss'], 'discutable': ['discutable', 'subdeltaic', 'subdialect'], 'disdub': ['disbud', 'disdub'], 'disease': ['disease', 'seaside'], 'diseme': ['demise', 'diseme'], 'disenact': ['disenact', 'distance'], 'disendow': ['disendow', 'downside'], 'disentwine': ['disentwine', 'indentwise'], 'disharmony': ['disharmony', 'hydramnios'], 'dishearten': ['dishearten', 'intershade'], 'dished': ['dished', 'eddish'], 'disherent': ['disherent', 'hinderest', 'tenderish'], 'dishling': ['dishling', 'hidlings'], 'dishonor': ['dishonor', 'ironshod'], 'dishorn': ['dishorn', 'dronish'], 'dishpan': ['daphnis', 'dishpan'], 'disilicate': ['disilicate', 'idealistic'], 'disimprove': ['disimprove', 'misprovide'], 'disk': ['disk', 'kids', 'skid'], 'dislocate': ['dislocate', 'lactoside'], 'disman': ['danism', 'disman'], 'dismantle': ['dentalism', 'dismantle'], 'disme': ['deism', 'disme'], 'dismemberer': ['dismemberer', 'disremember'], 'disnature': ['disnature', 'sturnidae', 'truandise'], 'disnest': ['disnest', 'dissent'], 'disodic': ['discoid', 'disodic'], 'disparage': ['disparage', 'grapsidae'], 'disparation': ['disparation', 'tridiapason'], 'dispatcher': ['dispatcher', 'redispatch'], 'dispensable': ['dispensable', 'piebaldness'], 'dispense': ['dispense', 'piedness'], 'disperse': ['despiser', 'disperse'], 'dispetal': ['dispetal', 'pedalist'], 'dispireme': ['dispireme', 'epidermis'], 'displayer': ['displayer', 'redisplay'], 'displeaser': ['displeaser', 'pearlsides'], 'disponee': ['disponee', 'openside'], 'disporum': ['disporum', 'misproud'], 'disprepare': ['disprepare', 'predespair'], 'disrate': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'disremember': ['dismemberer', 'disremember'], 'disrepute': ['disrepute', 'redispute'], 'disrespect': ['disrespect', 'disscepter'], 'disrupt': ['disrupt', 'prudist'], 'disscepter': ['disrespect', 'disscepter'], 'disseat': ['disseat', 'sestiad'], 'dissector': ['crosstied', 'dissector'], 'dissent': ['disnest', 'dissent'], 'dissenter': ['dissenter', 'tiredness'], 'dissertate': ['dissertate', 'statesider'], 'disserve': ['disserve', 'dissever'], 'dissever': ['disserve', 'dissever'], 'dissocial': ['cissoidal', 'dissocial'], 'dissolve': ['dissolve', 'voidless'], 'dissoul': ['dissoul', 'dulosis', 'solidus'], 'distale': ['distale', 'salited'], 'distance': ['disenact', 'distance'], 'distant': ['dantist', 'distant'], 'distater': ['distater', 'striated'], 'distender': ['dendrites', 'distender', 'redistend'], 'distent': ['dentist', 'distent', 'stinted'], 'distich': ['distich', 'stichid'], 'distillage': ['distillage', 'sigillated'], 'distiller': ['distiller', 'redistill'], 'distinguisher': ['distinguisher', 'redistinguish'], 'distoma': ['distoma', 'mastoid'], 'distome': ['distome', 'modiste'], 'distrainer': ['distrainer', 'redistrain'], 'distrait': ['distrait', 'triadist'], 'distraite': ['disattire', 'distraite'], 'disturber': ['disturber', 'redisturb'], 'disulphone': ['disulphone', 'unpolished'], 'disuniform': ['disuniform', 'indusiform'], 'dit': ['dit', 'tid'], 'dita': ['adit', 'dita'], 'dital': ['datil', 'dital', 'tidal', 'tilda'], 'ditcher': ['dichter', 'ditcher'], 'dite': ['diet', 'dite', 'edit', 'tide', 'tied'], 'diter': ['diter', 'tired', 'tried'], 'dithionic': ['chitinoid', 'dithionic'], 'ditone': ['ditone', 'intoed'], 'ditrochean': ['achondrite', 'ditrochean', 'ordanchite'], 'diuranate': ['diuranate', 'untiaraed'], 'diurna': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'diurnation': ['diurnation', 'induration'], 'diurne': ['diurne', 'inured', 'ruined', 'unride'], 'diva': ['avid', 'diva'], 'divan': ['divan', 'viand'], 'divata': ['divata', 'dvaita'], 'divel': ['devil', 'divel', 'lived'], 'diver': ['diver', 'drive'], 'diverge': ['diverge', 'grieved'], 'diverse': ['deviser', 'diverse', 'revised'], 'diverter': ['diverter', 'redivert', 'verditer'], 'divest': ['divest', 'vedist'], 'divesture': ['detrusive', 'divesture', 'servitude'], 'divisionism': ['divisionism', 'misdivision'], 'divorce': ['cervoid', 'divorce'], 'divorcee': ['coderive', 'divorcee'], 'do': ['do', 'od'], 'doable': ['albedo', 'doable'], 'doarium': ['doarium', 'uramido'], 'doat': ['doat', 'toad', 'toda'], 'doater': ['doater', 'toader'], 'doating': ['antigod', 'doating'], 'doatish': ['doatish', 'toadish'], 'dob': ['bod', 'dob'], 'dobe': ['bode', 'dobe'], 'dobra': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'dobrao': ['dobrao', 'doorba'], 'doby': ['body', 'boyd', 'doby'], 'doc': ['cod', 'doc'], 'docetism': ['comedist', 'demotics', 'docetism', 'domestic'], 'docile': ['cleoid', 'coiled', 'docile'], 'docity': ['cytoid', 'docity'], 'docker': ['corked', 'docker', 'redock'], 'doctorial': ['crotaloid', 'doctorial'], 'doctorship': ['doctorship', 'trophodisc'], 'doctrinairism': ['discriminator', 'doctrinairism'], 'doctrinate': ['detraction', 'doctrinate', 'tetarconid'], 'doctrine': ['centroid', 'doctrine'], 'documental': ['columnated', 'documental'], 'dod': ['dod', 'odd'], 'dode': ['dedo', 'dode', 'eddo'], 'dodecarch': ['decachord', 'dodecarch'], 'dodlet': ['dodlet', 'toddle'], 'dodman': ['dodman', 'oddman'], 'doe': ['doe', 'edo', 'ode'], 'doeg': ['doeg', 'doge', 'gode'], 'doer': ['doer', 'redo', 'rode', 'roed'], 'does': ['does', 'dose'], 'doesnt': ['doesnt', 'stoned'], 'dog': ['dog', 'god'], 'dogate': ['dogate', 'dotage', 'togaed'], 'dogbane': ['bondage', 'dogbane'], 'dogbite': ['bigoted', 'dogbite'], 'doge': ['doeg', 'doge', 'gode'], 'dogger': ['dogger', 'gorged'], 'doghead': ['doghead', 'godhead'], 'doghood': ['doghood', 'godhood'], 'dogie': ['diego', 'dogie', 'geoid'], 'dogless': ['dogless', 'glossed', 'godless'], 'doglike': ['doglike', 'godlike'], 'dogly': ['dogly', 'godly', 'goldy'], 'dogra': ['dargo', 'dogra', 'drago'], 'dogship': ['dogship', 'godship'], 'dogstone': ['dogstone', 'stegodon'], 'dogwatch': ['dogwatch', 'watchdog'], 'doina': ['adion', 'danio', 'doina', 'donia'], 'doing': ['dingo', 'doing', 'gondi', 'gonid'], 'doko': ['doko', 'dook'], 'dol': ['dol', 'lod', 'old'], 'dola': ['alod', 'dola', 'load', 'odal'], 'dolcian': ['dolcian', 'nodical'], 'dolciano': ['conoidal', 'dolciano'], 'dolcino': ['dicolon', 'dolcino'], 'dole': ['dole', 'elod', 'lode', 'odel'], 'dolesman': ['dolesman', 'lodesman'], 'doless': ['doless', 'dossel'], 'doli': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dolia': ['aloid', 'dolia', 'idola'], 'dolina': ['dolina', 'ladino'], 'doline': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'dolium': ['dolium', 'idolum'], 'dolly': ['dolly', 'lloyd'], 'dolman': ['almond', 'dolman'], 'dolor': ['dolor', 'drool'], 'dolose': ['dolose', 'oodles', 'soodle'], 'dolphin': ['dolphin', 'pinhold'], 'dolt': ['dolt', 'told'], 'dom': ['dom', 'mod'], 'domain': ['amidon', 'daimon', 'domain'], 'domainal': ['domainal', 'domanial'], 'domal': ['domal', 'modal'], 'domanial': ['domainal', 'domanial'], 'dome': ['dome', 'mode', 'moed'], 'domer': ['domer', 'drome'], 'domestic': ['comedist', 'demotics', 'docetism', 'domestic'], 'domic': ['comid', 'domic'], 'domical': ['domical', 'lacmoid'], 'dominance': ['demicanon', 'dominance'], 'dominate': ['dominate', 'nematoid'], 'dominated': ['demantoid', 'dominated'], 'domination': ['admonition', 'domination'], 'dominative': ['admonitive', 'dominative'], 'dominator': ['admonitor', 'dominator'], 'domine': ['domine', 'domnei', 'emodin', 'medino'], 'dominial': ['dominial', 'imolinda', 'limoniad'], 'dominic': ['dinomic', 'dominic'], 'domino': ['domino', 'monoid'], 'domitian': ['diatomin', 'domitian'], 'domnei': ['domine', 'domnei', 'emodin', 'medino'], 'don': ['don', 'nod'], 'donal': ['donal', 'nodal'], 'donar': ['adorn', 'donar', 'drona', 'radon'], 'donated': ['donated', 'nodated'], 'donatiaceae': ['actaeonidae', 'donatiaceae'], 'donatism': ['donatism', 'saintdom'], 'donator': ['donator', 'odorant', 'tornado'], 'done': ['done', 'node'], 'donet': ['donet', 'noted', 'toned'], 'dong': ['dong', 'gond'], 'donga': ['donga', 'gonad'], 'dongola': ['dongola', 'gondola'], 'dongon': ['dongon', 'nongod'], 'donia': ['adion', 'danio', 'doina', 'donia'], 'donna': ['donna', 'nonda'], 'donnert': ['donnert', 'tendron'], 'donnie': ['donnie', 'indone', 'ondine'], 'donor': ['donor', 'rondo'], 'donorship': ['donorship', 'rhodopsin'], 'donsie': ['deinos', 'donsie', 'inodes', 'onside'], 'donum': ['donum', 'mound'], 'doob': ['bodo', 'bood', 'doob'], 'dook': ['doko', 'dook'], 'dool': ['dool', 'lood'], 'dooli': ['dooli', 'iodol'], 'doom': ['doom', 'mood'], 'doomer': ['doomer', 'mooder', 'redoom', 'roomed'], 'dooms': ['dooms', 'sodom'], 'door': ['door', 'odor', 'oord', 'rood'], 'doorba': ['dobrao', 'doorba'], 'doorbell': ['bordello', 'doorbell'], 'doored': ['doored', 'odored'], 'doorframe': ['doorframe', 'reformado'], 'doorless': ['doorless', 'odorless'], 'doorplate': ['doorplate', 'leptodora'], 'doorpost': ['doorpost', 'doorstop'], 'doorstone': ['doorstone', 'roodstone'], 'doorstop': ['doorpost', 'doorstop'], 'doorweed': ['deerwood', 'doorweed'], 'dop': ['dop', 'pod'], 'dopa': ['apod', 'dopa'], 'doper': ['doper', 'pedro', 'pored'], 'dopplerite': ['dopplerite', 'lepidopter'], 'dor': ['dor', 'rod'], 'dora': ['dora', 'orad', 'road'], 'dorab': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'doree': ['doree', 'erode'], 'dori': ['dori', 'roid'], 'doria': ['aroid', 'doria', 'radio'], 'dorian': ['dorian', 'inroad', 'ordain'], 'dorical': ['cordial', 'dorical'], 'dorine': ['dinero', 'dorine'], 'dorlach': ['chordal', 'dorlach'], 'dormancy': ['dormancy', 'mordancy'], 'dormant': ['dormant', 'mordant'], 'dormer': ['dormer', 'remord'], 'dormie': ['dormie', 'moider'], 'dorn': ['dorn', 'rond'], 'dornic': ['dornic', 'nordic'], 'dorothea': ['dorothea', 'theodora'], 'dorp': ['dorp', 'drop', 'prod'], 'dorsel': ['dorsel', 'seldor', 'solder'], 'dorsoapical': ['dorsoapical', 'prosodiacal'], 'dorsocaudal': ['caudodorsal', 'dorsocaudal'], 'dorsocentral': ['centrodorsal', 'dorsocentral'], 'dorsocervical': ['cervicodorsal', 'dorsocervical'], 'dorsolateral': ['dorsolateral', 'laterodorsal'], 'dorsomedial': ['dorsomedial', 'mediodorsal'], 'dorsosacral': ['dorsosacral', 'sacrodorsal'], 'dorsoventrad': ['dorsoventrad', 'ventrodorsad'], 'dorsoventral': ['dorsoventral', 'ventrodorsal'], 'dorsoventrally': ['dorsoventrally', 'ventrodorsally'], 'dos': ['dos', 'ods', 'sod'], 'dosa': ['dosa', 'sado', 'soda'], 'dosage': ['dosage', 'seadog'], 'dose': ['does', 'dose'], 'doser': ['doser', 'rosed'], 'dosimetric': ['dosimetric', 'mediocrist'], 'dossel': ['doless', 'dossel'], 'dosser': ['dosser', 'sordes'], 'dot': ['dot', 'tod'], 'dotage': ['dogate', 'dotage', 'togaed'], 'dote': ['dote', 'tode', 'toed'], 'doter': ['doter', 'tored', 'trode'], 'doty': ['doty', 'tody'], 'doubler': ['boulder', 'doubler'], 'doubter': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'douc': ['douc', 'duco'], 'douce': ['coude', 'douce'], 'doum': ['doum', 'moud', 'odum'], 'doup': ['doup', 'updo'], 'dour': ['dour', 'duro', 'ordu', 'roud'], 'dourine': ['dourine', 'neuroid'], 'dourly': ['dourly', 'lourdy'], 'douser': ['douser', 'soured'], 'douter': ['derout', 'detour', 'douter'], 'dover': ['dover', 'drove', 'vedro'], 'dow': ['dow', 'owd', 'wod'], 'dowager': ['dowager', 'wordage'], 'dower': ['dower', 'rowed'], 'dowl': ['dowl', 'wold'], 'dowlas': ['dowlas', 'oswald'], 'downbear': ['downbear', 'rawboned'], 'downcome': ['comedown', 'downcome'], 'downer': ['downer', 'wonder', 'worden'], 'downingia': ['downingia', 'godwinian'], 'downset': ['downset', 'setdown'], 'downside': ['disendow', 'downside'], 'downtake': ['downtake', 'takedown'], 'downthrow': ['downthrow', 'throwdown'], 'downturn': ['downturn', 'turndown'], 'downward': ['downward', 'drawdown'], 'dowry': ['dowry', 'rowdy', 'wordy'], 'dowser': ['dowser', 'drowse'], 'doxa': ['doxa', 'odax'], 'doyle': ['doyle', 'yodel'], 'dozen': ['dozen', 'zoned'], 'drab': ['bard', 'brad', 'drab'], 'draba': ['barad', 'draba'], 'drabble': ['dabbler', 'drabble'], 'draco': ['cardo', 'draco'], 'draconic': ['cancroid', 'draconic'], 'draconis': ['draconis', 'sardonic'], 'dracontian': ['dracontian', 'octandrian'], 'drafter': ['drafter', 'redraft'], 'drag': ['darg', 'drag', 'grad'], 'draggle': ['draggle', 'raggled'], 'dragline': ['dragline', 'reginald', 'ringlead'], 'dragman': ['dragman', 'grandam', 'grandma'], 'drago': ['dargo', 'dogra', 'drago'], 'dragoman': ['dragoman', 'garamond', 'ondagram'], 'dragonize': ['dragonize', 'organized'], 'dragoon': ['dragoon', 'gadroon'], 'dragoonage': ['dragoonage', 'gadroonage'], 'dragsman': ['dargsman', 'dragsman'], 'drail': ['drail', 'laird', 'larid', 'liard'], 'drain': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'drainable': ['albardine', 'drainable'], 'drainage': ['drainage', 'gardenia'], 'draine': ['darien', 'draine'], 'drained': ['diander', 'drained'], 'drainer': ['darrein', 'drainer'], 'drainman': ['drainman', 'mandarin'], 'draintile': ['deliriant', 'draintile', 'interlaid'], 'drake': ['daker', 'drake', 'kedar', 'radek'], 'dramme': ['dammer', 'dramme'], 'drang': ['drang', 'grand'], 'drape': ['drape', 'padre'], 'drat': ['dart', 'drat'], 'drate': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'draw': ['draw', 'ward'], 'drawable': ['drawable', 'wardable'], 'drawback': ['backward', 'drawback'], 'drawbore': ['drawbore', 'wardrobe'], 'drawbridge': ['bridgeward', 'drawbridge'], 'drawdown': ['downward', 'drawdown'], 'drawee': ['drawee', 'rewade'], 'drawer': ['drawer', 'redraw', 'reward', 'warder'], 'drawers': ['drawers', 'resward'], 'drawfile': ['drawfile', 'lifeward'], 'drawgate': ['drawgate', 'gateward'], 'drawhead': ['drawhead', 'headward'], 'drawhorse': ['drawhorse', 'shoreward'], 'drawing': ['drawing', 'ginward', 'warding'], 'drawoff': ['drawoff', 'offward'], 'drawout': ['drawout', 'outdraw', 'outward'], 'drawsheet': ['drawsheet', 'watershed'], 'drawstop': ['drawstop', 'postward'], 'dray': ['adry', 'dray', 'yard'], 'drayage': ['drayage', 'yardage'], 'drayman': ['drayman', 'yardman'], 'dread': ['adder', 'dread', 'readd'], 'dreadly': ['dreadly', 'laddery'], 'dream': ['armed', 'derma', 'dream', 'ramed'], 'dreamage': ['dreamage', 'redamage'], 'dreamer': ['dreamer', 'redream'], 'dreamhole': ['dreamhole', 'heloderma'], 'dreamish': ['dreamish', 'semihard'], 'dreamland': ['dreamland', 'raddleman'], 'drear': ['darer', 'drear'], 'dreary': ['dreary', 'yarder'], 'dredge': ['dredge', 'gedder'], 'dree': ['deer', 'dere', 'dree', 'rede', 'reed'], 'dreiling': ['dreiling', 'gridelin'], 'dressage': ['degasser', 'dressage'], 'dresser': ['dresser', 'redress'], 'drib': ['bird', 'drib'], 'dribble': ['dibbler', 'dribble'], 'driblet': ['birdlet', 'driblet'], 'driddle': ['diddler', 'driddle'], 'drier': ['drier', 'rider'], 'driest': ['driest', 'stride'], 'driller': ['driller', 'redrill'], 'drillman': ['drillman', 'mandrill'], 'dringle': ['dringle', 'grindle'], 'drisheen': ['denshire', 'drisheen'], 'drive': ['diver', 'drive'], 'driven': ['driven', 'nervid', 'verdin'], 'drivescrew': ['drivescrew', 'screwdrive'], 'drogue': ['drogue', 'gourde'], 'drolly': ['drolly', 'lordly'], 'drome': ['domer', 'drome'], 'dromicia': ['dioramic', 'dromicia'], 'drona': ['adorn', 'donar', 'drona', 'radon'], 'drone': ['drone', 'ronde'], 'drongo': ['drongo', 'gordon'], 'dronish': ['dishorn', 'dronish'], 'drool': ['dolor', 'drool'], 'drop': ['dorp', 'drop', 'prod'], 'dropsy': ['dropsy', 'dryops'], 'drossel': ['drossel', 'rodless'], 'drove': ['dover', 'drove', 'vedro'], 'drow': ['drow', 'word'], 'drowse': ['dowser', 'drowse'], 'drub': ['burd', 'drub'], 'drugger': ['drugger', 'grudger'], 'druggery': ['druggery', 'grudgery'], 'drungar': ['drungar', 'gurnard'], 'drupe': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'drusean': ['asunder', 'drusean'], 'dryops': ['dropsy', 'dryops'], 'duad': ['addu', 'dadu', 'daud', 'duad'], 'dual': ['auld', 'dual', 'laud', 'udal'], 'duali': ['duali', 'dulia'], 'dualin': ['dualin', 'ludian', 'unlaid'], 'dualism': ['dualism', 'laudism'], 'dualist': ['dualist', 'laudist'], 'dub': ['bud', 'dub'], 'dubber': ['dubber', 'rubbed'], 'dubious': ['biduous', 'dubious'], 'dubitate': ['dubitate', 'tabitude'], 'ducal': ['cauld', 'ducal'], 'duces': ['decus', 'duces'], 'duckstone': ['duckstone', 'unstocked'], 'duco': ['douc', 'duco'], 'ducted': ['deduct', 'ducted'], 'duction': ['conduit', 'duction', 'noctuid'], 'duculinae': ['duculinae', 'nuculidae'], 'dudeen': ['denude', 'dudeen'], 'dudler': ['dudler', 'ruddle'], 'duel': ['deul', 'duel', 'leud'], 'dueler': ['dueler', 'eluder'], 'dueling': ['dueling', 'indulge'], 'duello': ['deloul', 'duello'], 'duenna': ['duenna', 'undean'], 'duer': ['duer', 'dure', 'rude', 'urde'], 'duffer': ['duffer', 'ruffed'], 'dufter': ['dufter', 'turfed'], 'dug': ['dug', 'gud'], 'duim': ['duim', 'muid'], 'dukery': ['dukery', 'duyker'], 'dulat': ['adult', 'dulat'], 'dulcian': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'dulciana': ['claudian', 'dulciana'], 'duler': ['duler', 'urled'], 'dulia': ['duali', 'dulia'], 'dullify': ['dullify', 'fluidly'], 'dulosis': ['dissoul', 'dulosis', 'solidus'], 'dulseman': ['dulseman', 'unalmsed'], 'dultie': ['dilute', 'dultie'], 'dum': ['dum', 'mud'], 'duma': ['duma', 'maud'], 'dumaist': ['dumaist', 'stadium'], 'dumontite': ['dumontite', 'unomitted'], 'dumple': ['dumple', 'plumed'], 'dunair': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dunal': ['dunal', 'laund', 'lunda', 'ulnad'], 'dunderpate': ['dunderpate', 'undeparted'], 'dune': ['dune', 'nude', 'unde'], 'dungaree': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'dungeon': ['dungeon', 'negundo'], 'dunger': ['dunger', 'gerund', 'greund', 'nudger'], 'dungol': ['dungol', 'ungold'], 'dungy': ['dungy', 'gundy'], 'dunite': ['dunite', 'united', 'untied'], 'dunlap': ['dunlap', 'upland'], 'dunne': ['dunne', 'unden'], 'dunner': ['dunner', 'undern'], 'dunpickle': ['dunpickle', 'unpickled'], 'dunstable': ['dunstable', 'unblasted', 'unstabled'], 'dunt': ['dunt', 'tund'], 'duny': ['duny', 'undy'], 'duo': ['duo', 'udo'], 'duodenal': ['duodenal', 'unloaded'], 'duodenocholecystostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'duodenojejunal': ['duodenojejunal', 'jejunoduodenal'], 'duodenopancreatectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'dup': ['dup', 'pud'], 'duper': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'dupion': ['dupion', 'unipod'], 'dupla': ['dupla', 'plaud'], 'duplone': ['duplone', 'unpoled'], 'dura': ['ardu', 'daur', 'dura'], 'durain': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'duramen': ['duramen', 'maunder', 'unarmed'], 'durance': ['durance', 'redunca', 'unraced'], 'durango': ['aground', 'durango'], 'durani': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'durant': ['durant', 'tundra'], 'durban': ['durban', 'undrab'], 'durdenite': ['durdenite', 'undertide'], 'dure': ['duer', 'dure', 'rude', 'urde'], 'durene': ['durene', 'endure'], 'durenol': ['durenol', 'lounder', 'roundel'], 'durgan': ['durgan', 'undrag'], 'durian': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'during': ['during', 'ungird'], 'durity': ['durity', 'rudity'], 'durmast': ['durmast', 'mustard'], 'duro': ['dour', 'duro', 'ordu', 'roud'], 'dusken': ['dusken', 'sundek'], 'dust': ['dust', 'stud'], 'duster': ['derust', 'duster'], 'dustin': ['dustin', 'nudist'], 'dustpan': ['dustpan', 'upstand'], 'dusty': ['dusty', 'study'], 'duyker': ['dukery', 'duyker'], 'dvaita': ['divata', 'dvaita'], 'dwale': ['dwale', 'waled', 'weald'], 'dwine': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'dyad': ['addy', 'dyad'], 'dyas': ['days', 'dyas'], 'dye': ['dey', 'dye', 'yed'], 'dyehouse': ['deyhouse', 'dyehouse'], 'dyeing': ['digeny', 'dyeing'], 'dyer': ['dyer', 'yerd'], 'dying': ['dingy', 'dying'], 'dynamo': ['dynamo', 'monday'], 'dynamoelectric': ['dynamoelectric', 'electrodynamic'], 'dynamoelectrical': ['dynamoelectrical', 'electrodynamical'], 'dynamotor': ['androtomy', 'dynamotor'], 'dyne': ['deny', 'dyne'], 'dyophone': ['dyophone', 'honeypod'], 'dysluite': ['dysluite', 'sedulity'], 'dysneuria': ['dasyurine', 'dysneuria'], 'dysphoric': ['chrysopid', 'dysphoric'], 'dysphrenia': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'dystome': ['dystome', 'modesty'], 'dystrophia': ['diastrophy', 'dystrophia'], 'ea': ['ae', 'ea'], 'each': ['ache', 'each', 'haec'], 'eager': ['agree', 'eager', 'eagre'], 'eagle': ['aegle', 'eagle', 'galee'], 'eagless': ['ageless', 'eagless'], 'eaglet': ['eaglet', 'legate', 'teagle', 'telega'], 'eagre': ['agree', 'eager', 'eagre'], 'ean': ['ean', 'nae', 'nea'], 'ear': ['aer', 'are', 'ear', 'era', 'rea'], 'eared': ['eared', 'erade'], 'earful': ['earful', 'farleu', 'ferula'], 'earing': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'earl': ['earl', 'eral', 'lear', 'real'], 'earlap': ['earlap', 'parale'], 'earle': ['areel', 'earle'], 'earlet': ['earlet', 'elater', 'relate'], 'earliness': ['earliness', 'naileress'], 'earlship': ['earlship', 'pearlish'], 'early': ['early', 'layer', 'relay'], 'earn': ['arne', 'earn', 'rane'], 'earner': ['earner', 'ranere'], 'earnest': ['earnest', 'eastern', 'nearest'], 'earnestly': ['earnestly', 'easternly'], 'earnful': ['earnful', 'funeral'], 'earning': ['earning', 'engrain'], 'earplug': ['earplug', 'graupel', 'plaguer'], 'earring': ['earring', 'grainer'], 'earringed': ['earringed', 'grenadier'], 'earshot': ['asthore', 'earshot'], 'eartab': ['abater', 'artabe', 'eartab', 'trabea'], 'earth': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'earthborn': ['abhorrent', 'earthborn'], 'earthed': ['earthed', 'hearted'], 'earthen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'earthian': ['earthian', 'rhaetian'], 'earthiness': ['earthiness', 'heartiness'], 'earthless': ['earthless', 'heartless'], 'earthling': ['earthling', 'heartling'], 'earthly': ['earthly', 'heartly', 'lathery', 'rathely'], 'earthnut': ['earthnut', 'heartnut'], 'earthpea': ['earthpea', 'heartpea'], 'earthquake': ['earthquake', 'heartquake'], 'earthward': ['earthward', 'heartward'], 'earthy': ['earthy', 'hearty', 'yearth'], 'earwig': ['earwig', 'grewia'], 'earwitness': ['earwitness', 'wateriness'], 'easel': ['easel', 'lease'], 'easement': ['easement', 'estamene'], 'easer': ['easer', 'erase'], 'easily': ['easily', 'elysia'], 'easing': ['easing', 'sangei'], 'east': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eastabout': ['aetobatus', 'eastabout'], 'eastbound': ['eastbound', 'unboasted'], 'easter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easterling': ['easterling', 'generalist'], 'eastern': ['earnest', 'eastern', 'nearest'], 'easternly': ['earnestly', 'easternly'], 'easting': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'eastlake': ['alestake', 'eastlake'], 'eastre': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easy': ['easy', 'eyas'], 'eat': ['ate', 'eat', 'eta', 'tae', 'tea'], 'eatberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'eaten': ['eaten', 'enate'], 'eater': ['arete', 'eater', 'teaer'], 'eating': ['eating', 'ingate', 'tangie'], 'eats': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eave': ['eave', 'evea'], 'eaved': ['deave', 'eaved', 'evade'], 'eaver': ['eaver', 'reave'], 'eaves': ['eaves', 'evase', 'seave'], 'eben': ['been', 'bene', 'eben'], 'ebenales': ['ebenales', 'lebanese'], 'ebon': ['beno', 'bone', 'ebon'], 'ebony': ['boney', 'ebony'], 'ebriety': ['byerite', 'ebriety'], 'eburna': ['eburna', 'unbare', 'unbear', 'urbane'], 'eburnated': ['eburnated', 'underbeat', 'unrebated'], 'eburnian': ['eburnian', 'inurbane'], 'ecad': ['cade', 'dace', 'ecad'], 'ecanda': ['adance', 'ecanda'], 'ecardinal': ['ecardinal', 'lardacein'], 'ecarinate': ['anaeretic', 'ecarinate'], 'ecarte': ['cerate', 'create', 'ecarte'], 'ecaudata': ['acaudate', 'ecaudata'], 'ecclesiasticism': ['ecclesiasticism', 'misecclesiastic'], 'eche': ['chee', 'eche'], 'echelon': ['chelone', 'echelon'], 'echeveria': ['echeveria', 'reachieve'], 'echidna': ['chained', 'echidna'], 'echinal': ['chilean', 'echinal', 'nichael'], 'echinate': ['echinate', 'hecatine'], 'echinital': ['echinital', 'inethical'], 'echis': ['echis', 'shice'], 'echoer': ['choree', 'cohere', 'echoer'], 'echoic': ['choice', 'echoic'], 'echoist': ['chitose', 'echoist'], 'eciton': ['eciton', 'noetic', 'notice', 'octine'], 'eckehart': ['eckehart', 'hacktree'], 'eclair': ['carlie', 'claire', 'eclair', 'erical'], 'eclat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'eclipsable': ['eclipsable', 'spliceable'], 'eclipser': ['eclipser', 'pericles', 'resplice'], 'economics': ['economics', 'neocosmic'], 'economism': ['economism', 'monoecism', 'monosemic'], 'economist': ['economist', 'mesotonic'], 'ecorticate': ['ecorticate', 'octaeteric'], 'ecostate': ['coestate', 'ecostate'], 'ecotonal': ['colonate', 'ecotonal'], 'ecotype': ['ecotype', 'ocypete'], 'ecrasite': ['ecrasite', 'sericate'], 'ecru': ['cure', 'ecru', 'eruc'], 'ectad': ['cadet', 'ectad'], 'ectal': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'ectasis': ['ascites', 'ectasis'], 'ectene': ['cetene', 'ectene'], 'ectental': ['ectental', 'tentacle'], 'ectiris': ['ectiris', 'eristic'], 'ectocardia': ['coradicate', 'ectocardia'], 'ectocranial': ['calonectria', 'ectocranial'], 'ectoglia': ['ectoglia', 'geotical', 'goetical'], 'ectomorph': ['ectomorph', 'topchrome'], 'ectomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'ectomorphy': ['chromotype', 'cormophyte', 'ectomorphy'], 'ectopia': ['ectopia', 'opacite'], 'ectopy': ['cotype', 'ectopy'], 'ectorhinal': ['chlorinate', 'ectorhinal', 'tornachile'], 'ectosarc': ['ectosarc', 'reaccost'], 'ectrogenic': ['ectrogenic', 'egocentric', 'geocentric'], 'ectromelia': ['carmeloite', 'ectromelia', 'meteorical'], 'ectropion': ['ectropion', 'neotropic'], 'ed': ['de', 'ed'], 'edda': ['dade', 'dead', 'edda'], 'eddaic': ['caddie', 'eddaic'], 'eddish': ['dished', 'eddish'], 'eddo': ['dedo', 'dode', 'eddo'], 'edema': ['adeem', 'ameed', 'edema'], 'eden': ['dene', 'eden', 'need'], 'edental': ['dalteen', 'dentale', 'edental'], 'edentata': ['antedate', 'edentata'], 'edessan': ['deaness', 'edessan'], 'edestan': ['edestan', 'standee'], 'edestin': ['destine', 'edestin'], 'edgar': ['edgar', 'grade'], 'edger': ['edger', 'greed'], 'edgerman': ['edgerman', 'gendarme'], 'edgrew': ['edgrew', 'wedger'], 'edible': ['debile', 'edible'], 'edict': ['cetid', 'edict'], 'edictal': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'edification': ['deification', 'edification'], 'edificatory': ['deificatory', 'edificatory'], 'edifier': ['deifier', 'edifier'], 'edify': ['deify', 'edify'], 'edit': ['diet', 'dite', 'edit', 'tide', 'tied'], 'edital': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'edith': ['edith', 'ethid'], 'edition': ['edition', 'odinite', 'otidine', 'tineoid'], 'editor': ['editor', 'triode'], 'editorial': ['editorial', 'radiolite'], 'edmund': ['edmund', 'mudden'], 'edna': ['ande', 'dane', 'dean', 'edna'], 'edo': ['doe', 'edo', 'ode'], 'edoni': ['deino', 'dione', 'edoni'], 'education': ['coadunite', 'education', 'noctuidae'], 'educe': ['deuce', 'educe'], 'edward': ['edward', 'wadder', 'warded'], 'edwin': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'eel': ['eel', 'lee'], 'eelgrass': ['eelgrass', 'gearless', 'rageless'], 'eelpot': ['eelpot', 'opelet'], 'eelspear': ['eelspear', 'prelease'], 'eely': ['eely', 'yeel'], 'eer': ['eer', 'ere', 'ree'], 'efik': ['efik', 'fike'], 'eft': ['eft', 'fet'], 'egad': ['aged', 'egad', 'gade'], 'egba': ['egba', 'gabe'], 'egbo': ['bego', 'egbo'], 'egeran': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'egest': ['egest', 'geest', 'geste'], 'egger': ['egger', 'grege'], 'egghot': ['egghot', 'hogget'], 'eggler': ['eggler', 'legger'], 'eggy': ['eggy', 'yegg'], 'eglantine': ['eglantine', 'inelegant', 'legantine'], 'eglatere': ['eglatere', 'regelate', 'relegate'], 'egma': ['egma', 'game', 'mage'], 'ego': ['ego', 'geo'], 'egocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'egoist': ['egoist', 'stogie'], 'egol': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'egotheism': ['egotheism', 'eightsome'], 'egret': ['egret', 'greet', 'reget'], 'eh': ['eh', 'he'], 'ehretia': ['ehretia', 'etheria'], 'eident': ['eident', 'endite'], 'eidograph': ['eidograph', 'ideograph'], 'eidology': ['eidology', 'ideology'], 'eighth': ['eighth', 'height'], 'eightsome': ['egotheism', 'eightsome'], 'eigne': ['eigne', 'genie'], 'eileen': ['eileen', 'lienee'], 'ekaha': ['ekaha', 'hakea'], 'eke': ['eke', 'kee'], 'eker': ['eker', 'reek'], 'ekoi': ['ekoi', 'okie'], 'ekron': ['ekron', 'krone'], 'ektene': ['ektene', 'ketene'], 'elabrate': ['elabrate', 'tearable'], 'elaidic': ['aedilic', 'elaidic'], 'elaidin': ['anilide', 'elaidin'], 'elain': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elaine': ['aileen', 'elaine'], 'elamite': ['alemite', 'elamite'], 'elance': ['elance', 'enlace'], 'eland': ['eland', 'laden', 'lenad'], 'elanet': ['elanet', 'lanete', 'lateen'], 'elanus': ['elanus', 'unseal'], 'elaphomyces': ['elaphomyces', 'mesocephaly'], 'elaphurus': ['elaphurus', 'sulphurea'], 'elapid': ['aliped', 'elapid'], 'elapoid': ['elapoid', 'oedipal'], 'elaps': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'elapse': ['asleep', 'elapse', 'please'], 'elastic': ['astelic', 'elastic', 'latices'], 'elasticin': ['elasticin', 'inelastic', 'sciential'], 'elastin': ['elastin', 'salient', 'saltine', 'slainte'], 'elastomer': ['elastomer', 'salometer'], 'elate': ['atlee', 'elate'], 'elated': ['delate', 'elated'], 'elater': ['earlet', 'elater', 'relate'], 'elaterid': ['detailer', 'elaterid'], 'elaterin': ['elaterin', 'entailer', 'treenail'], 'elatha': ['althea', 'elatha'], 'elatine': ['elatine', 'lineate'], 'elation': ['alnoite', 'elation', 'toenail'], 'elator': ['elator', 'lorate'], 'elb': ['bel', 'elb'], 'elbert': ['belter', 'elbert', 'treble'], 'elberta': ['bearlet', 'bleater', 'elberta', 'retable'], 'elbow': ['below', 'bowel', 'elbow'], 'elbowed': ['boweled', 'elbowed'], 'eld': ['del', 'eld', 'led'], 'eldin': ['eldin', 'lined'], 'elding': ['dingle', 'elding', 'engild', 'gilden'], 'elean': ['anele', 'elean'], 'election': ['coteline', 'election'], 'elective': ['cleveite', 'elective'], 'elector': ['elector', 'electro'], 'electoral': ['electoral', 'recollate'], 'electra': ['electra', 'treacle'], 'electragy': ['electragy', 'glycerate'], 'electret': ['electret', 'tercelet'], 'electric': ['electric', 'lectrice'], 'electrion': ['centriole', 'electrion', 'relection'], 'electro': ['elector', 'electro'], 'electrodynamic': ['dynamoelectric', 'electrodynamic'], 'electrodynamical': ['dynamoelectrical', 'electrodynamical'], 'electromagnetic': ['electromagnetic', 'magnetoelectric'], 'electromagnetical': ['electromagnetical', 'magnetoelectrical'], 'electrothermic': ['electrothermic', 'thermoelectric'], 'electrothermometer': ['electrothermometer', 'thermoelectrometer'], 'elegant': ['angelet', 'elegant'], 'elegiambus': ['elegiambus', 'iambelegus'], 'elegiast': ['elegiast', 'selagite'], 'elemi': ['elemi', 'meile'], 'elemin': ['elemin', 'meline'], 'elephantic': ['elephantic', 'plancheite'], 'elettaria': ['elettaria', 'retaliate'], 'eleut': ['eleut', 'elute'], 'elevator': ['elevator', 'overlate'], 'elfin': ['elfin', 'nifle'], 'elfishness': ['elfishness', 'fleshiness'], 'elfkin': ['elfkin', 'finkel'], 'elfwort': ['elfwort', 'felwort'], 'eli': ['eli', 'lei', 'lie'], 'elia': ['aiel', 'aile', 'elia'], 'elian': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elias': ['aisle', 'elias'], 'elicitor': ['elicitor', 'trioleic'], 'eliminand': ['eliminand', 'mindelian'], 'elinor': ['elinor', 'lienor', 'lorien', 'noiler'], 'elinvar': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'elisha': ['elisha', 'hailse', 'sheila'], 'elisor': ['elisor', 'resoil'], 'elissa': ['elissa', 'lassie'], 'elite': ['elite', 'telei'], 'eliza': ['aizle', 'eliza'], 'elk': ['elk', 'lek'], 'ella': ['alle', 'ella', 'leal'], 'ellagate': ['allegate', 'ellagate'], 'ellenyard': ['ellenyard', 'learnedly'], 'ellick': ['ellick', 'illeck'], 'elliot': ['elliot', 'oillet'], 'elm': ['elm', 'mel'], 'elmer': ['elmer', 'merel', 'merle'], 'elmy': ['elmy', 'yelm'], 'eloah': ['eloah', 'haole'], 'elod': ['dole', 'elod', 'lode', 'odel'], 'eloge': ['eloge', 'golee'], 'elohimic': ['elohimic', 'hemiolic'], 'elohist': ['elohist', 'hostile'], 'eloign': ['eloign', 'gileno', 'legion'], 'eloigner': ['eloigner', 'legioner'], 'eloignment': ['eloignment', 'omnilegent'], 'elon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'elonite': ['elonite', 'leonite'], 'elops': ['elops', 'slope', 'spole'], 'elric': ['crile', 'elric', 'relic'], 'els': ['els', 'les'], 'elsa': ['elsa', 'sale', 'seal', 'slae'], 'else': ['else', 'lees', 'seel', 'sele', 'slee'], 'elsin': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'elt': ['elt', 'let'], 'eluate': ['aulete', 'eluate'], 'eluder': ['dueler', 'eluder'], 'elusion': ['elusion', 'luiseno'], 'elusory': ['elusory', 'yoursel'], 'elute': ['eleut', 'elute'], 'elution': ['elution', 'outline'], 'elutor': ['elutor', 'louter', 'outler'], 'elvan': ['elvan', 'navel', 'venal'], 'elvanite': ['elvanite', 'lavenite'], 'elver': ['elver', 'lever', 'revel'], 'elvet': ['elvet', 'velte'], 'elvira': ['averil', 'elvira'], 'elvis': ['elvis', 'levis', 'slive'], 'elwood': ['dewool', 'elwood', 'wooled'], 'elymi': ['elymi', 'emily', 'limey'], 'elysia': ['easily', 'elysia'], 'elytral': ['alertly', 'elytral'], 'elytrin': ['elytrin', 'inertly', 'trinely'], 'elytroposis': ['elytroposis', 'proteolysis'], 'elytrous': ['elytrous', 'urostyle'], 'em': ['em', 'me'], 'emanate': ['emanate', 'manatee'], 'emanation': ['amnionate', 'anamniote', 'emanation'], 'emanatist': ['emanatist', 'staminate', 'tasmanite'], 'embalmer': ['embalmer', 'emmarble'], 'embar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'embargo': ['bergamo', 'embargo'], 'embark': ['embark', 'markeb'], 'embay': ['beamy', 'embay', 'maybe'], 'ember': ['breme', 'ember'], 'embind': ['embind', 'nimbed'], 'embira': ['ambier', 'bremia', 'embira'], 'embodier': ['demirobe', 'embodier'], 'embody': ['beydom', 'embody'], 'embole': ['bemole', 'embole'], 'embraceor': ['cerebroma', 'embraceor'], 'embrail': ['embrail', 'mirabel'], 'embryoid': ['embryoid', 'reimbody'], 'embus': ['embus', 'sebum'], 'embusk': ['bemusk', 'embusk'], 'emcee': ['emcee', 'meece'], 'emeership': ['emeership', 'ephemeris'], 'emend': ['emend', 'mende'], 'emendation': ['denominate', 'emendation'], 'emendator': ['emendator', 'ondameter'], 'emerita': ['emerita', 'emirate'], 'emerse': ['emerse', 'seemer'], 'emersion': ['emersion', 'meriones'], 'emersonian': ['emersonian', 'mansioneer'], 'emesa': ['emesa', 'mease'], 'emigrate': ['emigrate', 'remigate'], 'emigration': ['emigration', 'remigation'], 'emil': ['emil', 'lime', 'mile'], 'emilia': ['emilia', 'mailie'], 'emily': ['elymi', 'emily', 'limey'], 'emim': ['emim', 'mime'], 'emir': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'emirate': ['emerita', 'emirate'], 'emirship': ['emirship', 'imperish'], 'emissary': ['emissary', 'missayer'], 'emit': ['emit', 'item', 'mite', 'time'], 'emitter': ['emitter', 'termite'], 'emm': ['emm', 'mem'], 'emmarble': ['embalmer', 'emmarble'], 'emodin': ['domine', 'domnei', 'emodin', 'medino'], 'emotion': ['emotion', 'moonite'], 'empanel': ['empanel', 'emplane', 'peelman'], 'empathic': ['empathic', 'emphatic'], 'empathically': ['empathically', 'emphatically'], 'emphasis': ['emphasis', 'misshape'], 'emphatic': ['empathic', 'emphatic'], 'emphatically': ['empathically', 'emphatically'], 'empire': ['empire', 'epimer'], 'empiricist': ['empiricist', 'empiristic'], 'empiristic': ['empiricist', 'empiristic'], 'emplane': ['empanel', 'emplane', 'peelman'], 'employer': ['employer', 'polymere'], 'emporia': ['emporia', 'meropia'], 'emporial': ['emporial', 'proemial'], 'emporium': ['emporium', 'pomerium', 'proemium'], 'emprise': ['emprise', 'imprese', 'premise', 'spireme'], 'empt': ['empt', 'temp'], 'emptier': ['emptier', 'impetre'], 'emption': ['emption', 'pimento'], 'emptional': ['emptional', 'palmitone'], 'emptor': ['emptor', 'trompe'], 'empyesis': ['empyesis', 'pyemesis'], 'emu': ['emu', 'ume'], 'emulant': ['almuten', 'emulant'], 'emulation': ['emulation', 'laumonite'], 'emulsion': ['emulsion', 'solenium'], 'emundation': ['emundation', 'mountained'], 'emyd': ['demy', 'emyd'], 'en': ['en', 'ne'], 'enable': ['baleen', 'enable'], 'enabler': ['enabler', 'renable'], 'enaction': ['cetonian', 'enaction'], 'enactor': ['enactor', 'necator', 'orcanet'], 'enactory': ['enactory', 'octenary'], 'enaena': ['aenean', 'enaena'], 'enalid': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'enaliornis': ['enaliornis', 'rosaniline'], 'enaluron': ['enaluron', 'neuronal'], 'enam': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'enamel': ['enamel', 'melena'], 'enameling': ['enameling', 'malengine', 'meningeal'], 'enamor': ['enamor', 'monera', 'oreman', 'romane'], 'enamored': ['demeanor', 'enamored'], 'enanthem': ['enanthem', 'menthane'], 'enantiomer': ['enantiomer', 'renominate'], 'enapt': ['enapt', 'paten', 'penta', 'tapen'], 'enarch': ['enarch', 'ranche'], 'enarm': ['enarm', 'namer', 'reman'], 'enarme': ['enarme', 'meaner', 'rename'], 'enarthrosis': ['enarthrosis', 'nearthrosis'], 'enate': ['eaten', 'enate'], 'enatic': ['acetin', 'actine', 'enatic'], 'enation': ['enation', 'etonian'], 'enbrave': ['enbrave', 'verbena'], 'encapsule': ['encapsule', 'pelecanus'], 'encase': ['encase', 'seance', 'seneca'], 'encash': ['encash', 'sanche'], 'encauma': ['cumaean', 'encauma'], 'encaustes': ['acuteness', 'encaustes'], 'encaustic': ['encaustic', 'succinate'], 'encephalomeningitis': ['encephalomeningitis', 'meningoencephalitis'], 'encephalomeningocele': ['encephalomeningocele', 'meningoencephalocele'], 'encephalomyelitis': ['encephalomyelitis', 'myeloencephalitis'], 'enchair': ['chainer', 'enchair', 'rechain'], 'encharge': ['encharge', 'rechange'], 'encharnel': ['channeler', 'encharnel'], 'enchytrae': ['cytherean', 'enchytrae'], 'encina': ['canine', 'encina', 'neanic'], 'encinillo': ['encinillo', 'linolenic'], 'encist': ['encist', 'incest', 'insect', 'scient'], 'encitadel': ['declinate', 'encitadel'], 'enclaret': ['celarent', 'centrale', 'enclaret'], 'enclasp': ['enclasp', 'spancel'], 'enclave': ['enclave', 'levance', 'valence'], 'enclosure': ['enclosure', 'recounsel'], 'encoignure': ['encoignure', 'neurogenic'], 'encoil': ['clione', 'coelin', 'encoil', 'enolic'], 'encomiastic': ['cosmetician', 'encomiastic'], 'encomic': ['comenic', 'encomic', 'meconic'], 'encomium': ['encomium', 'meconium'], 'encoronal': ['encoronal', 'olecranon'], 'encoronate': ['encoronate', 'entocornea'], 'encradle': ['calender', 'encradle'], 'encranial': ['carnelian', 'encranial'], 'encratic': ['acentric', 'encratic', 'nearctic'], 'encratism': ['encratism', 'miscreant'], 'encraty': ['encraty', 'nectary'], 'encreel': ['crenele', 'encreel'], 'encrinital': ['encrinital', 'tricennial'], 'encrisp': ['encrisp', 'pincers'], 'encrust': ['encrust', 'uncrest'], 'encurl': ['encurl', 'lucern'], 'encurtain': ['encurtain', 'runcinate', 'uncertain'], 'encyrtidae': ['encyrtidae', 'nycteridae'], 'end': ['den', 'end', 'ned'], 'endaortic': ['citronade', 'endaortic', 'redaction'], 'endboard': ['deadborn', 'endboard'], 'endear': ['deaner', 'endear'], 'endeared': ['deadener', 'endeared'], 'endearing': ['endearing', 'engrained', 'grenadine'], 'endearingly': ['endearingly', 'engrainedly'], 'endemial': ['endemial', 'madeline'], 'endere': ['endere', 'needer', 'reeden'], 'enderonic': ['enderonic', 'endocrine'], 'endevil': ['develin', 'endevil'], 'endew': ['endew', 'wende'], 'ending': ['ending', 'ginned'], 'endite': ['eident', 'endite'], 'endive': ['endive', 'envied', 'veined'], 'endoarteritis': ['endoarteritis', 'sideronatrite'], 'endocline': ['endocline', 'indolence'], 'endocrine': ['enderonic', 'endocrine'], 'endome': ['endome', 'omened'], 'endopathic': ['dictaphone', 'endopathic'], 'endophasic': ['deaconship', 'endophasic'], 'endoral': ['endoral', 'ladrone', 'leonard'], 'endosarc': ['endosarc', 'secondar'], 'endosome': ['endosome', 'moonseed'], 'endosporium': ['endosporium', 'imponderous'], 'endosteal': ['endosteal', 'leadstone'], 'endothecial': ['chelidonate', 'endothecial'], 'endothelia': ['endothelia', 'ethanediol', 'ethenoidal'], 'endow': ['endow', 'nowed'], 'endura': ['endura', 'neurad', 'undear', 'unread'], 'endurably': ['endurably', 'undryable'], 'endure': ['durene', 'endure'], 'endurer': ['endurer', 'underer'], 'enduring': ['enduring', 'unringed'], 'enduringly': ['enduringly', 'underlying'], 'endwise': ['endwise', 'sinewed'], 'enema': ['ameen', 'amene', 'enema'], 'enemy': ['enemy', 'yemen'], 'energesis': ['energesis', 'regenesis'], 'energeticist': ['energeticist', 'energetistic'], 'energetistic': ['energeticist', 'energetistic'], 'energic': ['energic', 'generic'], 'energical': ['energical', 'generical'], 'energid': ['energid', 'reeding'], 'energist': ['energist', 'steering'], 'energy': ['energy', 'greeny', 'gyrene'], 'enervate': ['enervate', 'venerate'], 'enervation': ['enervation', 'veneration'], 'enervative': ['enervative', 'venerative'], 'enervator': ['enervator', 'renovater', 'venerator'], 'enfilade': ['alfenide', 'enfilade'], 'enfile': ['enfile', 'enlief', 'enlife', 'feline'], 'enflesh': ['enflesh', 'fleshen'], 'enfoil': ['enfoil', 'olefin'], 'enfold': ['enfold', 'folden', 'fondle'], 'enforcer': ['confrere', 'enforcer', 'reconfer'], 'enframe': ['enframe', 'freeman'], 'engaol': ['angelo', 'engaol'], 'engarb': ['banger', 'engarb', 'graben'], 'engaud': ['augend', 'engaud', 'unaged'], 'engild': ['dingle', 'elding', 'engild', 'gilden'], 'engird': ['engird', 'ringed'], 'engirdle': ['engirdle', 'reedling'], 'engirt': ['engirt', 'tinger'], 'englacial': ['angelical', 'englacial', 'galenical'], 'englacially': ['angelically', 'englacially'], 'englad': ['angled', 'dangle', 'englad', 'lagend'], 'englander': ['englander', 'greenland'], 'english': ['english', 'shingle'], 'englisher': ['englisher', 'reshingle'], 'englut': ['englut', 'gluten', 'ungelt'], 'engobe': ['begone', 'engobe'], 'engold': ['engold', 'golden'], 'engrail': ['aligner', 'engrail', 'realign', 'reginal'], 'engrailed': ['engrailed', 'geraldine'], 'engrailment': ['engrailment', 'realignment'], 'engrain': ['earning', 'engrain'], 'engrained': ['endearing', 'engrained', 'grenadine'], 'engrainedly': ['endearingly', 'engrainedly'], 'engram': ['engram', 'german', 'manger'], 'engraphic': ['engraphic', 'preaching'], 'engrave': ['avenger', 'engrave'], 'engross': ['engross', 'grossen'], 'enhat': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'enheart': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'enherit': ['enherit', 'etherin', 'neither', 'therein'], 'enhydra': ['enhydra', 'henyard'], 'eniac': ['anice', 'eniac'], 'enicuridae': ['audiencier', 'enicuridae'], 'enid': ['dine', 'enid', 'inde', 'nide'], 'enif': ['enif', 'fine', 'neif', 'nife'], 'enisle': ['enisle', 'ensile', 'senile', 'silene'], 'enlace': ['elance', 'enlace'], 'enlard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'enlarge': ['enlarge', 'general', 'gleaner'], 'enleaf': ['enleaf', 'leafen'], 'enlief': ['enfile', 'enlief', 'enlife', 'feline'], 'enlife': ['enfile', 'enlief', 'enlife', 'feline'], 'enlight': ['enlight', 'lighten'], 'enlist': ['enlist', 'listen', 'silent', 'tinsel'], 'enlisted': ['enlisted', 'lintseed'], 'enlister': ['enlister', 'esterlin', 'listener', 'relisten'], 'enmass': ['enmass', 'maness', 'messan'], 'enneadic': ['cadinene', 'decennia', 'enneadic'], 'ennobler': ['ennobler', 'nonrebel'], 'ennoic': ['conine', 'connie', 'ennoic'], 'ennomic': ['ennomic', 'meconin'], 'enoch': ['cohen', 'enoch'], 'enocyte': ['enocyte', 'neocyte'], 'enodal': ['enodal', 'loaden'], 'enoil': ['enoil', 'ileon', 'olein'], 'enol': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'enolic': ['clione', 'coelin', 'encoil', 'enolic'], 'enomania': ['enomania', 'maeonian'], 'enomotarch': ['chromatone', 'enomotarch'], 'enorganic': ['enorganic', 'ignorance'], 'enorm': ['enorm', 'moner', 'morne'], 'enormous': ['enormous', 'unmorose'], 'enos': ['enos', 'nose'], 'enostosis': ['enostosis', 'sootiness'], 'enow': ['enow', 'owen', 'wone'], 'enphytotic': ['enphytotic', 'entophytic'], 'enrace': ['careen', 'carene', 'enrace'], 'enrage': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'enraged': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'enragedly': ['enragedly', 'legendary'], 'enrapt': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'enravish': ['enravish', 'ravenish', 'vanisher'], 'enray': ['enray', 'yearn'], 'enrib': ['brine', 'enrib'], 'enrich': ['enrich', 'nicher', 'richen'], 'enring': ['enring', 'ginner'], 'enrive': ['enrive', 'envier', 'veiner', 'verine'], 'enrobe': ['boreen', 'enrobe', 'neebor', 'rebone'], 'enrol': ['enrol', 'loren'], 'enrolled': ['enrolled', 'rondelle'], 'enrough': ['enrough', 'roughen'], 'enruin': ['enruin', 'neurin', 'unrein'], 'enrut': ['enrut', 'tuner', 'urent'], 'ens': ['ens', 'sen'], 'ensaint': ['ensaint', 'stanine'], 'ensate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ense': ['ense', 'esne', 'nese', 'seen', 'snee'], 'enseam': ['enseam', 'semnae'], 'enseat': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ensepulcher': ['ensepulcher', 'ensepulchre'], 'ensepulchre': ['ensepulcher', 'ensepulchre'], 'enshade': ['dasheen', 'enshade'], 'enshroud': ['enshroud', 'unshored'], 'ensigncy': ['ensigncy', 'syngenic'], 'ensilage': ['ensilage', 'genesial', 'signalee'], 'ensile': ['enisle', 'ensile', 'senile', 'silene'], 'ensilver': ['ensilver', 'sniveler'], 'ensmall': ['ensmall', 'smallen'], 'ensoul': ['ensoul', 'olenus', 'unsole'], 'enspirit': ['enspirit', 'pristine'], 'enstar': ['astern', 'enstar', 'stenar', 'sterna'], 'enstatite': ['enstatite', 'intestate', 'satinette'], 'enstool': ['enstool', 'olonets'], 'enstore': ['enstore', 'estrone', 'storeen', 'tornese'], 'ensue': ['ensue', 'seenu', 'unsee'], 'ensuer': ['ensuer', 'ensure'], 'ensure': ['ensuer', 'ensure'], 'entablature': ['entablature', 'untreatable'], 'entach': ['entach', 'netcha'], 'entad': ['denat', 'entad'], 'entada': ['adnate', 'entada'], 'entail': ['entail', 'tineal'], 'entailer': ['elaterin', 'entailer', 'treenail'], 'ental': ['ental', 'laten', 'leant'], 'entasia': ['anisate', 'entasia'], 'entasis': ['entasis', 'sestian', 'sestina'], 'entelam': ['entelam', 'leetman'], 'enter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'enteral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'enterer': ['enterer', 'terrene'], 'enteria': ['enteria', 'trainee', 'triaene'], 'enteric': ['citrene', 'enteric', 'enticer', 'tercine'], 'enterocolitis': ['coloenteritis', 'enterocolitis'], 'enterogastritis': ['enterogastritis', 'gastroenteritis'], 'enteroid': ['enteroid', 'orendite'], 'enteron': ['enteron', 'tenoner'], 'enteropexy': ['enteropexy', 'oxyterpene'], 'entertain': ['entertain', 'tarentine', 'terentian'], 'entheal': ['entheal', 'lethean'], 'enthraldom': ['enthraldom', 'motherland'], 'enthuse': ['enthuse', 'unsheet'], 'entia': ['entia', 'teian', 'tenai', 'tinea'], 'enticer': ['citrene', 'enteric', 'enticer', 'tercine'], 'entincture': ['entincture', 'unreticent'], 'entire': ['entire', 'triene'], 'entirely': ['entirely', 'lientery'], 'entirety': ['entirety', 'eternity'], 'entity': ['entity', 'tinety'], 'entocoelic': ['coelection', 'entocoelic'], 'entocornea': ['encoronate', 'entocornea'], 'entohyal': ['entohyal', 'ethanoyl'], 'entoil': ['entoil', 'lionet'], 'entomeric': ['entomeric', 'intercome', 'morencite'], 'entomic': ['centimo', 'entomic', 'tecomin'], 'entomical': ['entomical', 'melanotic'], 'entomion': ['entomion', 'noontime'], 'entomoid': ['demotion', 'entomoid', 'moontide'], 'entomophily': ['entomophily', 'monophylite'], 'entomotomy': ['entomotomy', 'omentotomy'], 'entoparasite': ['antiprotease', 'entoparasite'], 'entophyte': ['entophyte', 'tenophyte'], 'entophytic': ['enphytotic', 'entophytic'], 'entopic': ['entopic', 'nepotic', 'pentoic'], 'entoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'entoretina': ['entoretina', 'tetraonine'], 'entosarc': ['ancestor', 'entosarc'], 'entotic': ['entotic', 'tonetic'], 'entozoa': ['entozoa', 'ozonate'], 'entozoic': ['entozoic', 'enzootic'], 'entrail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'entrain': ['entrain', 'teriann'], 'entrance': ['centenar', 'entrance'], 'entrap': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'entreat': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'entreating': ['entreating', 'interagent'], 'entree': ['entree', 'rentee', 'retene'], 'entrepas': ['entrepas', 'septenar'], 'entropion': ['entropion', 'pontonier', 'prenotion'], 'entropium': ['entropium', 'importune'], 'entrust': ['entrust', 'stunter', 'trusten'], 'enumeration': ['enumeration', 'mountaineer'], 'enunciation': ['enunciation', 'incuneation'], 'enunciator': ['enunciator', 'uncreation'], 'enure': ['enure', 'reune'], 'envelope': ['envelope', 'ovenpeel'], 'enverdure': ['enverdure', 'unrevered'], 'envied': ['endive', 'envied', 'veined'], 'envier': ['enrive', 'envier', 'veiner', 'verine'], 'envious': ['envious', 'niveous', 'veinous'], 'envoy': ['envoy', 'nevoy', 'yoven'], 'enwood': ['enwood', 'wooden'], 'enwound': ['enwound', 'unowned'], 'enwrap': ['enwrap', 'pawner', 'repawn'], 'enwrite': ['enwrite', 'retwine'], 'enzootic': ['entozoic', 'enzootic'], 'eoan': ['aeon', 'eoan'], 'eogaean': ['eogaean', 'neogaea'], 'eolithic': ['chiolite', 'eolithic'], 'eon': ['eon', 'neo', 'one'], 'eonism': ['eonism', 'mesion', 'oneism', 'simeon'], 'eophyton': ['eophyton', 'honeypot'], 'eosaurus': ['eosaurus', 'rousseau'], 'eosin': ['eosin', 'noise'], 'eosinoblast': ['bosselation', 'eosinoblast'], 'epacrid': ['epacrid', 'peracid', 'preacid'], 'epacris': ['epacris', 'scrapie', 'serapic'], 'epactal': ['epactal', 'placate'], 'eparch': ['aperch', 'eparch', 'percha', 'preach'], 'eparchial': ['eparchial', 'raphaelic'], 'eparchy': ['eparchy', 'preachy'], 'epha': ['epha', 'heap'], 'epharmonic': ['epharmonic', 'pinachrome'], 'ephemeris': ['emeership', 'ephemeris'], 'ephod': ['depoh', 'ephod', 'hoped'], 'ephor': ['ephor', 'hoper'], 'ephorus': ['ephorus', 'orpheus', 'upshore'], 'epibasal': ['ablepsia', 'epibasal'], 'epibole': ['epibole', 'epilobe'], 'epic': ['epic', 'pice'], 'epical': ['epical', 'piacle', 'plaice'], 'epicarp': ['crappie', 'epicarp'], 'epicentral': ['epicentral', 'parentelic'], 'epiceratodus': ['dipteraceous', 'epiceratodus'], 'epichorial': ['aerophilic', 'epichorial'], 'epicly': ['epicly', 'pyelic'], 'epicostal': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'epicotyl': ['epicotyl', 'lipocyte'], 'epicranial': ['epicranial', 'periacinal'], 'epiderm': ['demirep', 'epiderm', 'impeder', 'remiped'], 'epiderma': ['epiderma', 'premedia'], 'epidermal': ['epidermal', 'impleader', 'premedial'], 'epidermis': ['dispireme', 'epidermis'], 'epididymovasostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'epidural': ['dipleura', 'epidural'], 'epigram': ['epigram', 'primage'], 'epilabrum': ['epilabrum', 'impuberal'], 'epilachna': ['cephalina', 'epilachna'], 'epilate': ['epilate', 'epitela', 'pileate'], 'epilation': ['epilation', 'polianite'], 'epilatory': ['epilatory', 'petiolary'], 'epilobe': ['epibole', 'epilobe'], 'epimer': ['empire', 'epimer'], 'epiotic': ['epiotic', 'poietic'], 'epipactis': ['epipactis', 'epipastic'], 'epipastic': ['epipactis', 'epipastic'], 'epiplasm': ['epiplasm', 'palmipes'], 'epiploic': ['epiploic', 'epipolic'], 'epipolic': ['epiploic', 'epipolic'], 'epirotic': ['epirotic', 'periotic'], 'episclera': ['episclera', 'periclase'], 'episematic': ['episematic', 'septicemia'], 'episodal': ['episodal', 'lapidose', 'sepaloid'], 'episodial': ['apsidiole', 'episodial'], 'epistatic': ['epistatic', 'pistacite'], 'episternal': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'episternum': ['episternum', 'uprisement'], 'epistlar': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'epistle': ['epistle', 'septile'], 'epistler': ['epistler', 'spirelet'], 'epistoler': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'epistoma': ['epistoma', 'metopias'], 'epistome': ['epistome', 'epsomite'], 'epistroma': ['epistroma', 'peristoma'], 'epitela': ['epilate', 'epitela', 'pileate'], 'epithecal': ['epithecal', 'petechial', 'phacelite'], 'epithecate': ['epithecate', 'petechiate'], 'epithet': ['epithet', 'heptite'], 'epithyme': ['epithyme', 'hemitype'], 'epitomizer': ['epitomizer', 'peritomize'], 'epizoal': ['epizoal', 'lopezia', 'opalize'], 'epoch': ['epoch', 'poche'], 'epodic': ['copied', 'epodic'], 'epornitic': ['epornitic', 'proteinic'], 'epos': ['epos', 'peso', 'pose', 'sope'], 'epsilon': ['epsilon', 'sinople'], 'epsomite': ['epistome', 'epsomite'], 'epulis': ['epulis', 'pileus'], 'epulo': ['epulo', 'loupe'], 'epuloid': ['epuloid', 'euploid'], 'epulosis': ['epulosis', 'pelusios'], 'epulotic': ['epulotic', 'poultice'], 'epural': ['epural', 'perula', 'pleura'], 'epuration': ['epuration', 'eupatorin'], 'equal': ['equal', 'quale', 'queal'], 'equalable': ['aquabelle', 'equalable'], 'equiangle': ['angelique', 'equiangle'], 'equinity': ['equinity', 'inequity'], 'equip': ['equip', 'pique'], 'equitable': ['equitable', 'quietable'], 'equitist': ['equitist', 'quietist'], 'equus': ['equus', 'usque'], 'er': ['er', 're'], 'era': ['aer', 'are', 'ear', 'era', 'rea'], 'erade': ['eared', 'erade'], 'eradicant': ['carinated', 'eradicant'], 'eradicator': ['corradiate', 'cortaderia', 'eradicator'], 'eral': ['earl', 'eral', 'lear', 'real'], 'eranist': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'erase': ['easer', 'erase'], 'erased': ['erased', 'reseda', 'seared'], 'eraser': ['eraser', 'searer'], 'erasmian': ['erasmian', 'raiseman'], 'erasmus': ['assumer', 'erasmus', 'masseur'], 'erastian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'erastus': ['erastus', 'ressaut'], 'erava': ['avera', 'erava'], 'erbia': ['barie', 'beira', 'erbia', 'rebia'], 'erbium': ['erbium', 'imbrue'], 'erd': ['erd', 'red'], 'ere': ['eer', 'ere', 'ree'], 'erect': ['crete', 'erect'], 'erectable': ['celebrate', 'erectable'], 'erecting': ['erecting', 'gentrice'], 'erection': ['erection', 'neoteric', 'nocerite', 'renotice'], 'eremic': ['eremic', 'merice'], 'eremital': ['eremital', 'materiel'], 'erept': ['erept', 'peter', 'petre'], 'ereptic': ['ereptic', 'precite', 'receipt'], 'ereption': ['ereption', 'tropeine'], 'erethic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'erethism': ['erethism', 'etherism', 'heterism'], 'erethismic': ['erethismic', 'hetericism'], 'erethistic': ['erethistic', 'hetericist'], 'eretrian': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erg': ['erg', 'ger', 'reg'], 'ergal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'ergamine': ['ergamine', 'merginae'], 'ergane': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'ergastic': ['agrestic', 'ergastic'], 'ergates': ['ergates', 'gearset', 'geaster'], 'ergoism': ['ergoism', 'ogreism'], 'ergomaniac': ['ergomaniac', 'grecomania'], 'ergon': ['ergon', 'genro', 'goner', 'negro'], 'ergot': ['ergot', 'rotge'], 'ergotamine': ['angiometer', 'ergotamine', 'geometrina'], 'ergotin': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'ergusia': ['ergusia', 'gerusia', 'sarigue'], 'eria': ['aire', 'eria'], 'erian': ['erian', 'irena', 'reina'], 'eric': ['eric', 'rice'], 'erica': ['acier', 'aeric', 'ceria', 'erica'], 'ericad': ['acider', 'ericad'], 'erical': ['carlie', 'claire', 'eclair', 'erical'], 'erichtoid': ['dichroite', 'erichtoid', 'theriodic'], 'erigenia': ['aegirine', 'erigenia'], 'erigeron': ['erigeron', 'reignore'], 'erik': ['erik', 'kier', 'reki'], 'erineum': ['erineum', 'unireme'], 'erinose': ['erinose', 'roseine'], 'eristalis': ['eristalis', 'serialist'], 'eristic': ['ectiris', 'eristic'], 'eristical': ['eristical', 'realistic'], 'erithacus': ['erithacus', 'eucharist'], 'eritrean': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erma': ['erma', 'mare', 'rame', 'ream'], 'ermani': ['ermani', 'marine', 'remain'], 'ermines': ['ermines', 'inermes'], 'erne': ['erne', 'neer', 'reen'], 'ernest': ['ernest', 'nester', 'resent', 'streen'], 'ernie': ['ernie', 'ierne', 'irene'], 'ernst': ['ernst', 'stern'], 'erode': ['doree', 'erode'], 'eros': ['eros', 'rose', 'sero', 'sore'], 'erose': ['erose', 'soree'], 'erotesis': ['erotesis', 'isostere'], 'erotic': ['erotic', 'tercio'], 'erotical': ['calorite', 'erotical', 'loricate'], 'eroticism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'erotism': ['erotism', 'mortise', 'trisome'], 'erotogenic': ['erotogenic', 'geocronite', 'orogenetic'], 'errabund': ['errabund', 'unbarred'], 'errand': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'errant': ['arrent', 'errant', 'ranter', 'ternar'], 'errantia': ['artarine', 'errantia'], 'erratic': ['cartier', 'cirrate', 'erratic'], 'erratum': ['erratum', 'maturer'], 'erring': ['erring', 'rering', 'ringer'], 'errite': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'ers': ['ers', 'ser'], 'ersar': ['ersar', 'raser', 'serra'], 'erse': ['erse', 'rees', 'seer', 'sere'], 'erthen': ['erthen', 'henter', 'nether', 'threne'], 'eruc': ['cure', 'ecru', 'eruc'], 'eruciform': ['eruciform', 'urceiform'], 'erucin': ['curine', 'erucin', 'neuric'], 'erucivorous': ['erucivorous', 'overcurious'], 'eruct': ['cruet', 'eruct', 'recut', 'truce'], 'eruction': ['eruction', 'neurotic'], 'erugate': ['erugate', 'guetare'], 'erumpent': ['erumpent', 'untemper'], 'eruption': ['eruption', 'unitrope'], 'erwin': ['erwin', 'rewin', 'winer'], 'eryngium': ['eryngium', 'gynerium'], 'eryon': ['eryon', 'onery'], 'eryops': ['eryops', 'osprey'], 'erythea': ['erythea', 'hetaery', 'yeather'], 'erythrin': ['erythrin', 'tyrrheni'], 'erythrophage': ['erythrophage', 'heterography'], 'erythrophyllin': ['erythrophyllin', 'phylloerythrin'], 'erythropia': ['erythropia', 'pyrotheria'], 'es': ['es', 'se'], 'esca': ['case', 'esca'], 'escalan': ['escalan', 'scalena'], 'escalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'escaloped': ['copleased', 'escaloped'], 'escapement': ['escapement', 'espacement'], 'escaper': ['escaper', 'respace'], 'escarp': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'eschar': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'eschara': ['asearch', 'eschara'], 'escheator': ['escheator', 'tocharese'], 'escobilla': ['escobilla', 'obeliscal'], 'escolar': ['escolar', 'solacer'], 'escort': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'escortment': ['centermost', 'escortment'], 'escrol': ['closer', 'cresol', 'escrol'], 'escropulo': ['escropulo', 'supercool'], 'esculent': ['esculent', 'unselect'], 'esculin': ['esculin', 'incluse'], 'esere': ['esere', 'reese', 'resee'], 'esexual': ['esexual', 'sexuale'], 'eshin': ['eshin', 'shine'], 'esiphonal': ['esiphonal', 'phaseolin'], 'esker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'eskualdun': ['eskualdun', 'euskaldun'], 'eskuara': ['eskuara', 'euskara'], 'esne': ['ense', 'esne', 'nese', 'seen', 'snee'], 'esophagogastrostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'esopus': ['esopus', 'spouse'], 'esoterical': ['cesarolite', 'esoterical'], 'esoterist': ['esoterist', 'trisetose'], 'esotrope': ['esotrope', 'proteose'], 'esotropia': ['aportoise', 'esotropia'], 'espacement': ['escapement', 'espacement'], 'espadon': ['espadon', 'spadone'], 'esparto': ['esparto', 'petrosa', 'seaport'], 'esperantic': ['esperantic', 'interspace'], 'esperantido': ['desperation', 'esperantido'], 'esperantism': ['esperantism', 'strepsinema'], 'esperanto': ['esperanto', 'personate'], 'espial': ['espial', 'lipase', 'pelias'], 'espier': ['espier', 'peiser'], 'espinal': ['espinal', 'pinales', 'spaniel'], 'espino': ['espino', 'sepion'], 'espringal': ['espringal', 'presignal', 'relapsing'], 'esquire': ['esquire', 'risquee'], 'essence': ['essence', 'senesce'], 'essenism': ['essenism', 'messines'], 'essie': ['essie', 'seise'], 'essling': ['essling', 'singles'], 'essoin': ['essoin', 'ossein'], 'essonite': ['essonite', 'ossetine'], 'essorant': ['assentor', 'essorant', 'starnose'], 'estamene': ['easement', 'estamene'], 'esteem': ['esteem', 'mestee'], 'estella': ['estella', 'sellate'], 'ester': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'esterlin': ['enlister', 'esterlin', 'listener', 'relisten'], 'esterling': ['esterling', 'steerling'], 'estevin': ['estevin', 'tensive'], 'esth': ['esth', 'hest', 'seth'], 'esther': ['esther', 'hester', 'theres'], 'estivage': ['estivage', 'vegasite'], 'estoc': ['coset', 'estoc', 'scote'], 'estonian': ['estonian', 'nasonite'], 'estop': ['estop', 'stoep', 'stope'], 'estradiol': ['estradiol', 'idolaster'], 'estrange': ['estrange', 'segreant', 'sergeant', 'sternage'], 'estray': ['atresy', 'estray', 'reasty', 'stayer'], 'estre': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'estreat': ['estreat', 'restate', 'retaste'], 'estrepe': ['estrepe', 'resteep', 'steeper'], 'estriate': ['estriate', 'treatise'], 'estrin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'estriol': ['estriol', 'torsile'], 'estrogen': ['estrogen', 'gerontes'], 'estrone': ['enstore', 'estrone', 'storeen', 'tornese'], 'estrous': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'estrual': ['arustle', 'estrual', 'saluter', 'saulter'], 'estufa': ['estufa', 'fusate'], 'eta': ['ate', 'eat', 'eta', 'tae', 'tea'], 'etacism': ['cameist', 'etacism', 'sematic'], 'etacist': ['etacist', 'statice'], 'etalon': ['etalon', 'tolane'], 'etamin': ['etamin', 'inmate', 'taimen', 'tamein'], 'etamine': ['amenite', 'etamine', 'matinee'], 'etch': ['chet', 'etch', 'tche', 'tech'], 'etcher': ['cherte', 'etcher'], 'eternal': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'eternalism': ['eternalism', 'streamline'], 'eternity': ['entirety', 'eternity'], 'etesian': ['etesian', 'senaite'], 'ethal': ['ethal', 'lathe', 'leath'], 'ethan': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'ethanal': ['anthela', 'ethanal'], 'ethane': ['ethane', 'taheen'], 'ethanediol': ['endothelia', 'ethanediol', 'ethenoidal'], 'ethanim': ['ethanim', 'hematin'], 'ethanoyl': ['entohyal', 'ethanoyl'], 'ethel': ['ethel', 'lethe'], 'ethenoidal': ['endothelia', 'ethanediol', 'ethenoidal'], 'ether': ['ether', 'rethe', 'theer', 'there', 'three'], 'etheria': ['ehretia', 'etheria'], 'etheric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'etherin': ['enherit', 'etherin', 'neither', 'therein'], 'etherion': ['etherion', 'hereinto', 'heronite'], 'etherism': ['erethism', 'etherism', 'heterism'], 'etherization': ['etherization', 'heterization'], 'etherize': ['etherize', 'heterize'], 'ethicism': ['ethicism', 'shemitic'], 'ethicist': ['ethicist', 'thecitis', 'theistic'], 'ethics': ['ethics', 'sethic'], 'ethid': ['edith', 'ethid'], 'ethine': ['ethine', 'theine'], 'ethiop': ['ethiop', 'ophite', 'peitho'], 'ethmoidal': ['ethmoidal', 'oldhamite'], 'ethmosphenoid': ['ethmosphenoid', 'sphenoethmoid'], 'ethmosphenoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'ethnal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'ethnical': ['chainlet', 'ethnical'], 'ethnological': ['allothogenic', 'ethnological'], 'ethnos': ['ethnos', 'honest'], 'ethography': ['ethography', 'hyetograph'], 'ethologic': ['ethologic', 'theologic'], 'ethological': ['ethological', 'lethologica', 'theological'], 'ethology': ['ethology', 'theology'], 'ethos': ['ethos', 'shote', 'those'], 'ethylic': ['ethylic', 'techily'], 'ethylin': ['ethylin', 'thienyl'], 'etna': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'etnean': ['etnean', 'neaten'], 'etonian': ['enation', 'etonian'], 'etruscan': ['etruscan', 'recusant'], 'etta': ['etta', 'tate', 'teat'], 'ettarre': ['ettarre', 'retreat', 'treater'], 'ettle': ['ettle', 'tetel'], 'etua': ['aute', 'etua'], 'euaster': ['austere', 'euaster'], 'eucalypteol': ['eucalypteol', 'eucalyptole'], 'eucalyptole': ['eucalypteol', 'eucalyptole'], 'eucatropine': ['eucatropine', 'neurectopia'], 'eucharis': ['acheirus', 'eucharis'], 'eucharist': ['erithacus', 'eucharist'], 'euchlaena': ['acheulean', 'euchlaena'], 'eulogism': ['eulogism', 'uglisome'], 'eumolpus': ['eumolpus', 'plumeous'], 'eunomia': ['eunomia', 'moineau'], 'eunomy': ['eunomy', 'euonym'], 'euonym': ['eunomy', 'euonym'], 'eupatorin': ['epuration', 'eupatorin'], 'euplastic': ['euplastic', 'spiculate'], 'euploid': ['epuloid', 'euploid'], 'euproctis': ['crepitous', 'euproctis', 'uroseptic'], 'eurindic': ['dineuric', 'eurindic'], 'eurus': ['eurus', 'usure'], 'euscaro': ['acerous', 'carouse', 'euscaro'], 'euskaldun': ['eskualdun', 'euskaldun'], 'euskara': ['eskuara', 'euskara'], 'eusol': ['eusol', 'louse'], 'eutannin': ['eutannin', 'uninnate'], 'eutaxic': ['auxetic', 'eutaxic'], 'eutheria': ['eutheria', 'hauerite'], 'eutropic': ['eutropic', 'outprice'], 'eva': ['ave', 'eva'], 'evade': ['deave', 'eaved', 'evade'], 'evader': ['evader', 'verdea'], 'evadne': ['advene', 'evadne'], 'evan': ['evan', 'nave', 'vane'], 'evanish': ['evanish', 'inshave'], 'evase': ['eaves', 'evase', 'seave'], 'eve': ['eve', 'vee'], 'evea': ['eave', 'evea'], 'evection': ['civetone', 'evection'], 'evejar': ['evejar', 'rajeev'], 'evelyn': ['evelyn', 'evenly'], 'even': ['even', 'neve', 'veen'], 'evener': ['evener', 'veneer'], 'evenly': ['evelyn', 'evenly'], 'evens': ['evens', 'seven'], 'eveque': ['eveque', 'queeve'], 'ever': ['ever', 'reve', 'veer'], 'evert': ['evert', 'revet'], 'everwhich': ['everwhich', 'whichever'], 'everwho': ['everwho', 'however', 'whoever'], 'every': ['every', 'veery'], 'evestar': ['evestar', 'versate'], 'evict': ['civet', 'evict'], 'evil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'evildoer': ['evildoer', 'overidle'], 'evilhearted': ['evilhearted', 'vilehearted'], 'evilly': ['evilly', 'lively', 'vilely'], 'evilness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'evince': ['cevine', 'evince', 'venice'], 'evisite': ['evisite', 'visitee'], 'evitation': ['evitation', 'novitiate'], 'evocator': ['evocator', 'overcoat'], 'evodia': ['evodia', 'ovidae'], 'evoker': ['evoker', 'revoke'], 'evolver': ['evolver', 'revolve'], 'ewder': ['dewer', 'ewder', 'rewed'], 'ewe': ['ewe', 'wee'], 'ewer': ['ewer', 'were'], 'exacter': ['exacter', 'excreta'], 'exalt': ['exalt', 'latex'], 'exam': ['amex', 'exam', 'xema'], 'examinate': ['examinate', 'exanimate', 'metaxenia'], 'examination': ['examination', 'exanimation'], 'exanimate': ['examinate', 'exanimate', 'metaxenia'], 'exanimation': ['examination', 'exanimation'], 'exasperation': ['exasperation', 'xenoparasite'], 'exaudi': ['adieux', 'exaudi'], 'excarnation': ['centraxonia', 'excarnation'], 'excecation': ['cacoxenite', 'excecation'], 'except': ['except', 'expect'], 'exceptant': ['exceptant', 'expectant'], 'exceptive': ['exceptive', 'expective'], 'excitation': ['excitation', 'intoxicate'], 'excitor': ['excitor', 'xerotic'], 'excreta': ['exacter', 'excreta'], 'excurse': ['excurse', 'excuser'], 'excuser': ['excurse', 'excuser'], 'exert': ['exert', 'exter'], 'exhilarate': ['exhilarate', 'heteraxial'], 'exist': ['exist', 'sixte'], 'exocarp': ['exocarp', 'praecox'], 'exon': ['exon', 'oxen'], 'exordia': ['exordia', 'exradio'], 'exotic': ['coxite', 'exotic'], 'expatiater': ['expatiater', 'expatriate'], 'expatriate': ['expatiater', 'expatriate'], 'expect': ['except', 'expect'], 'expectant': ['exceptant', 'expectant'], 'expective': ['exceptive', 'expective'], 'expirator': ['expirator', 'operatrix'], 'expiree': ['expiree', 'peixere'], 'explicator': ['explicator', 'extropical'], 'expressionism': ['expressionism', 'misexpression'], 'exradio': ['exordia', 'exradio'], 'extend': ['dentex', 'extend'], 'exter': ['exert', 'exter'], 'exterminate': ['antiextreme', 'exterminate'], 'extirpationist': ['extirpationist', 'sextipartition'], 'extra': ['extra', 'retax', 'taxer'], 'extradural': ['dextraural', 'extradural'], 'extropical': ['explicator', 'extropical'], 'exultancy': ['exultancy', 'unexactly'], 'ey': ['ey', 'ye'], 'eyah': ['ahey', 'eyah', 'yeah'], 'eyas': ['easy', 'eyas'], 'eye': ['eye', 'yee'], 'eyed': ['eyed', 'yede'], 'eyen': ['eyen', 'eyne'], 'eyer': ['eyer', 'eyre', 'yere'], 'eyn': ['eyn', 'nye', 'yen'], 'eyne': ['eyen', 'eyne'], 'eyot': ['eyot', 'yote'], 'eyra': ['aery', 'eyra', 'yare', 'year'], 'eyre': ['eyer', 'eyre', 'yere'], 'ezba': ['baze', 'ezba'], 'ezra': ['ezra', 'raze'], 'facebread': ['barefaced', 'facebread'], 'facer': ['facer', 'farce'], 'faciend': ['faciend', 'fancied'], 'facile': ['facile', 'filace'], 'faciobrachial': ['brachiofacial', 'faciobrachial'], 'faciocervical': ['cervicofacial', 'faciocervical'], 'factable': ['factable', 'labefact'], 'factional': ['factional', 'falcation'], 'factish': ['catfish', 'factish'], 'facture': ['facture', 'furcate'], 'facula': ['facula', 'faucal'], 'fade': ['deaf', 'fade'], 'fader': ['fader', 'farde'], 'faery': ['faery', 'freya'], 'fagoter': ['aftergo', 'fagoter'], 'faience': ['faience', 'fiancee'], 'fail': ['alif', 'fail'], 'fain': ['fain', 'naif'], 'fainly': ['fainly', 'naifly'], 'faint': ['faint', 'fanti'], 'fair': ['fair', 'fiar', 'raif'], 'fake': ['fake', 'feak'], 'faker': ['faker', 'freak'], 'fakery': ['fakery', 'freaky'], 'fakir': ['fakir', 'fraik', 'kafir', 'rafik'], 'falcation': ['factional', 'falcation'], 'falco': ['falco', 'focal'], 'falconet': ['conflate', 'falconet'], 'fallback': ['backfall', 'fallback'], 'faller': ['faller', 'refall'], 'fallfish': ['fallfish', 'fishfall'], 'fallible': ['fallible', 'fillable'], 'falling': ['falling', 'fingall'], 'falser': ['falser', 'flaser'], 'faltboat': ['faltboat', 'flatboat'], 'falutin': ['falutin', 'flutina'], 'falx': ['falx', 'flax'], 'fameless': ['fameless', 'selfsame'], 'famelessness': ['famelessness', 'selfsameness'], 'famine': ['famine', 'infame'], 'fancied': ['faciend', 'fancied'], 'fangle': ['fangle', 'flange'], 'fannia': ['fannia', 'fianna'], 'fanti': ['faint', 'fanti'], 'far': ['far', 'fra'], 'farad': ['daraf', 'farad'], 'farce': ['facer', 'farce'], 'farcetta': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farctate': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farde': ['fader', 'farde'], 'fardel': ['alfred', 'fardel'], 'fare': ['fare', 'fear', 'frae', 'rafe'], 'farfel': ['farfel', 'raffle'], 'faring': ['faring', 'frangi'], 'farl': ['farl', 'ralf'], 'farleu': ['earful', 'farleu', 'ferula'], 'farm': ['farm', 'fram'], 'farmable': ['farmable', 'framable'], 'farmer': ['farmer', 'framer'], 'farming': ['farming', 'framing'], 'farnesol': ['farnesol', 'forensal'], 'faro': ['faro', 'fora'], 'farolito': ['farolito', 'footrail'], 'farse': ['farse', 'frase'], 'farset': ['farset', 'faster', 'strafe'], 'farsi': ['farsi', 'sarif'], 'fascio': ['fascio', 'fiasco'], 'fasher': ['afresh', 'fasher', 'ferash'], 'fashioner': ['fashioner', 'refashion'], 'fast': ['fast', 'saft'], 'fasten': ['fasten', 'nefast', 'stefan'], 'fastener': ['fastener', 'fenestra', 'refasten'], 'faster': ['farset', 'faster', 'strafe'], 'fasthold': ['fasthold', 'holdfast'], 'fastland': ['fastland', 'landfast'], 'fat': ['aft', 'fat'], 'fatal': ['aflat', 'fatal'], 'fate': ['atef', 'fate', 'feat'], 'fated': ['defat', 'fated'], 'father': ['father', 'freath', 'hafter'], 'faucal': ['facula', 'faucal'], 'faucet': ['faucet', 'fucate'], 'faulter': ['faulter', 'refutal', 'tearful'], 'faultfind': ['faultfind', 'findfault'], 'faunish': ['faunish', 'nusfiah'], 'faunist': ['faunist', 'fustian', 'infaust'], 'favorer': ['favorer', 'overfar', 'refavor'], 'fayles': ['fayles', 'safely'], 'feague': ['feague', 'feuage'], 'feak': ['fake', 'feak'], 'feal': ['alef', 'feal', 'flea', 'leaf'], 'fealty': ['fealty', 'featly'], 'fear': ['fare', 'fear', 'frae', 'rafe'], 'feastful': ['feastful', 'sufflate'], 'feat': ['atef', 'fate', 'feat'], 'featherbed': ['befathered', 'featherbed'], 'featherer': ['featherer', 'hereafter'], 'featly': ['fealty', 'featly'], 'feckly': ['feckly', 'flecky'], 'fecundate': ['fecundate', 'unfaceted'], 'fecundator': ['fecundator', 'unfactored'], 'federate': ['defeater', 'federate', 'redefeat'], 'feeder': ['feeder', 'refeed'], 'feeding': ['feeding', 'feigned'], 'feel': ['feel', 'flee'], 'feeler': ['feeler', 'refeel', 'reflee'], 'feer': ['feer', 'free', 'reef'], 'feering': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feetless': ['feetless', 'feteless'], 'fei': ['fei', 'fie', 'ife'], 'feif': ['feif', 'fife'], 'feigned': ['feeding', 'feigned'], 'feigner': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feil': ['feil', 'file', 'leif', 'lief', 'life'], 'feint': ['feint', 'fient'], 'feis': ['feis', 'fise', 'sife'], 'feist': ['feist', 'stife'], 'felapton': ['felapton', 'pantofle'], 'felid': ['felid', 'field'], 'feline': ['enfile', 'enlief', 'enlife', 'feline'], 'felinity': ['felinity', 'finitely'], 'fels': ['fels', 'self'], 'felt': ['felt', 'flet', 'left'], 'felter': ['felter', 'telfer', 'trefle'], 'felting': ['felting', 'neftgil'], 'feltness': ['feltness', 'leftness'], 'felwort': ['elfwort', 'felwort'], 'feminal': ['feminal', 'inflame'], 'femora': ['femora', 'foamer'], 'femorocaudal': ['caudofemoral', 'femorocaudal'], 'femorotibial': ['femorotibial', 'tibiofemoral'], 'femur': ['femur', 'fumer'], 'fen': ['fen', 'nef'], 'fender': ['fender', 'ferned'], 'fenestra': ['fastener', 'fenestra', 'refasten'], 'feodary': ['feodary', 'foreday'], 'feral': ['feral', 'flare'], 'ferash': ['afresh', 'fasher', 'ferash'], 'feria': ['afire', 'feria'], 'ferine': ['ferine', 'refine'], 'ferison': ['ferison', 'foresin'], 'ferity': ['ferity', 'freity'], 'ferk': ['ferk', 'kerf'], 'ferling': ['ferling', 'flinger', 'refling'], 'ferly': ['ferly', 'flyer', 'refly'], 'fermail': ['fermail', 'fermila'], 'fermenter': ['fermenter', 'referment'], 'fermila': ['fermail', 'fermila'], 'ferned': ['fender', 'ferned'], 'ferri': ['ferri', 'firer', 'freir', 'frier'], 'ferrihydrocyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'ferrohydrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'ferry': ['ferry', 'freyr', 'fryer'], 'fertil': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'ferula': ['earful', 'farleu', 'ferula'], 'ferule': ['ferule', 'fueler', 'refuel'], 'ferulic': ['ferulic', 'lucifer'], 'fervidity': ['devitrify', 'fervidity'], 'festination': ['festination', 'infestation', 'sinfonietta'], 'fet': ['eft', 'fet'], 'fetal': ['aleft', 'alfet', 'fetal', 'fleta'], 'fetcher': ['fetcher', 'refetch'], 'feteless': ['feetless', 'feteless'], 'fetial': ['fetial', 'filate', 'lafite', 'leafit'], 'fetish': ['fetish', 'fishet'], 'fetor': ['fetor', 'forte', 'ofter'], 'fetter': ['fetter', 'frette'], 'feuage': ['feague', 'feuage'], 'feudalism': ['feudalism', 'sulfamide'], 'feudally': ['delayful', 'feudally'], 'feulamort': ['feulamort', 'formulate'], 'fi': ['fi', 'if'], 'fiance': ['fiance', 'inface'], 'fiancee': ['faience', 'fiancee'], 'fianna': ['fannia', 'fianna'], 'fiar': ['fair', 'fiar', 'raif'], 'fiard': ['fiard', 'fraid'], 'fiasco': ['fascio', 'fiasco'], 'fiber': ['bifer', 'brief', 'fiber'], 'fibered': ['debrief', 'defiber', 'fibered'], 'fiberless': ['briefless', 'fiberless', 'fibreless'], 'fiberware': ['fiberware', 'fibreware'], 'fibreless': ['briefless', 'fiberless', 'fibreless'], 'fibreware': ['fiberware', 'fibreware'], 'fibroadenoma': ['adenofibroma', 'fibroadenoma'], 'fibroangioma': ['angiofibroma', 'fibroangioma'], 'fibrochondroma': ['chondrofibroma', 'fibrochondroma'], 'fibrocystoma': ['cystofibroma', 'fibrocystoma'], 'fibrolipoma': ['fibrolipoma', 'lipofibroma'], 'fibromucous': ['fibromucous', 'mucofibrous'], 'fibromyoma': ['fibromyoma', 'myofibroma'], 'fibromyxoma': ['fibromyxoma', 'myxofibroma'], 'fibromyxosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'fibroneuroma': ['fibroneuroma', 'neurofibroma'], 'fibroserous': ['fibroserous', 'serofibrous'], 'fiche': ['chief', 'fiche'], 'fickleness': ['fickleness', 'fleckiness'], 'fickly': ['fickly', 'flicky'], 'fico': ['coif', 'fico', 'foci'], 'fictional': ['cliftonia', 'fictional'], 'ficula': ['ficula', 'fulica'], 'fiddler': ['fiddler', 'flidder'], 'fidele': ['defile', 'fidele'], 'fidget': ['fidget', 'gifted'], 'fidicula': ['fidicula', 'fiducial'], 'fiducial': ['fidicula', 'fiducial'], 'fie': ['fei', 'fie', 'ife'], 'fiedlerite': ['fiedlerite', 'friedelite'], 'field': ['felid', 'field'], 'fielded': ['defiled', 'fielded'], 'fielder': ['defiler', 'fielder'], 'fieldman': ['fieldman', 'inflamed'], 'fiendish': ['fiendish', 'finished'], 'fient': ['feint', 'fient'], 'fiery': ['fiery', 'reify'], 'fife': ['feif', 'fife'], 'fifteener': ['fifteener', 'teneriffe'], 'fifty': ['fifty', 'tiffy'], 'fig': ['fig', 'gif'], 'fighter': ['fighter', 'freight', 'refight'], 'figurate': ['figurate', 'fruitage'], 'fike': ['efik', 'fike'], 'filace': ['facile', 'filace'], 'filago': ['filago', 'gifola'], 'filao': ['filao', 'folia'], 'filar': ['filar', 'flair', 'frail'], 'filate': ['fetial', 'filate', 'lafite', 'leafit'], 'file': ['feil', 'file', 'leif', 'lief', 'life'], 'filelike': ['filelike', 'lifelike'], 'filer': ['filer', 'flier', 'lifer', 'rifle'], 'filet': ['filet', 'flite'], 'fillable': ['fallible', 'fillable'], 'filler': ['filler', 'refill'], 'filo': ['filo', 'foil', 'lifo'], 'filter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'filterer': ['filterer', 'refilter'], 'filthless': ['filthless', 'shelflist'], 'filtrable': ['filtrable', 'flirtable'], 'filtration': ['filtration', 'flirtation'], 'finale': ['afenil', 'finale'], 'finder': ['finder', 'friend', 'redfin', 'refind'], 'findfault': ['faultfind', 'findfault'], 'fine': ['enif', 'fine', 'neif', 'nife'], 'finely': ['finely', 'lenify'], 'finer': ['finer', 'infer'], 'finesser': ['finesser', 'rifeness'], 'fingall': ['falling', 'fingall'], 'finger': ['finger', 'fringe'], 'fingerer': ['fingerer', 'refinger'], 'fingerflower': ['fingerflower', 'fringeflower'], 'fingerless': ['fingerless', 'fringeless'], 'fingerlet': ['fingerlet', 'fringelet'], 'fingu': ['fingu', 'fungi'], 'finical': ['finical', 'lanific'], 'finished': ['fiendish', 'finished'], 'finisher': ['finisher', 'refinish'], 'finitely': ['felinity', 'finitely'], 'finkel': ['elfkin', 'finkel'], 'finlet': ['finlet', 'infelt'], 'finner': ['finner', 'infern'], 'firca': ['afric', 'firca'], 'fire': ['fire', 'reif', 'rife'], 'fireable': ['afebrile', 'balefire', 'fireable'], 'firearm': ['firearm', 'marfire'], 'fireback': ['backfire', 'fireback'], 'fireburn': ['burnfire', 'fireburn'], 'fired': ['fired', 'fried'], 'fireplug': ['fireplug', 'gripeful'], 'firer': ['ferri', 'firer', 'freir', 'frier'], 'fireshaft': ['fireshaft', 'tasheriff'], 'firestone': ['firestone', 'forestine'], 'firetop': ['firetop', 'potifer'], 'firm': ['firm', 'frim'], 'first': ['first', 'frist'], 'firth': ['firth', 'frith'], 'fise': ['feis', 'fise', 'sife'], 'fishbone': ['bonefish', 'fishbone'], 'fisheater': ['fisheater', 'sherifate'], 'fisher': ['fisher', 'sherif'], 'fishery': ['fishery', 'sherify'], 'fishet': ['fetish', 'fishet'], 'fishfall': ['fallfish', 'fishfall'], 'fishlet': ['fishlet', 'leftish'], 'fishpond': ['fishpond', 'pondfish'], 'fishpool': ['fishpool', 'foolship'], 'fishwood': ['fishwood', 'woodfish'], 'fissury': ['fissury', 'russify'], 'fist': ['fist', 'sift'], 'fisted': ['fisted', 'sifted'], 'fister': ['fister', 'resift', 'sifter', 'strife'], 'fisting': ['fisting', 'sifting'], 'fitout': ['fitout', 'outfit'], 'fitter': ['fitter', 'tifter'], 'fixer': ['fixer', 'refix'], 'flageolet': ['flageolet', 'folletage'], 'flair': ['filar', 'flair', 'frail'], 'flamant': ['flamant', 'flatman'], 'flame': ['flame', 'fleam'], 'flamed': ['flamed', 'malfed'], 'flandowser': ['flandowser', 'sandflower'], 'flange': ['fangle', 'flange'], 'flare': ['feral', 'flare'], 'flaser': ['falser', 'flaser'], 'flasher': ['flasher', 'reflash'], 'flatboat': ['faltboat', 'flatboat'], 'flatman': ['flamant', 'flatman'], 'flatwise': ['flatwise', 'saltwife'], 'flaunt': ['flaunt', 'unflat'], 'flax': ['falx', 'flax'], 'flea': ['alef', 'feal', 'flea', 'leaf'], 'fleam': ['flame', 'fleam'], 'fleay': ['fleay', 'leafy'], 'fleche': ['fleche', 'fleech'], 'flecker': ['flecker', 'freckle'], 'fleckiness': ['fickleness', 'fleckiness'], 'flecky': ['feckly', 'flecky'], 'fled': ['delf', 'fled'], 'flee': ['feel', 'flee'], 'fleech': ['fleche', 'fleech'], 'fleer': ['fleer', 'refel'], 'flemish': ['flemish', 'himself'], 'flenser': ['flenser', 'fresnel'], 'flesh': ['flesh', 'shelf'], 'fleshed': ['deflesh', 'fleshed'], 'fleshen': ['enflesh', 'fleshen'], 'flesher': ['flesher', 'herself'], 'fleshful': ['fleshful', 'shelfful'], 'fleshiness': ['elfishness', 'fleshiness'], 'fleshy': ['fleshy', 'shelfy'], 'flet': ['felt', 'flet', 'left'], 'fleta': ['aleft', 'alfet', 'fetal', 'fleta'], 'fleuret': ['fleuret', 'treeful'], 'flew': ['flew', 'welf'], 'flexed': ['deflex', 'flexed'], 'flexured': ['flexured', 'refluxed'], 'flicky': ['fickly', 'flicky'], 'flidder': ['fiddler', 'flidder'], 'flier': ['filer', 'flier', 'lifer', 'rifle'], 'fligger': ['fligger', 'friggle'], 'flinger': ['ferling', 'flinger', 'refling'], 'flingy': ['flingy', 'flying'], 'flirtable': ['filtrable', 'flirtable'], 'flirtation': ['filtration', 'flirtation'], 'flirter': ['flirter', 'trifler'], 'flirting': ['flirting', 'trifling'], 'flirtingly': ['flirtingly', 'triflingly'], 'flit': ['flit', 'lift'], 'flite': ['filet', 'flite'], 'fliting': ['fliting', 'lifting'], 'flitter': ['flitter', 'triflet'], 'flo': ['flo', 'lof'], 'float': ['aloft', 'float', 'flota'], 'floater': ['floater', 'florate', 'refloat'], 'flobby': ['bobfly', 'flobby'], 'flodge': ['flodge', 'fodgel'], 'floe': ['floe', 'fole'], 'flog': ['flog', 'golf'], 'flogger': ['flogger', 'frogleg'], 'floodable': ['bloodleaf', 'floodable'], 'flooder': ['flooder', 'reflood'], 'floodwater': ['floodwater', 'toadflower', 'waterflood'], 'floorer': ['floorer', 'refloor'], 'florate': ['floater', 'florate', 'refloat'], 'florentine': ['florentine', 'nonfertile'], 'floret': ['floret', 'forlet', 'lofter', 'torfel'], 'floria': ['floria', 'foliar'], 'floriate': ['floriate', 'foralite'], 'florican': ['florican', 'fornical'], 'floridan': ['floridan', 'florinda'], 'florinda': ['floridan', 'florinda'], 'flot': ['flot', 'loft'], 'flota': ['aloft', 'float', 'flota'], 'flounder': ['flounder', 'reunfold', 'unfolder'], 'flour': ['flour', 'fluor'], 'flourisher': ['flourisher', 'reflourish'], 'flouting': ['flouting', 'outfling'], 'flow': ['flow', 'fowl', 'wolf'], 'flower': ['flower', 'fowler', 'reflow', 'wolfer'], 'flowered': ['deflower', 'flowered'], 'flowerer': ['flowerer', 'reflower'], 'flowery': ['flowery', 'fowlery'], 'flowing': ['flowing', 'fowling'], 'floyd': ['floyd', 'foldy'], 'fluavil': ['fluavil', 'fluvial', 'vialful'], 'flucan': ['canful', 'flucan'], 'fluctuant': ['fluctuant', 'untactful'], 'flue': ['flue', 'fuel'], 'fluent': ['fluent', 'netful', 'unfelt', 'unleft'], 'fluidly': ['dullify', 'fluidly'], 'flukewort': ['flukewort', 'flutework'], 'fluor': ['flour', 'fluor'], 'fluorate': ['fluorate', 'outflare'], 'fluorinate': ['antifouler', 'fluorinate', 'uniflorate'], 'fluorine': ['fluorine', 'neurofil'], 'fluorobenzene': ['benzofluorene', 'fluorobenzene'], 'flusher': ['flusher', 'reflush'], 'flushing': ['flushing', 'lungfish'], 'fluster': ['fluster', 'restful'], 'flustra': ['flustra', 'starful'], 'flutework': ['flukewort', 'flutework'], 'flutina': ['falutin', 'flutina'], 'fluvial': ['fluavil', 'fluvial', 'vialful'], 'fluxer': ['fluxer', 'reflux'], 'flyblow': ['blowfly', 'flyblow'], 'flyer': ['ferly', 'flyer', 'refly'], 'flying': ['flingy', 'flying'], 'fo': ['fo', 'of'], 'foal': ['foal', 'loaf', 'olaf'], 'foamer': ['femora', 'foamer'], 'focal': ['falco', 'focal'], 'foci': ['coif', 'fico', 'foci'], 'focuser': ['focuser', 'refocus'], 'fodge': ['defog', 'fodge'], 'fodgel': ['flodge', 'fodgel'], 'fogeater': ['fogeater', 'foregate'], 'fogo': ['fogo', 'goof'], 'foil': ['filo', 'foil', 'lifo'], 'foister': ['foister', 'forties'], 'folden': ['enfold', 'folden', 'fondle'], 'folder': ['folder', 'refold'], 'foldy': ['floyd', 'foldy'], 'fole': ['floe', 'fole'], 'folia': ['filao', 'folia'], 'foliar': ['floria', 'foliar'], 'foliature': ['foliature', 'toluifera'], 'folletage': ['flageolet', 'folletage'], 'fomenter': ['fomenter', 'refoment'], 'fondle': ['enfold', 'folden', 'fondle'], 'fondu': ['fondu', 'found'], 'foo': ['foo', 'ofo'], 'fool': ['fool', 'loof', 'olof'], 'foolship': ['fishpool', 'foolship'], 'footer': ['footer', 'refoot'], 'foothot': ['foothot', 'hotfoot'], 'footler': ['footler', 'rooflet'], 'footpad': ['footpad', 'padfoot'], 'footrail': ['farolito', 'footrail'], 'foots': ['foots', 'sfoot', 'stoof'], 'footsore': ['footsore', 'sorefoot'], 'foppish': ['foppish', 'fopship'], 'fopship': ['foppish', 'fopship'], 'for': ['for', 'fro', 'orf'], 'fora': ['faro', 'fora'], 'foralite': ['floriate', 'foralite'], 'foramen': ['foramen', 'foreman'], 'forcemeat': ['aftercome', 'forcemeat'], 'forcement': ['coferment', 'forcement'], 'fore': ['fore', 'froe', 'ofer'], 'forecast': ['cofaster', 'forecast'], 'forecaster': ['forecaster', 'reforecast'], 'forecover': ['forecover', 'overforce'], 'foreday': ['feodary', 'foreday'], 'forefit': ['forefit', 'forfeit'], 'foregate': ['fogeater', 'foregate'], 'foregirth': ['foregirth', 'foreright'], 'forego': ['forego', 'goofer'], 'forel': ['forel', 'rolfe'], 'forelive': ['forelive', 'overfile'], 'foreman': ['foramen', 'foreman'], 'foremean': ['foremean', 'forename'], 'forename': ['foremean', 'forename'], 'forensal': ['farnesol', 'forensal'], 'forensic': ['forensic', 'forinsec'], 'forepart': ['forepart', 'prefator'], 'foreright': ['foregirth', 'foreright'], 'foresend': ['defensor', 'foresend'], 'foresign': ['foresign', 'foresing'], 'foresin': ['ferison', 'foresin'], 'foresing': ['foresign', 'foresing'], 'forest': ['forest', 'forset', 'foster'], 'forestage': ['forestage', 'fosterage'], 'forestal': ['astrofel', 'forestal'], 'forestate': ['forestate', 'foretaste'], 'forested': ['deforest', 'forested'], 'forestem': ['forestem', 'fretsome'], 'forester': ['forester', 'fosterer', 'reforest'], 'forestine': ['firestone', 'forestine'], 'foretaste': ['forestate', 'foretaste'], 'foreutter': ['foreutter', 'outferret'], 'forfeit': ['forefit', 'forfeit'], 'forfeiter': ['forfeiter', 'reforfeit'], 'forgeman': ['forgeman', 'formagen'], 'forinsec': ['forensic', 'forinsec'], 'forint': ['forint', 'fortin'], 'forlet': ['floret', 'forlet', 'lofter', 'torfel'], 'form': ['form', 'from'], 'formagen': ['forgeman', 'formagen'], 'formalin': ['formalin', 'informal', 'laniform'], 'formally': ['formally', 'formylal'], 'formed': ['deform', 'formed'], 'former': ['former', 'reform'], 'formica': ['aciform', 'formica'], 'formicina': ['aciniform', 'formicina'], 'formicoidea': ['aecidioform', 'formicoidea'], 'formin': ['formin', 'inform'], 'forminate': ['forminate', 'fremontia', 'taeniform'], 'formulae': ['formulae', 'fumarole'], 'formulaic': ['cauliform', 'formulaic', 'fumarolic'], 'formulate': ['feulamort', 'formulate'], 'formulator': ['formulator', 'torulaform'], 'formylal': ['formally', 'formylal'], 'fornical': ['florican', 'fornical'], 'fornicated': ['deforciant', 'fornicated'], 'forpit': ['forpit', 'profit'], 'forritsome': ['forritsome', 'ostreiform'], 'forrue': ['forrue', 'fourer', 'fourre', 'furore'], 'forset': ['forest', 'forset', 'foster'], 'forst': ['forst', 'frost'], 'fort': ['fort', 'frot'], 'forte': ['fetor', 'forte', 'ofter'], 'forth': ['forth', 'froth'], 'forthcome': ['forthcome', 'homecroft'], 'forthy': ['forthy', 'frothy'], 'forties': ['foister', 'forties'], 'fortin': ['forint', 'fortin'], 'forward': ['forward', 'froward'], 'forwarder': ['forwarder', 'reforward'], 'forwardly': ['forwardly', 'frowardly'], 'forwardness': ['forwardness', 'frowardness'], 'foster': ['forest', 'forset', 'foster'], 'fosterage': ['forestage', 'fosterage'], 'fosterer': ['forester', 'fosterer', 'reforest'], 'fot': ['fot', 'oft'], 'fou': ['fou', 'ouf'], 'fouler': ['fouler', 'furole'], 'found': ['fondu', 'found'], 'foundationer': ['foundationer', 'refoundation'], 'founder': ['founder', 'refound'], 'foundling': ['foundling', 'unfolding'], 'fourble': ['beflour', 'fourble'], 'fourer': ['forrue', 'fourer', 'fourre', 'furore'], 'fourre': ['forrue', 'fourer', 'fourre', 'furore'], 'fowl': ['flow', 'fowl', 'wolf'], 'fowler': ['flower', 'fowler', 'reflow', 'wolfer'], 'fowlery': ['flowery', 'fowlery'], 'fowling': ['flowing', 'fowling'], 'fra': ['far', 'fra'], 'frache': ['chafer', 'frache'], 'frae': ['fare', 'fear', 'frae', 'rafe'], 'fraghan': ['fraghan', 'harfang'], 'fraid': ['fiard', 'fraid'], 'fraik': ['fakir', 'fraik', 'kafir', 'rafik'], 'frail': ['filar', 'flair', 'frail'], 'fraiser': ['fraiser', 'frasier'], 'fram': ['farm', 'fram'], 'framable': ['farmable', 'framable'], 'frame': ['frame', 'fream'], 'framer': ['farmer', 'framer'], 'framing': ['farming', 'framing'], 'frangi': ['faring', 'frangi'], 'frantic': ['frantic', 'infarct', 'infract'], 'frase': ['farse', 'frase'], 'frasier': ['fraiser', 'frasier'], 'frat': ['frat', 'raft'], 'fratcheous': ['fratcheous', 'housecraft'], 'frater': ['frater', 'rafter'], 'frayed': ['defray', 'frayed'], 'freak': ['faker', 'freak'], 'freaky': ['fakery', 'freaky'], 'fream': ['frame', 'fream'], 'freath': ['father', 'freath', 'hafter'], 'freckle': ['flecker', 'freckle'], 'free': ['feer', 'free', 'reef'], 'freed': ['defer', 'freed'], 'freeing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'freeman': ['enframe', 'freeman'], 'freer': ['freer', 'refer'], 'fregata': ['fregata', 'raftage'], 'fregatae': ['afterage', 'fregatae'], 'freight': ['fighter', 'freight', 'refight'], 'freir': ['ferri', 'firer', 'freir', 'frier'], 'freit': ['freit', 'refit'], 'freity': ['ferity', 'freity'], 'fremontia': ['forminate', 'fremontia', 'taeniform'], 'frenetic': ['frenetic', 'infecter', 'reinfect'], 'freshener': ['freshener', 'refreshen'], 'fresnel': ['flenser', 'fresnel'], 'fret': ['fret', 'reft', 'tref'], 'fretful': ['fretful', 'truffle'], 'fretsome': ['forestem', 'fretsome'], 'frette': ['fetter', 'frette'], 'freya': ['faery', 'freya'], 'freyr': ['ferry', 'freyr', 'fryer'], 'fried': ['fired', 'fried'], 'friedelite': ['fiedlerite', 'friedelite'], 'friend': ['finder', 'friend', 'redfin', 'refind'], 'frier': ['ferri', 'firer', 'freir', 'frier'], 'friesic': ['friesic', 'serific'], 'friggle': ['fligger', 'friggle'], 'frightener': ['frightener', 'refrighten'], 'frigolabile': ['frigolabile', 'glorifiable'], 'frike': ['frike', 'kefir'], 'frim': ['firm', 'frim'], 'fringe': ['finger', 'fringe'], 'fringeflower': ['fingerflower', 'fringeflower'], 'fringeless': ['fingerless', 'fringeless'], 'fringelet': ['fingerlet', 'fringelet'], 'frist': ['first', 'frist'], 'frit': ['frit', 'rift'], 'frith': ['firth', 'frith'], 'friulian': ['friulian', 'unifilar'], 'fro': ['for', 'fro', 'orf'], 'froe': ['fore', 'froe', 'ofer'], 'frogleg': ['flogger', 'frogleg'], 'from': ['form', 'from'], 'fronter': ['fronter', 'refront'], 'frontonasal': ['frontonasal', 'nasofrontal'], 'frontooccipital': ['frontooccipital', 'occipitofrontal'], 'frontoorbital': ['frontoorbital', 'orbitofrontal'], 'frontoparietal': ['frontoparietal', 'parietofrontal'], 'frontotemporal': ['frontotemporal', 'temporofrontal'], 'frontpiece': ['frontpiece', 'perfection'], 'frost': ['forst', 'frost'], 'frosted': ['defrost', 'frosted'], 'frot': ['fort', 'frot'], 'froth': ['forth', 'froth'], 'frothy': ['forthy', 'frothy'], 'froward': ['forward', 'froward'], 'frowardly': ['forwardly', 'frowardly'], 'frowardness': ['forwardness', 'frowardness'], 'fruitage': ['figurate', 'fruitage'], 'fruitless': ['fruitless', 'resistful'], 'frush': ['frush', 'shurf'], 'frustule': ['frustule', 'sulfuret'], 'fruticulose': ['fruticulose', 'luctiferous'], 'fryer': ['ferry', 'freyr', 'fryer'], 'fucales': ['caseful', 'fucales'], 'fucate': ['faucet', 'fucate'], 'fuel': ['flue', 'fuel'], 'fueler': ['ferule', 'fueler', 'refuel'], 'fuerte': ['fuerte', 'refute'], 'fuirena': ['fuirena', 'unafire'], 'fulcrate': ['crateful', 'fulcrate'], 'fulica': ['ficula', 'fulica'], 'fulmar': ['armful', 'fulmar'], 'fulminatory': ['fulminatory', 'unformality'], 'fulminous': ['fulminous', 'sulfonium'], 'fulwa': ['awful', 'fulwa'], 'fumarole': ['formulae', 'fumarole'], 'fumarolic': ['cauliform', 'formulaic', 'fumarolic'], 'fumble': ['beflum', 'fumble'], 'fumer': ['femur', 'fumer'], 'fundable': ['fundable', 'unfabled'], 'funder': ['funder', 'refund'], 'funebrial': ['funebrial', 'unfriable'], 'funeral': ['earnful', 'funeral'], 'fungal': ['fungal', 'unflag'], 'fungi': ['fingu', 'fungi'], 'funori': ['funori', 'furoin'], 'fur': ['fur', 'urf'], 'fural': ['alfur', 'fural'], 'furan': ['furan', 'unfar'], 'furbish': ['burfish', 'furbish'], 'furbisher': ['furbisher', 'refurbish'], 'furcal': ['carful', 'furcal'], 'furcate': ['facture', 'furcate'], 'furler': ['furler', 'refurl'], 'furnish': ['furnish', 'runfish'], 'furnisher': ['furnisher', 'refurnish'], 'furoin': ['funori', 'furoin'], 'furole': ['fouler', 'furole'], 'furore': ['forrue', 'fourer', 'fourre', 'furore'], 'furstone': ['furstone', 'unforest'], 'fusate': ['estufa', 'fusate'], 'fusteric': ['fusteric', 'scutifer'], 'fustian': ['faunist', 'fustian', 'infaust'], 'gab': ['bag', 'gab'], 'gabbler': ['gabbler', 'grabble'], 'gabe': ['egba', 'gabe'], 'gabelle': ['gabelle', 'gelable'], 'gabelled': ['gabelled', 'geldable'], 'gabi': ['agib', 'biga', 'gabi'], 'gabion': ['bagnio', 'gabion', 'gobian'], 'gabioned': ['badigeon', 'gabioned'], 'gable': ['bagel', 'belga', 'gable', 'gleba'], 'gablock': ['backlog', 'gablock'], 'gaboon': ['abongo', 'gaboon'], 'gad': ['dag', 'gad'], 'gadaba': ['badaga', 'dagaba', 'gadaba'], 'gadder': ['gadder', 'graded'], 'gaddi': ['gaddi', 'gadid'], 'gade': ['aged', 'egad', 'gade'], 'gadger': ['dagger', 'gadger', 'ragged'], 'gadget': ['gadget', 'tagged'], 'gadid': ['gaddi', 'gadid'], 'gadinine': ['gadinine', 'indigena'], 'gadolinite': ['deligation', 'gadolinite', 'gelatinoid'], 'gadroon': ['dragoon', 'gadroon'], 'gadroonage': ['dragoonage', 'gadroonage'], 'gaduin': ['anguid', 'gaduin'], 'gael': ['gael', 'gale', 'geal'], 'gaen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gaet': ['gaet', 'gate', 'geat', 'geta'], 'gaetulan': ['angulate', 'gaetulan'], 'gager': ['agger', 'gager', 'regga'], 'gahnite': ['gahnite', 'heating'], 'gahrwali': ['gahrwali', 'garhwali'], 'gaiassa': ['assagai', 'gaiassa'], 'gail': ['gail', 'gali', 'gila', 'glia'], 'gain': ['gain', 'inga', 'naig', 'ngai'], 'gaincall': ['gaincall', 'gallican'], 'gaine': ['angie', 'gaine'], 'gainer': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'gainless': ['gainless', 'glassine'], 'gainly': ['gainly', 'laying'], 'gainsayer': ['asynergia', 'gainsayer'], 'gainset': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'gainstrive': ['gainstrive', 'vinegarist'], 'gainturn': ['gainturn', 'naturing'], 'gaiter': ['gaiter', 'tairge', 'triage'], 'gaize': ['gaize', 'ziega'], 'gaj': ['gaj', 'jag'], 'gal': ['gal', 'lag'], 'gala': ['agal', 'agla', 'alga', 'gala'], 'galactonic': ['cognatical', 'galactonic'], 'galatae': ['galatae', 'galatea'], 'galatea': ['galatae', 'galatea'], 'gale': ['gael', 'gale', 'geal'], 'galea': ['algae', 'galea'], 'galee': ['aegle', 'eagle', 'galee'], 'galei': ['agiel', 'agile', 'galei'], 'galeid': ['algedi', 'galeid'], 'galen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'galena': ['alnage', 'angela', 'galena', 'lagena'], 'galenian': ['alangine', 'angelina', 'galenian'], 'galenic': ['angelic', 'galenic'], 'galenical': ['angelical', 'englacial', 'galenical'], 'galenist': ['galenist', 'genitals', 'stealing'], 'galenite': ['galenite', 'legatine'], 'galeoid': ['galeoid', 'geoidal'], 'galera': ['aglare', 'alegar', 'galera', 'laager'], 'galet': ['aglet', 'galet'], 'galewort': ['galewort', 'waterlog'], 'galey': ['agley', 'galey'], 'galga': ['galga', 'glaga'], 'gali': ['gail', 'gali', 'gila', 'glia'], 'galidia': ['agialid', 'galidia'], 'galik': ['galik', 'glaik'], 'galilean': ['galilean', 'gallinae'], 'galiot': ['galiot', 'latigo'], 'galla': ['algal', 'galla'], 'gallate': ['gallate', 'tallage'], 'gallein': ['gallein', 'galline', 'nigella'], 'galleria': ['allergia', 'galleria'], 'gallery': ['allergy', 'gallery', 'largely', 'regally'], 'galli': ['galli', 'glial'], 'gallican': ['gaincall', 'gallican'], 'gallicole': ['collegial', 'gallicole'], 'gallinae': ['galilean', 'gallinae'], 'galline': ['gallein', 'galline', 'nigella'], 'gallnut': ['gallnut', 'nutgall'], 'galloper': ['galloper', 'regallop'], 'gallotannate': ['gallotannate', 'tannogallate'], 'gallotannic': ['gallotannic', 'tannogallic'], 'gallstone': ['gallstone', 'stonegall'], 'gallybagger': ['gallybagger', 'gallybeggar'], 'gallybeggar': ['gallybagger', 'gallybeggar'], 'galore': ['galore', 'gaoler'], 'galtonia': ['galtonia', 'notalgia'], 'galvanopsychic': ['galvanopsychic', 'psychogalvanic'], 'galvanothermometer': ['galvanothermometer', 'thermogalvanometer'], 'gam': ['gam', 'mag'], 'gamaliel': ['gamaliel', 'melalgia'], 'gamashes': ['gamashes', 'smashage'], 'gamasid': ['gamasid', 'magadis'], 'gambado': ['dagomba', 'gambado'], 'gambier': ['gambier', 'imbarge'], 'gambler': ['gambler', 'gambrel'], 'gambrel': ['gambler', 'gambrel'], 'game': ['egma', 'game', 'mage'], 'gamely': ['gamely', 'gleamy', 'mygale'], 'gamene': ['gamene', 'manege', 'menage'], 'gamete': ['gamete', 'metage'], 'gametogenic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamic': ['gamic', 'magic'], 'gamin': ['gamin', 'mangi'], 'gaming': ['gaming', 'gigman'], 'gamma': ['gamma', 'magma'], 'gammer': ['gammer', 'gramme'], 'gamogenetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamori': ['gamori', 'gomari', 'gromia'], 'gan': ['gan', 'nag'], 'ganam': ['amang', 'ganam', 'manga'], 'ganch': ['chang', 'ganch'], 'gander': ['danger', 'gander', 'garden', 'ranged'], 'gandul': ['gandul', 'unglad'], 'gane': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gangan': ['gangan', 'nagnag'], 'ganger': ['ganger', 'grange', 'nagger'], 'ganging': ['ganging', 'nagging'], 'gangism': ['gangism', 'gigsman'], 'ganglioneuron': ['ganglioneuron', 'neuroganglion'], 'gangly': ['gangly', 'naggly'], 'ganguela': ['ganguela', 'language'], 'gangway': ['gangway', 'waygang'], 'ganister': ['astringe', 'ganister', 'gantries'], 'ganoidal': ['diagonal', 'ganoidal', 'gonadial'], 'ganoidean': ['ganoidean', 'indogaean'], 'ganoidian': ['agoniadin', 'anangioid', 'ganoidian'], 'ganosis': ['agnosis', 'ganosis'], 'gansel': ['angles', 'gansel'], 'gant': ['gant', 'gnat', 'tang'], 'ganta': ['ganta', 'tanga'], 'ganton': ['ganton', 'tongan'], 'gantries': ['astringe', 'ganister', 'gantries'], 'gantry': ['gantry', 'gyrant'], 'ganymede': ['ganymede', 'megadyne'], 'ganzie': ['agnize', 'ganzie'], 'gaol': ['gaol', 'goal', 'gola', 'olga'], 'gaoler': ['galore', 'gaoler'], 'gaon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gaonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'gapa': ['gapa', 'paga'], 'gape': ['gape', 'page', 'peag', 'pega'], 'gaper': ['gaper', 'grape', 'pager', 'parge'], 'gar': ['gar', 'gra', 'rag'], 'gara': ['agar', 'agra', 'gara', 'raga'], 'garamond': ['dragoman', 'garamond', 'ondagram'], 'garance': ['carnage', 'cranage', 'garance'], 'garb': ['brag', 'garb', 'grab'], 'garbel': ['garbel', 'garble'], 'garble': ['garbel', 'garble'], 'garbless': ['bragless', 'garbless'], 'garce': ['cager', 'garce', 'grace'], 'garcinia': ['agaricin', 'garcinia'], 'gardeen': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'garden': ['danger', 'gander', 'garden', 'ranged'], 'gardened': ['deranged', 'gardened'], 'gardener': ['deranger', 'gardener'], 'gardenful': ['dangerful', 'gardenful'], 'gardenia': ['drainage', 'gardenia'], 'gardenin': ['gardenin', 'grenadin'], 'gardenless': ['dangerless', 'gardenless'], 'gare': ['ager', 'agre', 'gare', 'gear', 'rage'], 'gareh': ['gareh', 'gerah'], 'garetta': ['garetta', 'rattage', 'regatta'], 'garewaite': ['garewaite', 'waiterage'], 'garfish': ['garfish', 'ragfish'], 'garget': ['garget', 'tagger'], 'gargety': ['gargety', 'raggety'], 'gargle': ['gargle', 'gregal', 'lagger', 'raggle'], 'garhwali': ['gahrwali', 'garhwali'], 'garial': ['argali', 'garial'], 'garle': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'garment': ['garment', 'margent'], 'garmenture': ['garmenture', 'reargument'], 'garn': ['garn', 'gnar', 'rang'], 'garnel': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'garner': ['garner', 'ranger'], 'garnet': ['argent', 'garnet', 'garten', 'tanger'], 'garneter': ['argenter', 'garneter'], 'garnetiferous': ['argentiferous', 'garnetiferous'], 'garnets': ['angster', 'garnets', 'nagster', 'strange'], 'garnett': ['garnett', 'gnatter', 'gratten', 'tergant'], 'garnice': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garniec': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garnish': ['garnish', 'rashing'], 'garnished': ['degarnish', 'garnished'], 'garnisher': ['garnisher', 'regarnish'], 'garo': ['argo', 'garo', 'gora'], 'garran': ['garran', 'ragnar'], 'garret': ['garret', 'garter', 'grater', 'targer'], 'garreted': ['garreted', 'gartered'], 'garroter': ['garroter', 'regrator'], 'garten': ['argent', 'garnet', 'garten', 'tanger'], 'garter': ['garret', 'garter', 'grater', 'targer'], 'gartered': ['garreted', 'gartered'], 'gartering': ['gartering', 'regrating'], 'garum': ['garum', 'murga'], 'gary': ['gary', 'gray'], 'gas': ['gas', 'sag'], 'gasan': ['gasan', 'sanga'], 'gash': ['gash', 'shag'], 'gasless': ['gasless', 'glasses', 'sagless'], 'gaslit': ['algist', 'gaslit'], 'gasoliner': ['gasoliner', 'seignoral'], 'gasper': ['gasper', 'sparge'], 'gast': ['gast', 'stag'], 'gaster': ['gaster', 'stager'], 'gastrin': ['gastrin', 'staring'], 'gastroenteritis': ['enterogastritis', 'gastroenteritis'], 'gastroesophagostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'gastrohepatic': ['gastrohepatic', 'hepatogastric'], 'gastronomic': ['gastronomic', 'monogastric'], 'gastropathic': ['gastropathic', 'graphostatic'], 'gastrophrenic': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'gastrular': ['gastrular', 'stragular'], 'gat': ['gat', 'tag'], 'gate': ['gaet', 'gate', 'geat', 'geta'], 'gateman': ['gateman', 'magenta', 'magnate', 'magneta'], 'gater': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gateward': ['drawgate', 'gateward'], 'gateway': ['gateway', 'getaway', 'waygate'], 'gatherer': ['gatherer', 'regather'], 'gator': ['argot', 'gator', 'gotra', 'groat'], 'gatter': ['gatter', 'target'], 'gaucho': ['gaucho', 'guacho'], 'gaufer': ['agrufe', 'gaufer', 'gaufre'], 'gauffer': ['gauffer', 'gauffre'], 'gauffre': ['gauffer', 'gauffre'], 'gaufre': ['agrufe', 'gaufer', 'gaufre'], 'gaul': ['gaul', 'gula'], 'gaulin': ['gaulin', 'lingua'], 'gaulter': ['gaulter', 'tegular'], 'gaum': ['gaum', 'muga'], 'gaun': ['gaun', 'guan', 'guna', 'uang'], 'gaunt': ['gaunt', 'tunga'], 'gaur': ['gaur', 'guar', 'ruga'], 'gaura': ['gaura', 'guara'], 'gaurian': ['anguria', 'gaurian', 'guarani'], 'gave': ['gave', 'vage', 'vega'], 'gavyuti': ['gavyuti', 'vaguity'], 'gaw': ['gaw', 'wag'], 'gawn': ['gawn', 'gnaw', 'wang'], 'gay': ['agy', 'gay'], 'gaz': ['gaz', 'zag'], 'gazel': ['gazel', 'glaze'], 'gazer': ['gazer', 'graze'], 'gazon': ['gazon', 'zogan'], 'gazy': ['gazy', 'zyga'], 'geal': ['gael', 'gale', 'geal'], 'gean': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gear': ['ager', 'agre', 'gare', 'gear', 'rage'], 'geared': ['agreed', 'geared'], 'gearless': ['eelgrass', 'gearless', 'rageless'], 'gearman': ['gearman', 'manager'], 'gearset': ['ergates', 'gearset', 'geaster'], 'geaster': ['ergates', 'gearset', 'geaster'], 'geat': ['gaet', 'gate', 'geat', 'geta'], 'gebur': ['bugre', 'gebur'], 'ged': ['deg', 'ged'], 'gedder': ['dredge', 'gedder'], 'geest': ['egest', 'geest', 'geste'], 'gegger': ['gegger', 'gregge'], 'geheimrat': ['geheimrat', 'hermitage'], 'gein': ['gein', 'gien'], 'geira': ['geira', 'regia'], 'geison': ['geison', 'isogen'], 'geissospermine': ['geissospermine', 'spermiogenesis'], 'gel': ['gel', 'leg'], 'gelable': ['gabelle', 'gelable'], 'gelasian': ['anglaise', 'gelasian'], 'gelastic': ['gelastic', 'gestical'], 'gelatin': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'gelatinate': ['gelatinate', 'nagatelite'], 'gelatined': ['delignate', 'gelatined'], 'gelatinizer': ['gelatinizer', 'integralize'], 'gelatinoid': ['deligation', 'gadolinite', 'gelatinoid'], 'gelation': ['gelation', 'lagonite', 'legation'], 'gelatose': ['gelatose', 'segolate'], 'geldable': ['gabelled', 'geldable'], 'gelder': ['gelder', 'ledger', 'redleg'], 'gelding': ['gelding', 'ledging'], 'gelid': ['gelid', 'glide'], 'gelidness': ['gelidness', 'glideness'], 'gelosin': ['gelosin', 'lignose'], 'gem': ['gem', 'meg'], 'gemara': ['gemara', 'ramage'], 'gemaric': ['gemaric', 'grimace', 'megaric'], 'gemarist': ['gemarist', 'magister', 'sterigma'], 'gematria': ['gematria', 'maritage'], 'gemul': ['gemul', 'glume'], 'gena': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'genal': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'genarch': ['changer', 'genarch'], 'gendarme': ['edgerman', 'gendarme'], 'genear': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'geneat': ['geneat', 'negate', 'tegean'], 'genera': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'generable': ['generable', 'greenable'], 'general': ['enlarge', 'general', 'gleaner'], 'generalist': ['easterling', 'generalist'], 'generall': ['allergen', 'generall'], 'generation': ['generation', 'renegation'], 'generic': ['energic', 'generic'], 'generical': ['energical', 'generical'], 'genesiac': ['agenesic', 'genesiac'], 'genesial': ['ensilage', 'genesial', 'signalee'], 'genetical': ['clientage', 'genetical'], 'genetta': ['genetta', 'tentage'], 'geneura': ['geneura', 'uneager'], 'geneva': ['avenge', 'geneva', 'vangee'], 'genial': ['algine', 'genial', 'linage'], 'genicular': ['genicular', 'neuralgic'], 'genie': ['eigne', 'genie'], 'genion': ['genion', 'inogen'], 'genipa': ['genipa', 'piegan'], 'genista': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'genistein': ['genistein', 'gentisein'], 'genital': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'genitals': ['galenist', 'genitals', 'stealing'], 'genitival': ['genitival', 'vigilante'], 'genitocrural': ['crurogenital', 'genitocrural'], 'genitor': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'genitorial': ['genitorial', 'religation'], 'genitory': ['genitory', 'ortygine'], 'genitourinary': ['genitourinary', 'urinogenitary'], 'geniture': ['geniture', 'guerinet'], 'genizero': ['genizero', 'negroize'], 'genoa': ['agone', 'genoa'], 'genoblastic': ['blastogenic', 'genoblastic'], 'genocidal': ['algedonic', 'genocidal'], 'genom': ['genom', 'gnome'], 'genotypical': ['genotypical', 'ptyalogenic'], 'genre': ['genre', 'green', 'neger', 'reneg'], 'genro': ['ergon', 'genro', 'goner', 'negro'], 'gent': ['gent', 'teng'], 'gentes': ['gentes', 'gesten'], 'genthite': ['genthite', 'teething'], 'gentian': ['antigen', 'gentian'], 'gentianic': ['antigenic', 'gentianic'], 'gentisein': ['genistein', 'gentisein'], 'gentle': ['gentle', 'telegn'], 'gentrice': ['erecting', 'gentrice'], 'genua': ['augen', 'genua'], 'genual': ['genual', 'leguan'], 'genuine': ['genuine', 'ingenue'], 'genus': ['genus', 'negus'], 'geo': ['ego', 'geo'], 'geocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'geocratic': ['categoric', 'geocratic'], 'geocronite': ['erotogenic', 'geocronite', 'orogenetic'], 'geodal': ['algedo', 'geodal'], 'geode': ['geode', 'ogeed'], 'geodiatropism': ['diageotropism', 'geodiatropism'], 'geoduck': ['geoduck', 'goeduck'], 'geohydrology': ['geohydrology', 'hydrogeology'], 'geoid': ['diego', 'dogie', 'geoid'], 'geoidal': ['galeoid', 'geoidal'], 'geoisotherm': ['geoisotherm', 'isogeotherm'], 'geomagnetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'geomant': ['geomant', 'magneto', 'megaton', 'montage'], 'geomantic': ['atmogenic', 'geomantic'], 'geometrical': ['geometrical', 'glaciometer'], 'geometrina': ['angiometer', 'ergotamine', 'geometrina'], 'geon': ['geon', 'gone'], 'geonim': ['geonim', 'imogen'], 'georama': ['georama', 'roamage'], 'geotectonic': ['geotectonic', 'tocogenetic'], 'geotic': ['geotic', 'goetic'], 'geotical': ['ectoglia', 'geotical', 'goetical'], 'geotonic': ['geotonic', 'otogenic'], 'geoty': ['geoty', 'goety'], 'ger': ['erg', 'ger', 'reg'], 'gerah': ['gareh', 'gerah'], 'geraldine': ['engrailed', 'geraldine'], 'geranial': ['algerian', 'geranial', 'regalian'], 'geranic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'geraniol': ['geraniol', 'regional'], 'geranomorph': ['geranomorph', 'monographer', 'nomographer'], 'geranyl': ['angerly', 'geranyl'], 'gerard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gerastian': ['agrestian', 'gerastian', 'stangeria'], 'geraty': ['geraty', 'gyrate'], 'gerb': ['berg', 'gerb'], 'gerbe': ['gerbe', 'grebe', 'rebeg'], 'gerbera': ['bargeer', 'gerbera'], 'gerenda': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'gerendum': ['gerendum', 'unmerged'], 'gerent': ['gerent', 'regent'], 'gerenuk': ['gerenuk', 'greenuk'], 'gerim': ['gerim', 'grime'], 'gerip': ['gerip', 'gripe'], 'german': ['engram', 'german', 'manger'], 'germania': ['germania', 'megarian'], 'germanics': ['germanics', 'screaming'], 'germanification': ['germanification', 'remagnification'], 'germanify': ['germanify', 'remagnify'], 'germanious': ['germanious', 'gramineous', 'marigenous'], 'germanist': ['germanist', 'streaming'], 'germanite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germanly': ['germanly', 'germanyl'], 'germanyl': ['germanly', 'germanyl'], 'germinal': ['germinal', 'maligner', 'malinger'], 'germinant': ['germinant', 'minargent'], 'germinate': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germon': ['germon', 'monger', 'morgen'], 'geronomite': ['geronomite', 'goniometer'], 'geront': ['geront', 'tonger'], 'gerontal': ['argentol', 'gerontal'], 'gerontes': ['estrogen', 'gerontes'], 'gerontic': ['gerontic', 'negrotic'], 'gerontism': ['gerontism', 'monergist'], 'gerres': ['gerres', 'serger'], 'gersum': ['gersum', 'mergus'], 'gerund': ['dunger', 'gerund', 'greund', 'nudger'], 'gerundive': ['gerundive', 'ungrieved'], 'gerusia': ['ergusia', 'gerusia', 'sarigue'], 'gervas': ['gervas', 'graves'], 'gervase': ['gervase', 'greaves', 'servage'], 'ges': ['ges', 'seg'], 'gesan': ['agnes', 'gesan'], 'gesith': ['gesith', 'steigh'], 'gesning': ['gesning', 'ginseng'], 'gest': ['gest', 'steg'], 'gestapo': ['gestapo', 'postage'], 'gestate': ['gestate', 'tagetes'], 'geste': ['egest', 'geest', 'geste'], 'gesten': ['gentes', 'gesten'], 'gestical': ['gelastic', 'gestical'], 'gesticular': ['gesticular', 'scutigeral'], 'gesture': ['gesture', 'guester'], 'get': ['get', 'teg'], 'geta': ['gaet', 'gate', 'geat', 'geta'], 'getaway': ['gateway', 'getaway', 'waygate'], 'gettable': ['begettal', 'gettable'], 'getup': ['getup', 'upget'], 'geyerite': ['geyerite', 'tigereye'], 'ghaist': ['ghaist', 'tagish'], 'ghent': ['ghent', 'thegn'], 'ghosty': ['ghosty', 'hogsty'], 'ghoul': ['ghoul', 'lough'], 'giansar': ['giansar', 'sarangi'], 'giant': ['giant', 'tangi', 'tiang'], 'gib': ['big', 'gib'], 'gibbon': ['gibbon', 'gobbin'], 'gibel': ['bilge', 'gibel'], 'gibing': ['biggin', 'gibing'], 'gid': ['dig', 'gid'], 'gideonite': ['diogenite', 'gideonite'], 'gien': ['gein', 'gien'], 'gienah': ['gienah', 'hangie'], 'gif': ['fig', 'gif'], 'gifola': ['filago', 'gifola'], 'gifted': ['fidget', 'gifted'], 'gigman': ['gaming', 'gigman'], 'gigsman': ['gangism', 'gigsman'], 'gila': ['gail', 'gali', 'gila', 'glia'], 'gilaki': ['gilaki', 'giliak'], 'gilbertese': ['gilbertese', 'selbergite'], 'gilden': ['dingle', 'elding', 'engild', 'gilden'], 'gilder': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gilding': ['gilding', 'gliding'], 'gileno': ['eloign', 'gileno', 'legion'], 'giles': ['giles', 'gilse'], 'giliak': ['gilaki', 'giliak'], 'giller': ['giller', 'grille', 'regill'], 'gilo': ['gilo', 'goli'], 'gilpy': ['gilpy', 'pigly'], 'gilse': ['giles', 'gilse'], 'gim': ['gim', 'mig'], 'gimel': ['gimel', 'glime'], 'gimmer': ['gimmer', 'grimme', 'megrim'], 'gimper': ['gimper', 'impreg'], 'gin': ['gin', 'ing', 'nig'], 'ginger': ['ginger', 'nigger'], 'gingery': ['gingery', 'niggery'], 'ginglymodi': ['ginglymodi', 'ginglymoid'], 'ginglymoid': ['ginglymodi', 'ginglymoid'], 'gink': ['gink', 'king'], 'ginned': ['ending', 'ginned'], 'ginner': ['enring', 'ginner'], 'ginney': ['ginney', 'nignye'], 'ginseng': ['gesning', 'ginseng'], 'ginward': ['drawing', 'ginward', 'warding'], 'gio': ['gio', 'goi'], 'giornata': ['giornata', 'gratiano'], 'giornatate': ['giornatate', 'tetragonia'], 'gip': ['gip', 'pig'], 'gipper': ['gipper', 'grippe'], 'girandole': ['girandole', 'negroidal'], 'girasole': ['girasole', 'seraglio'], 'girba': ['bragi', 'girba'], 'gird': ['gird', 'grid'], 'girder': ['girder', 'ridger'], 'girding': ['girding', 'ridging'], 'girdingly': ['girdingly', 'ridgingly'], 'girdle': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'girdler': ['dirgler', 'girdler'], 'girdling': ['girdling', 'ridgling'], 'girling': ['girling', 'rigling'], 'girn': ['girn', 'grin', 'ring'], 'girny': ['girny', 'ringy'], 'girondin': ['girondin', 'nonrigid'], 'girsle': ['girsle', 'gisler', 'glires', 'grilse'], 'girt': ['girt', 'grit', 'trig'], 'girth': ['girth', 'grith', 'right'], 'gish': ['gish', 'sigh'], 'gisla': ['gisla', 'ligas', 'sigla'], 'gisler': ['girsle', 'gisler', 'glires', 'grilse'], 'git': ['git', 'tig'], 'gitalin': ['gitalin', 'tailing'], 'gith': ['gith', 'thig'], 'gitksan': ['gitksan', 'skating', 'takings'], 'gittern': ['gittern', 'gritten', 'retting'], 'giustina': ['giustina', 'ignatius'], 'giver': ['giver', 'vergi'], 'glaceing': ['cageling', 'glaceing'], 'glacier': ['glacier', 'gracile'], 'glaciometer': ['geometrical', 'glaciometer'], 'gladdener': ['gladdener', 'glandered', 'regladden'], 'glaga': ['galga', 'glaga'], 'glaik': ['galik', 'glaik'], 'glaiket': ['glaiket', 'taglike'], 'glair': ['argil', 'glair', 'grail'], 'glaireous': ['aligerous', 'glaireous'], 'glaister': ['glaister', 'regalist'], 'glaive': ['glaive', 'vagile'], 'glance': ['cangle', 'glance'], 'glancer': ['cangler', 'glancer', 'reclang'], 'glancingly': ['clangingly', 'glancingly'], 'glandered': ['gladdener', 'glandered', 'regladden'], 'glans': ['glans', 'slang'], 'glare': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'glariness': ['glariness', 'grainless'], 'glary': ['glary', 'gyral'], 'glasser': ['glasser', 'largess'], 'glasses': ['gasless', 'glasses', 'sagless'], 'glassie': ['algesis', 'glassie'], 'glassine': ['gainless', 'glassine'], 'glaucin': ['glaucin', 'glucina'], 'glaucine': ['cuailnge', 'glaucine'], 'glaum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glaur': ['glaur', 'gular'], 'glaury': ['glaury', 'raguly'], 'glaver': ['glaver', 'gravel'], 'glaze': ['gazel', 'glaze'], 'glazy': ['glazy', 'zygal'], 'gleamy': ['gamely', 'gleamy', 'mygale'], 'glean': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'gleaner': ['enlarge', 'general', 'gleaner'], 'gleary': ['argyle', 'gleary'], 'gleba': ['bagel', 'belga', 'gable', 'gleba'], 'glebal': ['begall', 'glebal'], 'glede': ['glede', 'gleed', 'ledge'], 'gledy': ['gledy', 'ledgy'], 'gleed': ['glede', 'gleed', 'ledge'], 'gleeman': ['gleeman', 'melange'], 'glia': ['gail', 'gali', 'gila', 'glia'], 'gliadin': ['dialing', 'gliadin'], 'glial': ['galli', 'glial'], 'glibness': ['beslings', 'blessing', 'glibness'], 'glidder': ['glidder', 'griddle'], 'glide': ['gelid', 'glide'], 'glideness': ['gelidness', 'glideness'], 'glider': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gliding': ['gilding', 'gliding'], 'glime': ['gimel', 'glime'], 'glink': ['glink', 'kling'], 'glires': ['girsle', 'gisler', 'glires', 'grilse'], 'glisten': ['glisten', 'singlet'], 'glister': ['glister', 'gristle'], 'glitnir': ['glitnir', 'ritling'], 'glitter': ['glitter', 'grittle'], 'gloater': ['argolet', 'gloater', 'legator'], 'gloating': ['gloating', 'goatling'], 'globate': ['boltage', 'globate'], 'globe': ['bogle', 'globe'], 'globin': ['globin', 'goblin', 'lobing'], 'gloea': ['gloea', 'legoa'], 'glome': ['glome', 'golem', 'molge'], 'glomerate': ['algometer', 'glomerate'], 'glore': ['glore', 'ogler'], 'gloria': ['gloria', 'larigo', 'logria'], 'gloriana': ['argolian', 'gloriana'], 'gloriette': ['gloriette', 'rigolette'], 'glorifiable': ['frigolabile', 'glorifiable'], 'glossed': ['dogless', 'glossed', 'godless'], 'glosser': ['glosser', 'regloss'], 'glossitic': ['glossitic', 'logistics'], 'glossohyal': ['glossohyal', 'hyoglossal'], 'glossolabial': ['glossolabial', 'labioglossal'], 'glossolabiolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'glossolabiopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'glottid': ['glottid', 'goldtit'], 'glover': ['glover', 'grovel'], 'gloveress': ['gloveress', 'groveless'], 'glow': ['glow', 'gowl'], 'glower': ['glower', 'reglow'], 'gloy': ['gloy', 'logy'], 'glucemia': ['glucemia', 'mucilage'], 'glucina': ['glaucin', 'glucina'], 'glucine': ['glucine', 'lucigen'], 'glucinum': ['cingulum', 'glucinum'], 'glucosane': ['consulage', 'glucosane'], 'glue': ['glue', 'gule', 'luge'], 'gluer': ['gluer', 'gruel', 'luger'], 'gluma': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glume': ['gemul', 'glume'], 'glumose': ['glumose', 'lugsome'], 'gluten': ['englut', 'gluten', 'ungelt'], 'glutin': ['glutin', 'luting', 'ungilt'], 'glutter': ['glutter', 'guttler'], 'glycerate': ['electragy', 'glycerate'], 'glycerinize': ['glycerinize', 'glycerizine'], 'glycerizine': ['glycerinize', 'glycerizine'], 'glycerophosphate': ['glycerophosphate', 'phosphoglycerate'], 'glycocin': ['glycocin', 'glyconic'], 'glyconic': ['glycocin', 'glyconic'], 'glycosine': ['glycosine', 'lysogenic'], 'glycosuria': ['glycosuria', 'graciously'], 'gnaeus': ['gnaeus', 'unsage'], 'gnaphalium': ['gnaphalium', 'phalangium'], 'gnar': ['garn', 'gnar', 'rang'], 'gnarled': ['dangler', 'gnarled'], 'gnash': ['gnash', 'shang'], 'gnat': ['gant', 'gnat', 'tang'], 'gnatho': ['gnatho', 'thonga'], 'gnathotheca': ['chaetognath', 'gnathotheca'], 'gnatling': ['gnatling', 'tangling'], 'gnatter': ['garnett', 'gnatter', 'gratten', 'tergant'], 'gnaw': ['gawn', 'gnaw', 'wang'], 'gnetum': ['gnetum', 'nutmeg'], 'gnome': ['genom', 'gnome'], 'gnomic': ['coming', 'gnomic'], 'gnomist': ['gnomist', 'mosting'], 'gnomonic': ['gnomonic', 'oncoming'], 'gnomonical': ['cognominal', 'gnomonical'], 'gnostic': ['costing', 'gnostic'], 'gnostical': ['gnostical', 'nostalgic'], 'gnu': ['gnu', 'gun'], 'go': ['go', 'og'], 'goa': ['ago', 'goa'], 'goad': ['dago', 'goad'], 'goal': ['gaol', 'goal', 'gola', 'olga'], 'goan': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'goat': ['goat', 'toag', 'toga'], 'goatee': ['goatee', 'goetae'], 'goatlike': ['goatlike', 'togalike'], 'goatling': ['gloating', 'goatling'], 'goatly': ['goatly', 'otalgy'], 'gob': ['bog', 'gob'], 'goban': ['bogan', 'goban'], 'gobbe': ['bebog', 'begob', 'gobbe'], 'gobbin': ['gibbon', 'gobbin'], 'gobelin': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'gobian': ['bagnio', 'gabion', 'gobian'], 'goblet': ['boglet', 'goblet'], 'goblin': ['globin', 'goblin', 'lobing'], 'gobline': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'goblinry': ['boringly', 'goblinry'], 'gobo': ['bogo', 'gobo'], 'goby': ['bogy', 'bygo', 'goby'], 'goclenian': ['congenial', 'goclenian'], 'god': ['dog', 'god'], 'goddam': ['goddam', 'mogdad'], 'gode': ['doeg', 'doge', 'gode'], 'godhead': ['doghead', 'godhead'], 'godhood': ['doghood', 'godhood'], 'godless': ['dogless', 'glossed', 'godless'], 'godlike': ['doglike', 'godlike'], 'godling': ['godling', 'lodging'], 'godly': ['dogly', 'godly', 'goldy'], 'godship': ['dogship', 'godship'], 'godwinian': ['downingia', 'godwinian'], 'goeduck': ['geoduck', 'goeduck'], 'goel': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'goer': ['goer', 'gore', 'ogre'], 'goes': ['goes', 'sego'], 'goetae': ['goatee', 'goetae'], 'goetic': ['geotic', 'goetic'], 'goetical': ['ectoglia', 'geotical', 'goetical'], 'goety': ['geoty', 'goety'], 'goglet': ['goglet', 'toggel', 'toggle'], 'goi': ['gio', 'goi'], 'goidel': ['goidel', 'goldie'], 'goitral': ['goitral', 'larigot', 'ligator'], 'gol': ['gol', 'log'], 'gola': ['gaol', 'goal', 'gola', 'olga'], 'golden': ['engold', 'golden'], 'goldenmouth': ['goldenmouth', 'longmouthed'], 'golder': ['golder', 'lodger'], 'goldie': ['goidel', 'goldie'], 'goldtit': ['glottid', 'goldtit'], 'goldy': ['dogly', 'godly', 'goldy'], 'golee': ['eloge', 'golee'], 'golem': ['glome', 'golem', 'molge'], 'golf': ['flog', 'golf'], 'golfer': ['golfer', 'reflog'], 'goli': ['gilo', 'goli'], 'goliard': ['argolid', 'goliard'], 'golo': ['golo', 'gool'], 'goma': ['goma', 'ogam'], 'gomari': ['gamori', 'gomari', 'gromia'], 'gomart': ['gomart', 'margot'], 'gomphrena': ['gomphrena', 'nephogram'], 'gon': ['gon', 'nog'], 'gona': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gonad': ['donga', 'gonad'], 'gonadial': ['diagonal', 'ganoidal', 'gonadial'], 'gonal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'gond': ['dong', 'gond'], 'gondi': ['dingo', 'doing', 'gondi', 'gonid'], 'gondola': ['dongola', 'gondola'], 'gondolier': ['gondolier', 'negroloid'], 'gone': ['geon', 'gone'], 'goner': ['ergon', 'genro', 'goner', 'negro'], 'gonesome': ['gonesome', 'osmogene'], 'gongoresque': ['gongoresque', 'gorgonesque'], 'gonia': ['gonia', 'ngaio', 'nogai'], 'goniac': ['agonic', 'angico', 'gaonic', 'goniac'], 'goniale': ['goniale', 'noilage'], 'goniaster': ['goniaster', 'orangeist'], 'goniatitid': ['digitation', 'goniatitid'], 'gonid': ['dingo', 'doing', 'gondi', 'gonid'], 'gonidia': ['angioid', 'gonidia'], 'gonidiferous': ['gonidiferous', 'indigoferous'], 'goniometer': ['geronomite', 'goniometer'], 'gonomery': ['gonomery', 'merogony'], 'gonosome': ['gonosome', 'mongoose'], 'gonyocele': ['coelogyne', 'gonyocele'], 'gonys': ['gonys', 'songy'], 'goober': ['booger', 'goober'], 'goodyear': ['goodyear', 'goodyera'], 'goodyera': ['goodyear', 'goodyera'], 'goof': ['fogo', 'goof'], 'goofer': ['forego', 'goofer'], 'gool': ['golo', 'gool'], 'gools': ['gools', 'logos'], 'goop': ['goop', 'pogo'], 'gor': ['gor', 'rog'], 'gora': ['argo', 'garo', 'gora'], 'goral': ['algor', 'argol', 'goral', 'largo'], 'goran': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'gorb': ['borg', 'brog', 'gorb'], 'gorbal': ['brolga', 'gorbal'], 'gorce': ['corge', 'gorce'], 'gordian': ['gordian', 'idorgan', 'roading'], 'gordon': ['drongo', 'gordon'], 'gordonia': ['gordonia', 'organoid', 'rigadoon'], 'gore': ['goer', 'gore', 'ogre'], 'gorer': ['gorer', 'roger'], 'gorge': ['gorge', 'grego'], 'gorged': ['dogger', 'gorged'], 'gorger': ['gorger', 'gregor'], 'gorgerin': ['gorgerin', 'ringgoer'], 'gorgonesque': ['gongoresque', 'gorgonesque'], 'goric': ['corgi', 'goric', 'orgic'], 'goring': ['goring', 'gringo'], 'gorse': ['gorse', 'soger'], 'gortonian': ['gortonian', 'organotin'], 'gory': ['gory', 'gyro', 'orgy'], 'gos': ['gos', 'sog'], 'gosain': ['gosain', 'isagon', 'sagoin'], 'gosh': ['gosh', 'shog'], 'gospel': ['gospel', 'spogel'], 'gossipry': ['gossipry', 'gryposis'], 'got': ['got', 'tog'], 'gotra': ['argot', 'gator', 'gotra', 'groat'], 'goup': ['goup', 'ogpu', 'upgo'], 'gourde': ['drogue', 'gourde'], 'gout': ['gout', 'toug'], 'goutish': ['goutish', 'outsigh'], 'gowan': ['gowan', 'wagon', 'wonga'], 'gowdnie': ['gowdnie', 'widgeon'], 'gowl': ['glow', 'gowl'], 'gown': ['gown', 'wong'], 'goyin': ['goyin', 'yogin'], 'gra': ['gar', 'gra', 'rag'], 'grab': ['brag', 'garb', 'grab'], 'grabble': ['gabbler', 'grabble'], 'graben': ['banger', 'engarb', 'graben'], 'grace': ['cager', 'garce', 'grace'], 'gracile': ['glacier', 'gracile'], 'graciously': ['glycosuria', 'graciously'], 'grad': ['darg', 'drag', 'grad'], 'gradation': ['gradation', 'indagator', 'tanagroid'], 'grade': ['edgar', 'grade'], 'graded': ['gadder', 'graded'], 'grader': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gradient': ['gradient', 'treading'], 'gradienter': ['gradienter', 'intergrade'], 'gradientia': ['gradientia', 'grantiidae'], 'gradin': ['daring', 'dingar', 'gradin'], 'gradine': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grading': ['grading', 'niggard'], 'graeae': ['aerage', 'graeae'], 'graeme': ['graeme', 'meager', 'meagre'], 'grafter': ['grafter', 'regraft'], 'graian': ['graian', 'nagari'], 'grail': ['argil', 'glair', 'grail'], 'grailer': ['grailer', 'reglair'], 'grain': ['agrin', 'grain'], 'grained': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grainer': ['earring', 'grainer'], 'grainless': ['glariness', 'grainless'], 'graith': ['aright', 'graith'], 'grallina': ['grallina', 'granilla'], 'gralline': ['allergin', 'gralline'], 'grame': ['grame', 'marge', 'regma'], 'gramenite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'gramineous': ['germanious', 'gramineous', 'marigenous'], 'graminiform': ['graminiform', 'marginiform'], 'graminous': ['graminous', 'ignoramus'], 'gramme': ['gammer', 'gramme'], 'gramophonic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'gramophonical': ['gramophonical', 'monographical', 'nomographical'], 'gramophonically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'gramophonist': ['gramophonist', 'monographist'], 'granadine': ['granadine', 'grenadian'], 'granate': ['argante', 'granate', 'tanager'], 'granatum': ['armgaunt', 'granatum'], 'grand': ['drang', 'grand'], 'grandam': ['dragman', 'grandam', 'grandma'], 'grandee': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grandeeism': ['grandeeism', 'renegadism'], 'grandeur': ['grandeur', 'unregard'], 'grandeval': ['grandeval', 'landgrave'], 'grandiose': ['grandiose', 'sargonide'], 'grandma': ['dragman', 'grandam', 'grandma'], 'grandparental': ['grandparental', 'grandpaternal'], 'grandpaternal': ['grandparental', 'grandpaternal'], 'grane': ['anger', 'areng', 'grane', 'range'], 'grange': ['ganger', 'grange', 'nagger'], 'grangousier': ['grangousier', 'gregarinous'], 'granilla': ['grallina', 'granilla'], 'granite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'granivore': ['granivore', 'overgrain'], 'grano': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'granophyre': ['granophyre', 'renography'], 'grantee': ['grantee', 'greaten', 'reagent', 'rentage'], 'granter': ['granter', 'regrant'], 'granth': ['granth', 'thrang'], 'grantiidae': ['gradientia', 'grantiidae'], 'granula': ['angular', 'granula'], 'granule': ['granule', 'unlarge', 'unregal'], 'granulite': ['granulite', 'traguline'], 'grape': ['gaper', 'grape', 'pager', 'parge'], 'graperoot': ['graperoot', 'prorogate'], 'graphical': ['algraphic', 'graphical'], 'graphically': ['calligraphy', 'graphically'], 'graphologic': ['graphologic', 'logographic'], 'graphological': ['graphological', 'logographical'], 'graphology': ['graphology', 'logography'], 'graphometer': ['graphometer', 'meteorgraph'], 'graphophonic': ['graphophonic', 'phonographic'], 'graphostatic': ['gastropathic', 'graphostatic'], 'graphotypic': ['graphotypic', 'pictography', 'typographic'], 'grapsidae': ['disparage', 'grapsidae'], 'grasp': ['grasp', 'sprag'], 'grasper': ['grasper', 'regrasp', 'sparger'], 'grasser': ['grasser', 'regrass'], 'grasshopper': ['grasshopper', 'hoppergrass'], 'grassman': ['grassman', 'mangrass'], 'grat': ['grat', 'trag'], 'grate': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'grateman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'grater': ['garret', 'garter', 'grater', 'targer'], 'gratiano': ['giornata', 'gratiano'], 'graticule': ['curtilage', 'cutigeral', 'graticule'], 'gratiolin': ['gratiolin', 'largition', 'tailoring'], 'gratis': ['gratis', 'striga'], 'gratten': ['garnett', 'gnatter', 'gratten', 'tergant'], 'graupel': ['earplug', 'graupel', 'plaguer'], 'gravamen': ['gravamen', 'graveman'], 'gravel': ['glaver', 'gravel'], 'graveman': ['gravamen', 'graveman'], 'graves': ['gervas', 'graves'], 'gravure': ['gravure', 'verruga'], 'gray': ['gary', 'gray'], 'grayling': ['grayling', 'ragingly'], 'graze': ['gazer', 'graze'], 'greaser': ['argeers', 'greaser', 'serrage'], 'great': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'greaten': ['grantee', 'greaten', 'reagent', 'rentage'], 'greater': ['greater', 'regrate', 'terrage'], 'greaves': ['gervase', 'greaves', 'servage'], 'grebe': ['gerbe', 'grebe', 'rebeg'], 'grecian': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'grecomania': ['ergomaniac', 'grecomania'], 'greed': ['edger', 'greed'], 'green': ['genre', 'green', 'neger', 'reneg'], 'greenable': ['generable', 'greenable'], 'greener': ['greener', 'regreen', 'reneger'], 'greenish': ['greenish', 'sheering'], 'greenland': ['englander', 'greenland'], 'greenuk': ['gerenuk', 'greenuk'], 'greeny': ['energy', 'greeny', 'gyrene'], 'greet': ['egret', 'greet', 'reget'], 'greeter': ['greeter', 'regreet'], 'gregal': ['gargle', 'gregal', 'lagger', 'raggle'], 'gregarian': ['gregarian', 'gregarina'], 'gregarina': ['gregarian', 'gregarina'], 'gregarinous': ['grangousier', 'gregarinous'], 'grege': ['egger', 'grege'], 'gregge': ['gegger', 'gregge'], 'grego': ['gorge', 'grego'], 'gregor': ['gorger', 'gregor'], 'greige': ['greige', 'reggie'], 'grein': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'gremial': ['gremial', 'lamiger'], 'gremlin': ['gremlin', 'mingler'], 'grenade': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grenadian': ['granadine', 'grenadian'], 'grenadier': ['earringed', 'grenadier'], 'grenadin': ['gardenin', 'grenadin'], 'grenadine': ['endearing', 'engrained', 'grenadine'], 'greta': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gretel': ['gretel', 'reglet'], 'greund': ['dunger', 'gerund', 'greund', 'nudger'], 'grewia': ['earwig', 'grewia'], 'grey': ['grey', 'gyre'], 'grid': ['gird', 'grid'], 'griddle': ['glidder', 'griddle'], 'gride': ['dirge', 'gride', 'redig', 'ridge'], 'gridelin': ['dreiling', 'gridelin'], 'grieve': ['grieve', 'regive'], 'grieved': ['diverge', 'grieved'], 'grille': ['giller', 'grille', 'regill'], 'grilse': ['girsle', 'gisler', 'glires', 'grilse'], 'grimace': ['gemaric', 'grimace', 'megaric'], 'grime': ['gerim', 'grime'], 'grimme': ['gimmer', 'grimme', 'megrim'], 'grin': ['girn', 'grin', 'ring'], 'grinder': ['grinder', 'regrind'], 'grindle': ['dringle', 'grindle'], 'gringo': ['goring', 'gringo'], 'grip': ['grip', 'prig'], 'gripe': ['gerip', 'gripe'], 'gripeful': ['fireplug', 'gripeful'], 'griper': ['griper', 'regrip'], 'gripman': ['gripman', 'prigman', 'ramping'], 'grippe': ['gipper', 'grippe'], 'grisounite': ['grisounite', 'grisoutine', 'integrious'], 'grisoutine': ['grisounite', 'grisoutine', 'integrious'], 'grist': ['grist', 'grits', 'strig'], 'gristle': ['glister', 'gristle'], 'grit': ['girt', 'grit', 'trig'], 'grith': ['girth', 'grith', 'right'], 'grits': ['grist', 'grits', 'strig'], 'gritten': ['gittern', 'gritten', 'retting'], 'grittle': ['glitter', 'grittle'], 'grivna': ['grivna', 'raving'], 'grizzel': ['grizzel', 'grizzle'], 'grizzle': ['grizzel', 'grizzle'], 'groan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'groaner': ['groaner', 'oranger', 'organer'], 'groaning': ['groaning', 'organing'], 'groat': ['argot', 'gator', 'gotra', 'groat'], 'grobian': ['biorgan', 'grobian'], 'groined': ['groined', 'negroid'], 'gromia': ['gamori', 'gomari', 'gromia'], 'groove': ['groove', 'overgo'], 'grope': ['grope', 'porge'], 'groper': ['groper', 'porger'], 'groset': ['groset', 'storge'], 'grossen': ['engross', 'grossen'], 'grot': ['grot', 'trog'], 'grotian': ['grotian', 'trigona'], 'grotto': ['grotto', 'torgot'], 'grounded': ['grounded', 'underdog', 'undergod'], 'grouper': ['grouper', 'regroup'], 'grouse': ['grouse', 'rugose'], 'grousy': ['grousy', 'gyrous'], 'grovel': ['glover', 'grovel'], 'groveless': ['gloveress', 'groveless'], 'growan': ['awrong', 'growan'], 'grower': ['grower', 'regrow'], 'grown': ['grown', 'wrong'], 'grub': ['burg', 'grub'], 'grudge': ['grudge', 'rugged'], 'grudger': ['drugger', 'grudger'], 'grudgery': ['druggery', 'grudgery'], 'grue': ['grue', 'urge'], 'gruel': ['gluer', 'gruel', 'luger'], 'gruelly': ['gruelly', 'gullery'], 'grues': ['grues', 'surge'], 'grun': ['grun', 'rung'], 'grush': ['grush', 'shrug'], 'grusinian': ['grusinian', 'unarising'], 'grutten': ['grutten', 'turgent'], 'gryposis': ['gossipry', 'gryposis'], 'guacho': ['gaucho', 'guacho'], 'guan': ['gaun', 'guan', 'guna', 'uang'], 'guanamine': ['guanamine', 'guineaman'], 'guanine': ['anguine', 'guanine', 'guinean'], 'guar': ['gaur', 'guar', 'ruga'], 'guara': ['gaura', 'guara'], 'guarani': ['anguria', 'gaurian', 'guarani'], 'guarantorship': ['guarantorship', 'uranographist'], 'guardeen': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'guarder': ['guarder', 'reguard'], 'guatusan': ['augustan', 'guatusan'], 'gud': ['dug', 'gud'], 'gude': ['degu', 'gude'], 'guenon': ['guenon', 'ungone'], 'guepard': ['guepard', 'upgrade'], 'guerdon': ['guerdon', 'undergo', 'ungored'], 'guerdoner': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'guerinet': ['geniture', 'guerinet'], 'guester': ['gesture', 'guester'], 'guetar': ['argute', 'guetar', 'rugate', 'tuareg'], 'guetare': ['erugate', 'guetare'], 'guha': ['augh', 'guha'], 'guiana': ['guiana', 'iguana'], 'guib': ['bugi', 'guib'], 'guineaman': ['guanamine', 'guineaman'], 'guinean': ['anguine', 'guanine', 'guinean'], 'guiser': ['guiser', 'sergiu'], 'gul': ['gul', 'lug'], 'gula': ['gaul', 'gula'], 'gulae': ['gulae', 'legua'], 'gular': ['glaur', 'gular'], 'gularis': ['agrilus', 'gularis'], 'gulden': ['gulden', 'lunged'], 'gule': ['glue', 'gule', 'luge'], 'gules': ['gules', 'gusle'], 'gullery': ['gruelly', 'gullery'], 'gullible': ['bluegill', 'gullible'], 'gulonic': ['gulonic', 'unlogic'], 'gulp': ['gulp', 'plug'], 'gulpin': ['gulpin', 'puling'], 'gum': ['gum', 'mug'], 'gumbo': ['bogum', 'gumbo'], 'gumshoe': ['gumshoe', 'hugsome'], 'gumweed': ['gumweed', 'mugweed'], 'gun': ['gnu', 'gun'], 'guna': ['gaun', 'guan', 'guna', 'uang'], 'gunate': ['gunate', 'tangue'], 'gundi': ['gundi', 'undig'], 'gundy': ['dungy', 'gundy'], 'gunk': ['gunk', 'kung'], 'gunl': ['gunl', 'lung'], 'gunnership': ['gunnership', 'unsphering'], 'gunreach': ['gunreach', 'uncharge'], 'gunsel': ['gunsel', 'selung', 'slunge'], 'gunshot': ['gunshot', 'shotgun', 'uhtsong'], 'gunster': ['gunster', 'surgent'], 'gunter': ['gunter', 'gurnet', 'urgent'], 'gup': ['gup', 'pug'], 'gur': ['gur', 'rug'], 'gurgeon': ['gurgeon', 'ungorge'], 'gurgle': ['gurgle', 'lugger', 'ruggle'], 'gurian': ['gurian', 'ugrian'], 'guric': ['guric', 'ugric'], 'gurl': ['gurl', 'lurg'], 'gurnard': ['drungar', 'gurnard'], 'gurnet': ['gunter', 'gurnet', 'urgent'], 'gurt': ['gurt', 'trug'], 'gush': ['gush', 'shug', 'sugh'], 'gusher': ['gusher', 'regush'], 'gusle': ['gules', 'gusle'], 'gust': ['gust', 'stug'], 'gut': ['gut', 'tug'], 'gutless': ['gutless', 'tugless'], 'gutlike': ['gutlike', 'tuglike'], 'gutnish': ['gutnish', 'husting', 'unsight'], 'guttler': ['glutter', 'guttler'], 'guttular': ['guttular', 'guttural'], 'guttural': ['guttular', 'guttural'], 'gweed': ['gweed', 'wedge'], 'gymnasic': ['gymnasic', 'syngamic'], 'gymnastic': ['gymnastic', 'nystagmic'], 'gynandrous': ['androgynus', 'gynandrous'], 'gynerium': ['eryngium', 'gynerium'], 'gynospore': ['gynospore', 'sporogeny'], 'gypsine': ['gypsine', 'pigsney'], 'gyral': ['glary', 'gyral'], 'gyrant': ['gantry', 'gyrant'], 'gyrate': ['geraty', 'gyrate'], 'gyration': ['gyration', 'organity', 'ortygian'], 'gyre': ['grey', 'gyre'], 'gyrene': ['energy', 'greeny', 'gyrene'], 'gyro': ['gory', 'gyro', 'orgy'], 'gyroma': ['gyroma', 'morgay'], 'gyromitra': ['gyromitra', 'migratory'], 'gyrophora': ['gyrophora', 'orography'], 'gyrous': ['grousy', 'gyrous'], 'gyrus': ['gyrus', 'surgy'], 'ha': ['ah', 'ha'], 'haberdine': ['haberdine', 'hebridean'], 'habile': ['habile', 'halebi'], 'habiri': ['bihari', 'habiri'], 'habiru': ['brahui', 'habiru'], 'habit': ['baith', 'habit'], 'habitan': ['abthain', 'habitan'], 'habitat': ['habitat', 'tabitha'], 'habited': ['habited', 'thebaid'], 'habitus': ['habitus', 'ushabti'], 'habnab': ['babhan', 'habnab'], 'hacienda': ['chanidae', 'hacienda'], 'hackin': ['hackin', 'kachin'], 'hackle': ['hackle', 'lekach'], 'hackler': ['chalker', 'hackler'], 'hackly': ['chalky', 'hackly'], 'hacktree': ['eckehart', 'hacktree'], 'hackwood': ['hackwood', 'woodhack'], 'hacky': ['chyak', 'hacky'], 'had': ['dah', 'dha', 'had'], 'hadden': ['hadden', 'handed'], 'hade': ['hade', 'head'], 'hades': ['deash', 'hades', 'sadhe', 'shade'], 'hadji': ['hadji', 'jihad'], 'haec': ['ache', 'each', 'haec'], 'haem': ['ahem', 'haem', 'hame'], 'haet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hafgan': ['afghan', 'hafgan'], 'hafter': ['father', 'freath', 'hafter'], 'hageen': ['hageen', 'hangee'], 'hailse': ['elisha', 'hailse', 'sheila'], 'hainan': ['hainan', 'nahani'], 'hair': ['ahir', 'hair'], 'hairband': ['bhandari', 'hairband'], 'haired': ['dehair', 'haired'], 'hairen': ['hairen', 'hernia'], 'hairlet': ['hairlet', 'therial'], 'hairstone': ['hairstone', 'hortensia'], 'hairup': ['hairup', 'rupiah'], 'hak': ['hak', 'kha'], 'hakam': ['hakam', 'makah'], 'hakea': ['ekaha', 'hakea'], 'hakim': ['hakim', 'khami'], 'haku': ['haku', 'kahu'], 'halal': ['allah', 'halal'], 'halbert': ['blather', 'halbert'], 'hale': ['hale', 'heal', 'leah'], 'halebi': ['habile', 'halebi'], 'halenia': ['ainaleh', 'halenia'], 'halesome': ['halesome', 'healsome'], 'halicore': ['halicore', 'heroical'], 'haliotidae': ['aethalioid', 'haliotidae'], 'hallan': ['hallan', 'nallah'], 'hallower': ['hallower', 'rehallow'], 'halma': ['halma', 'hamal'], 'halogeton': ['halogeton', 'theogonal'], 'haloid': ['dihalo', 'haloid'], 'halophile': ['halophile', 'philohela'], 'halophytism': ['halophytism', 'hylopathism'], 'hals': ['hals', 'lash'], 'halse': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'halsen': ['halsen', 'hansel', 'lanseh'], 'halt': ['halt', 'lath'], 'halter': ['arthel', 'halter', 'lather', 'thaler'], 'halterbreak': ['halterbreak', 'leatherbark'], 'halting': ['halting', 'lathing', 'thingal'], 'halve': ['halve', 'havel'], 'halver': ['halver', 'lavehr'], 'ham': ['ham', 'mah'], 'hamal': ['halma', 'hamal'], 'hame': ['ahem', 'haem', 'hame'], 'hameil': ['hameil', 'hiemal'], 'hamel': ['hamel', 'hemal'], 'hamfatter': ['aftermath', 'hamfatter'], 'hami': ['hami', 'hima', 'mahi'], 'hamital': ['hamital', 'thalami'], 'hamites': ['atheism', 'hamites'], 'hamlet': ['hamlet', 'malthe'], 'hammerer': ['hammerer', 'rehammer'], 'hamsa': ['hamsa', 'masha', 'shama'], 'hamulites': ['hamulites', 'shulamite'], 'hamus': ['hamus', 'musha'], 'hanaster': ['hanaster', 'sheratan'], 'hance': ['achen', 'chane', 'chena', 'hance'], 'hand': ['dhan', 'hand'], 'handbook': ['bandhook', 'handbook'], 'handed': ['hadden', 'handed'], 'hander': ['hander', 'harden'], 'handicapper': ['handicapper', 'prehandicap'], 'handscrape': ['handscrape', 'scaphander'], 'handstone': ['handstone', 'stonehand'], 'handwork': ['handwork', 'workhand'], 'hangar': ['arghan', 'hangar'], 'hangby': ['banghy', 'hangby'], 'hangee': ['hageen', 'hangee'], 'hanger': ['hanger', 'rehang'], 'hangie': ['gienah', 'hangie'], 'hangnail': ['hangnail', 'langhian'], 'hangout': ['hangout', 'tohunga'], 'hank': ['ankh', 'hank', 'khan'], 'hano': ['hano', 'noah'], 'hans': ['hans', 'nash', 'shan'], 'hansa': ['ahsan', 'hansa', 'hasan'], 'hanse': ['ashen', 'hanse', 'shane', 'shean'], 'hanseatic': ['anchistea', 'hanseatic'], 'hansel': ['halsen', 'hansel', 'lanseh'], 'hant': ['hant', 'tanh', 'than'], 'hantle': ['ethnal', 'hantle', 'lathen', 'thenal'], 'hao': ['aho', 'hao'], 'haole': ['eloah', 'haole'], 'haoma': ['haoma', 'omaha'], 'haori': ['haori', 'iroha'], 'hap': ['hap', 'pah'], 'hapalotis': ['hapalotis', 'sapotilha'], 'hapi': ['hapi', 'pahi'], 'haplodoci': ['chilopoda', 'haplodoci'], 'haplont': ['haplont', 'naphtol'], 'haplosis': ['alphosis', 'haplosis'], 'haply': ['haply', 'phyla'], 'happiest': ['happiest', 'peatship'], 'haptene': ['haptene', 'heptane', 'phenate'], 'haptenic': ['haptenic', 'pantheic', 'pithecan'], 'haptere': ['haptere', 'preheat'], 'haptic': ['haptic', 'pathic'], 'haptics': ['haptics', 'spathic'], 'haptometer': ['amphorette', 'haptometer'], 'haptophoric': ['haptophoric', 'pathophoric'], 'haptophorous': ['haptophorous', 'pathophorous'], 'haptotropic': ['haptotropic', 'protopathic'], 'hapu': ['hapu', 'hupa'], 'harass': ['harass', 'hassar'], 'harb': ['bhar', 'harb'], 'harborer': ['abhorrer', 'harborer'], 'harden': ['hander', 'harden'], 'hardener': ['hardener', 'reharden'], 'hardenite': ['hardenite', 'herniated'], 'hardtail': ['hardtail', 'thaliard'], 'hardy': ['hardy', 'hydra'], 'hare': ['hare', 'hear', 'rhea'], 'harebrain': ['harebrain', 'herbarian'], 'harem': ['harem', 'herma', 'rhema'], 'haremism': ['ashimmer', 'haremism'], 'harfang': ['fraghan', 'harfang'], 'haricot': ['chariot', 'haricot'], 'hark': ['hark', 'khar', 'rakh'], 'harka': ['harka', 'kahar'], 'harlot': ['harlot', 'orthal', 'thoral'], 'harmala': ['harmala', 'marhala'], 'harman': ['amhran', 'harman', 'mahran'], 'harmer': ['harmer', 'reharm'], 'harmine': ['harmine', 'hireman'], 'harmonic': ['choirman', 'harmonic', 'omniarch'], 'harmonical': ['harmonical', 'monarchial'], 'harmonics': ['anorchism', 'harmonics'], 'harmonistic': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'harnesser': ['harnesser', 'reharness'], 'harold': ['harold', 'holard'], 'harpa': ['aphra', 'harpa', 'parah'], 'harpings': ['harpings', 'phrasing'], 'harpist': ['harpist', 'traship'], 'harpless': ['harpless', 'splasher'], 'harris': ['arrish', 'harris', 'rarish', 'sirrah'], 'harrower': ['harrower', 'reharrow'], 'hart': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'hartin': ['hartin', 'thrain'], 'hartite': ['hartite', 'rathite'], 'haruspices': ['chuprassie', 'haruspices'], 'harvester': ['harvester', 'reharvest'], 'hasan': ['ahsan', 'hansa', 'hasan'], 'hash': ['hash', 'sahh', 'shah'], 'hasher': ['hasher', 'rehash'], 'hasidic': ['hasidic', 'sahidic'], 'hasidim': ['hasidim', 'maidish'], 'hasky': ['hasky', 'shaky'], 'haslet': ['haslet', 'lesath', 'shelta'], 'hasp': ['hasp', 'pash', 'psha', 'shap'], 'hassar': ['harass', 'hassar'], 'hassel': ['hassel', 'hassle'], 'hassle': ['hassel', 'hassle'], 'haste': ['ashet', 'haste', 'sheat'], 'hasten': ['athens', 'hasten', 'snathe', 'sneath'], 'haster': ['haster', 'hearst', 'hearts'], 'hastilude': ['hastilude', 'lustihead'], 'hastler': ['hastler', 'slather'], 'hasty': ['hasty', 'yasht'], 'hat': ['aht', 'hat', 'tha'], 'hatchery': ['hatchery', 'thearchy'], 'hate': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hateable': ['hateable', 'heatable'], 'hateful': ['hateful', 'heatful'], 'hateless': ['hateless', 'heatless'], 'hater': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'hati': ['hati', 'thai'], 'hatred': ['dearth', 'hatred', 'rathed', 'thread'], 'hatress': ['hatress', 'shaster'], 'hatt': ['hatt', 'tath', 'that'], 'hattemist': ['hattemist', 'thematist'], 'hatter': ['hatter', 'threat'], 'hattery': ['hattery', 'theatry'], 'hattic': ['chatti', 'hattic'], 'hattock': ['hattock', 'totchka'], 'hau': ['ahu', 'auh', 'hau'], 'hauerite': ['eutheria', 'hauerite'], 'haul': ['haul', 'hula'], 'hauler': ['hauler', 'rehaul'], 'haunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'haunter': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'hauntingly': ['hauntingly', 'unhatingly'], 'haurient': ['haurient', 'huterian'], 'havel': ['halve', 'havel'], 'havers': ['havers', 'shaver', 'shrave'], 'haw': ['haw', 'hwa', 'wah', 'wha'], 'hawer': ['hawer', 'whare'], 'hawm': ['hawm', 'wham'], 'hawse': ['hawse', 'shewa', 'whase'], 'hawser': ['hawser', 'rewash', 'washer'], 'hay': ['hay', 'yah'], 'haya': ['ayah', 'haya'], 'hayz': ['hayz', 'hazy'], 'hazarder': ['hazarder', 'rehazard'], 'hazel': ['hazel', 'hazle'], 'hazle': ['hazel', 'hazle'], 'hazy': ['hayz', 'hazy'], 'he': ['eh', 'he'], 'head': ['hade', 'head'], 'headbander': ['barehanded', 'bradenhead', 'headbander'], 'headboard': ['broadhead', 'headboard'], 'header': ['adhere', 'header', 'hedera', 'rehead'], 'headily': ['headily', 'hylidae'], 'headlight': ['headlight', 'lighthead'], 'headlong': ['headlong', 'longhead'], 'headman': ['headman', 'manhead'], 'headmaster': ['headmaster', 'headstream', 'streamhead'], 'headnote': ['headnote', 'notehead'], 'headrail': ['headrail', 'railhead'], 'headrent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'headring': ['headring', 'ringhead'], 'headset': ['headset', 'sethead'], 'headskin': ['headskin', 'nakedish', 'sinkhead'], 'headspring': ['headspring', 'springhead'], 'headstone': ['headstone', 'stonehead'], 'headstream': ['headmaster', 'headstream', 'streamhead'], 'headstrong': ['headstrong', 'stronghead'], 'headward': ['drawhead', 'headward'], 'headwater': ['headwater', 'waterhead'], 'heal': ['hale', 'heal', 'leah'], 'healer': ['healer', 'rehale', 'reheal'], 'healsome': ['halesome', 'healsome'], 'heap': ['epha', 'heap'], 'heaper': ['heaper', 'reheap'], 'heaps': ['heaps', 'pesah', 'phase', 'shape'], 'hear': ['hare', 'hear', 'rhea'], 'hearer': ['hearer', 'rehear'], 'hearken': ['hearken', 'kenareh'], 'hearst': ['haster', 'hearst', 'hearts'], 'heart': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'heartdeep': ['heartdeep', 'preheated'], 'hearted': ['earthed', 'hearted'], 'heartedness': ['heartedness', 'neatherdess'], 'hearten': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'heartener': ['heartener', 'rehearten'], 'heartiness': ['earthiness', 'heartiness'], 'hearting': ['hearting', 'ingather'], 'heartless': ['earthless', 'heartless'], 'heartling': ['earthling', 'heartling'], 'heartly': ['earthly', 'heartly', 'lathery', 'rathely'], 'heartnut': ['earthnut', 'heartnut'], 'heartpea': ['earthpea', 'heartpea'], 'heartquake': ['earthquake', 'heartquake'], 'hearts': ['haster', 'hearst', 'hearts'], 'heartsome': ['heartsome', 'samothere'], 'heartward': ['earthward', 'heartward'], 'heartweed': ['heartweed', 'weathered'], 'hearty': ['earthy', 'hearty', 'yearth'], 'heat': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'heatable': ['hateable', 'heatable'], 'heater': ['heater', 'hereat', 'reheat'], 'heatful': ['hateful', 'heatful'], 'heath': ['heath', 'theah'], 'heating': ['gahnite', 'heating'], 'heatless': ['hateless', 'heatless'], 'heatronic': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'heave': ['heave', 'hevea'], 'hebraizer': ['hebraizer', 'herbarize'], 'hebridean': ['haberdine', 'hebridean'], 'hecate': ['achete', 'hecate', 'teache', 'thecae'], 'hecatine': ['echinate', 'hecatine'], 'heckle': ['heckle', 'kechel'], 'hectare': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'hecte': ['cheet', 'hecte'], 'hector': ['hector', 'rochet', 'tocher', 'troche'], 'hectorian': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'hectorship': ['christophe', 'hectorship'], 'hedera': ['adhere', 'header', 'hedera', 'rehead'], 'hedonical': ['chelodina', 'hedonical'], 'hedonism': ['demonish', 'hedonism'], 'heehaw': ['heehaw', 'wahehe'], 'heel': ['heel', 'hele'], 'heeler': ['heeler', 'reheel'], 'heelpost': ['heelpost', 'pesthole'], 'heer': ['heer', 'here'], 'hegari': ['hegari', 'hegira'], 'hegemonic': ['hegemonic', 'hemogenic'], 'hegira': ['hegari', 'hegira'], 'hei': ['hei', 'hie'], 'height': ['eighth', 'height'], 'heightener': ['heightener', 'reheighten'], 'heintzite': ['heintzite', 'hintzeite'], 'heinz': ['heinz', 'hienz'], 'heir': ['heir', 'hire'], 'heirdom': ['heirdom', 'homerid'], 'heirless': ['heirless', 'hireless'], 'hejazi': ['hejazi', 'jeziah'], 'helcosis': ['helcosis', 'ochlesis'], 'helcotic': ['helcotic', 'lochetic', 'ochletic'], 'hele': ['heel', 'hele'], 'heliacal': ['achillea', 'heliacal'], 'heliast': ['heliast', 'thesial'], 'helical': ['alichel', 'challie', 'helical'], 'heliced': ['chelide', 'heliced'], 'helicon': ['choline', 'helicon'], 'heling': ['heling', 'hingle'], 'heliophotography': ['heliophotography', 'photoheliography'], 'helios': ['helios', 'isohel'], 'heliostatic': ['chiastolite', 'heliostatic'], 'heliotactic': ['heliotactic', 'thiolacetic'], 'helium': ['helium', 'humlie'], 'hellcat': ['hellcat', 'tellach'], 'helleborein': ['helleborein', 'helleborine'], 'helleborine': ['helleborein', 'helleborine'], 'hellenic': ['chenille', 'hellenic'], 'helleri': ['helleri', 'hellier'], 'hellicat': ['hellicat', 'lecithal'], 'hellier': ['helleri', 'hellier'], 'helm': ['helm', 'heml'], 'heloderma': ['dreamhole', 'heloderma'], 'helot': ['helot', 'hotel', 'thole'], 'helotize': ['helotize', 'hotelize'], 'helpmeet': ['helpmeet', 'meethelp'], 'hemad': ['ahmed', 'hemad'], 'hemal': ['hamel', 'hemal'], 'hemapod': ['hemapod', 'mophead'], 'hematic': ['chamite', 'hematic'], 'hematin': ['ethanim', 'hematin'], 'hematinic': ['hematinic', 'minchiate'], 'hematolin': ['hematolin', 'maholtine'], 'hematonic': ['hematonic', 'methanoic'], 'hematosin': ['hematosin', 'thomasine'], 'hematoxic': ['hematoxic', 'hexatomic'], 'hematuric': ['hematuric', 'rheumatic'], 'hemiasci': ['hemiasci', 'ischemia'], 'hemiatrophy': ['hemiatrophy', 'hypothermia'], 'hemic': ['chime', 'hemic', 'miche'], 'hemicarp': ['camphire', 'hemicarp'], 'hemicatalepsy': ['hemicatalepsy', 'mesaticephaly'], 'hemiclastic': ['alchemistic', 'hemiclastic'], 'hemicrany': ['hemicrany', 'machinery'], 'hemiholohedral': ['hemiholohedral', 'holohemihedral'], 'hemiolic': ['elohimic', 'hemiolic'], 'hemiparesis': ['hemiparesis', 'phariseeism'], 'hemistater': ['amherstite', 'hemistater'], 'hemiterata': ['hemiterata', 'metatheria'], 'hemitype': ['epithyme', 'hemitype'], 'heml': ['helm', 'heml'], 'hemogenic': ['hegemonic', 'hemogenic'], 'hemol': ['hemol', 'mohel'], 'hemologist': ['hemologist', 'theologism'], 'hemopneumothorax': ['hemopneumothorax', 'pneumohemothorax'], 'henbit': ['behint', 'henbit'], 'hent': ['hent', 'neth', 'then'], 'henter': ['erthen', 'henter', 'nether', 'threne'], 'henyard': ['enhydra', 'henyard'], 'hepar': ['hepar', 'phare', 'raphe'], 'heparin': ['heparin', 'nephria'], 'hepatic': ['aphetic', 'caphite', 'hepatic'], 'hepatica': ['apachite', 'hepatica'], 'hepatical': ['caliphate', 'hepatical'], 'hepatize': ['aphetize', 'hepatize'], 'hepatocolic': ['hepatocolic', 'otocephalic'], 'hepatogastric': ['gastrohepatic', 'hepatogastric'], 'hepatoid': ['diaphote', 'hepatoid'], 'hepatomegalia': ['hepatomegalia', 'megalohepatia'], 'hepatonephric': ['hepatonephric', 'phrenohepatic'], 'hepatostomy': ['hepatostomy', 'somatophyte'], 'hepialid': ['hepialid', 'phialide'], 'heptace': ['heptace', 'tepache'], 'heptad': ['heptad', 'pathed'], 'heptagon': ['heptagon', 'pathogen'], 'heptameron': ['heptameron', 'promethean'], 'heptane': ['haptene', 'heptane', 'phenate'], 'heptaploidy': ['heptaploidy', 'typhlopidae'], 'hepteris': ['hepteris', 'treeship'], 'heptine': ['heptine', 'nephite'], 'heptite': ['epithet', 'heptite'], 'heptorite': ['heptorite', 'tephroite'], 'heptylic': ['heptylic', 'phyletic'], 'her': ['her', 'reh', 'rhe'], 'heraclid': ['heraclid', 'heraldic'], 'heraldic': ['heraclid', 'heraldic'], 'heraldist': ['heraldist', 'tehsildar'], 'herat': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'herbage': ['breaghe', 'herbage'], 'herbarian': ['harebrain', 'herbarian'], 'herbarism': ['herbarism', 'shambrier'], 'herbarize': ['hebraizer', 'herbarize'], 'herbert': ['berther', 'herbert'], 'herbous': ['herbous', 'subhero'], 'herdic': ['chider', 'herdic'], 'here': ['heer', 'here'], 'hereafter': ['featherer', 'hereafter'], 'hereat': ['heater', 'hereat', 'reheat'], 'herein': ['herein', 'inhere'], 'hereinto': ['etherion', 'hereinto', 'heronite'], 'herem': ['herem', 'rheme'], 'heretic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heretically': ['heretically', 'heterically'], 'heretication': ['heretication', 'theoretician'], 'hereto': ['hereto', 'hetero'], 'heritance': ['catherine', 'heritance'], 'herl': ['herl', 'hler', 'lehr'], 'herma': ['harem', 'herma', 'rhema'], 'hermaic': ['chimera', 'hermaic'], 'hermitage': ['geheimrat', 'hermitage'], 'hermo': ['hermo', 'homer', 'horme'], 'herne': ['herne', 'rheen'], 'hernia': ['hairen', 'hernia'], 'hernial': ['hernial', 'inhaler'], 'herniate': ['atherine', 'herniate'], 'herniated': ['hardenite', 'herniated'], 'hernioid': ['dinheiro', 'hernioid'], 'hero': ['hero', 'hoer'], 'herodian': ['herodian', 'ironhead'], 'heroic': ['coheir', 'heroic'], 'heroical': ['halicore', 'heroical'], 'heroin': ['heroin', 'hieron', 'hornie'], 'heroism': ['heroism', 'moreish'], 'heronite': ['etherion', 'hereinto', 'heronite'], 'herophile': ['herophile', 'rheophile'], 'herpes': ['herpes', 'hesper', 'sphere'], 'herpetism': ['herpetism', 'metership', 'metreship', 'temperish'], 'herpetological': ['herpetological', 'pretheological'], 'herpetomonad': ['dermatophone', 'herpetomonad'], 'hers': ['hers', 'resh', 'sher'], 'herse': ['herse', 'sereh', 'sheer', 'shree'], 'hersed': ['hersed', 'sheder'], 'herself': ['flesher', 'herself'], 'hersir': ['hersir', 'sherri'], 'herulian': ['herulian', 'inhauler'], 'hervati': ['athrive', 'hervati'], 'hesitater': ['hesitater', 'hetaerist'], 'hesper': ['herpes', 'hesper', 'sphere'], 'hespera': ['hespera', 'rephase', 'reshape'], 'hesperia': ['hesperia', 'pharisee'], 'hesperian': ['hesperian', 'phrenesia', 'seraphine'], 'hesperid': ['hesperid', 'perished'], 'hesperinon': ['hesperinon', 'prehension'], 'hesperis': ['hesperis', 'seership'], 'hest': ['esth', 'hest', 'seth'], 'hester': ['esther', 'hester', 'theres'], 'het': ['het', 'the'], 'hetaeric': ['cheatrie', 'hetaeric'], 'hetaerist': ['hesitater', 'hetaerist'], 'hetaery': ['erythea', 'hetaery', 'yeather'], 'heteratomic': ['heteratomic', 'theorematic'], 'heteraxial': ['exhilarate', 'heteraxial'], 'heteric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heterically': ['heretically', 'heterically'], 'hetericism': ['erethismic', 'hetericism'], 'hetericist': ['erethistic', 'hetericist'], 'heterism': ['erethism', 'etherism', 'heterism'], 'heterization': ['etherization', 'heterization'], 'heterize': ['etherize', 'heterize'], 'hetero': ['hereto', 'hetero'], 'heterocarpus': ['heterocarpus', 'urethrascope'], 'heteroclite': ['heteroclite', 'heterotelic'], 'heterodromy': ['heterodromy', 'hydrometeor'], 'heteroecismal': ['cholesteremia', 'heteroecismal'], 'heterography': ['erythrophage', 'heterography'], 'heterogynous': ['heterogynous', 'thyreogenous'], 'heterology': ['heterology', 'thereology'], 'heteromeri': ['heteromeri', 'moerithere'], 'heteroousiast': ['autoheterosis', 'heteroousiast'], 'heteropathy': ['heteropathy', 'theotherapy'], 'heteropodal': ['heteropodal', 'prelatehood'], 'heterotelic': ['heteroclite', 'heterotelic'], 'heterotic': ['heterotic', 'theoretic'], 'hetman': ['anthem', 'hetman', 'mentha'], 'hetmanate': ['hetmanate', 'methanate'], 'hetter': ['hetter', 'tether'], 'hevea': ['heave', 'hevea'], 'hevi': ['hevi', 'hive'], 'hewel': ['hewel', 'wheel'], 'hewer': ['hewer', 'wheer', 'where'], 'hewn': ['hewn', 'when'], 'hewt': ['hewt', 'thew', 'whet'], 'hexacid': ['hexacid', 'hexadic'], 'hexadic': ['hexacid', 'hexadic'], 'hexakisoctahedron': ['hexakisoctahedron', 'octakishexahedron'], 'hexakistetrahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'hexatetrahedron': ['hexatetrahedron', 'tetrahexahedron'], 'hexatomic': ['hematoxic', 'hexatomic'], 'hexonic': ['choenix', 'hexonic'], 'hiant': ['ahint', 'hiant', 'tahin'], 'hiatal': ['hiatal', 'thalia'], 'hibernate': ['hibernate', 'inbreathe'], 'hic': ['chi', 'hic', 'ich'], 'hickwall': ['hickwall', 'wallhick'], 'hidage': ['adighe', 'hidage'], 'hider': ['dheri', 'hider', 'hired'], 'hidling': ['hidling', 'hilding'], 'hidlings': ['dishling', 'hidlings'], 'hidrotic': ['hidrotic', 'trichoid'], 'hie': ['hei', 'hie'], 'hield': ['delhi', 'hield'], 'hiemal': ['hameil', 'hiemal'], 'hienz': ['heinz', 'hienz'], 'hieron': ['heroin', 'hieron', 'hornie'], 'hieros': ['hieros', 'hosier'], 'hight': ['hight', 'thigh'], 'higuero': ['higuero', 'roughie'], 'hilasmic': ['chiliasm', 'hilasmic', 'machilis'], 'hilding': ['hidling', 'hilding'], 'hillside': ['hillside', 'sidehill'], 'hilsa': ['alish', 'hilsa'], 'hilt': ['hilt', 'lith'], 'hima': ['hami', 'hima', 'mahi'], 'himself': ['flemish', 'himself'], 'hinderest': ['disherent', 'hinderest', 'tenderish'], 'hindu': ['hindu', 'hundi', 'unhid'], 'hing': ['hing', 'nigh'], 'hinge': ['hinge', 'neigh'], 'hingle': ['heling', 'hingle'], 'hint': ['hint', 'thin'], 'hinter': ['hinter', 'nither', 'theirn'], 'hintproof': ['hintproof', 'hoofprint'], 'hintzeite': ['heintzite', 'hintzeite'], 'hip': ['hip', 'phi'], 'hipbone': ['hipbone', 'hopbine'], 'hippodamous': ['amphipodous', 'hippodamous'], 'hippolyte': ['hippolyte', 'typophile'], 'hippus': ['hippus', 'uppish'], 'hiram': ['hiram', 'ihram', 'mahri'], 'hircine': ['hircine', 'rheinic'], 'hire': ['heir', 'hire'], 'hired': ['dheri', 'hider', 'hired'], 'hireless': ['heirless', 'hireless'], 'hireman': ['harmine', 'hireman'], 'hiren': ['hiren', 'rhein', 'rhine'], 'hirmos': ['hirmos', 'romish'], 'hirse': ['hirse', 'shier', 'shire'], 'hirsel': ['hirsel', 'hirsle', 'relish'], 'hirsle': ['hirsel', 'hirsle', 'relish'], 'his': ['his', 'hsi', 'shi'], 'hish': ['hish', 'shih'], 'hisn': ['hisn', 'shin', 'sinh'], 'hispa': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'hispanist': ['hispanist', 'saintship'], 'hiss': ['hiss', 'sish'], 'hist': ['hist', 'sith', 'this', 'tshi'], 'histamine': ['histamine', 'semihiant'], 'histie': ['histie', 'shiite'], 'histioid': ['histioid', 'idiotish'], 'histon': ['histon', 'shinto', 'tonish'], 'histonal': ['histonal', 'toshnail'], 'historic': ['historic', 'orchitis'], 'historics': ['historics', 'trichosis'], 'history': ['history', 'toryish'], 'hittable': ['hittable', 'tithable'], 'hitter': ['hitter', 'tither'], 'hive': ['hevi', 'hive'], 'hives': ['hives', 'shive'], 'hler': ['herl', 'hler', 'lehr'], 'ho': ['ho', 'oh'], 'hoar': ['hoar', 'hora'], 'hoard': ['hoard', 'rhoda'], 'hoarse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'hoarstone': ['anorthose', 'hoarstone'], 'hoast': ['hoast', 'hosta', 'shoat'], 'hobbism': ['hobbism', 'mobbish'], 'hobo': ['boho', 'hobo'], 'hocco': ['choco', 'hocco'], 'hock': ['hock', 'koch'], 'hocker': ['choker', 'hocker'], 'hocky': ['choky', 'hocky'], 'hocus': ['chous', 'hocus'], 'hodiernal': ['hodiernal', 'rhodaline'], 'hoer': ['hero', 'hoer'], 'hogan': ['ahong', 'hogan'], 'hogget': ['egghot', 'hogget'], 'hogmanay': ['hogmanay', 'mahogany'], 'hognut': ['hognut', 'nought'], 'hogsty': ['ghosty', 'hogsty'], 'hoister': ['hoister', 'rehoist'], 'hoit': ['hoit', 'hoti', 'thio'], 'holard': ['harold', 'holard'], 'holconoti': ['holconoti', 'holotonic'], 'holcus': ['holcus', 'lochus', 'slouch'], 'holdfast': ['fasthold', 'holdfast'], 'holdout': ['holdout', 'outhold'], 'holdup': ['holdup', 'uphold'], 'holeman': ['holeman', 'manhole'], 'holey': ['holey', 'hoyle'], 'holiday': ['holiday', 'hyaloid', 'hyoidal'], 'hollandite': ['hollandite', 'hollantide'], 'hollantide': ['hollandite', 'hollantide'], 'hollower': ['hollower', 'rehollow'], 'holmia': ['holmia', 'maholi'], 'holocentrid': ['holocentrid', 'lechriodont'], 'holohemihedral': ['hemiholohedral', 'holohemihedral'], 'holosteric': ['holosteric', 'thiocresol'], 'holotonic': ['holconoti', 'holotonic'], 'holster': ['holster', 'hostler'], 'homage': ['homage', 'ohmage'], 'homarine': ['homarine', 'homerian'], 'homecroft': ['forthcome', 'homecroft'], 'homeogenous': ['homeogenous', 'homogeneous'], 'homeotypic': ['homeotypic', 'mythopoeic'], 'homeotypical': ['homeotypical', 'polymetochia'], 'homer': ['hermo', 'homer', 'horme'], 'homerian': ['homarine', 'homerian'], 'homeric': ['homeric', 'moriche'], 'homerical': ['chloremia', 'homerical'], 'homerid': ['heirdom', 'homerid'], 'homerist': ['homerist', 'isotherm', 'otherism', 'theorism'], 'homiletics': ['homiletics', 'mesolithic'], 'homo': ['homo', 'moho'], 'homocline': ['chemiloon', 'homocline'], 'homogeneous': ['homeogenous', 'homogeneous'], 'homopolic': ['homopolic', 'lophocomi'], 'homopteran': ['homopteran', 'trophonema'], 'homrai': ['homrai', 'mahori', 'mohair'], 'hondo': ['dhoon', 'hondo'], 'honest': ['ethnos', 'honest'], 'honeypod': ['dyophone', 'honeypod'], 'honeypot': ['eophyton', 'honeypot'], 'honorer': ['honorer', 'rehonor'], 'hontous': ['hontous', 'nothous'], 'hoodman': ['dhamnoo', 'hoodman', 'manhood'], 'hoofprint': ['hintproof', 'hoofprint'], 'hooker': ['hooker', 'rehook'], 'hookweed': ['hookweed', 'weedhook'], 'hoop': ['hoop', 'phoo', 'pooh'], 'hooper': ['hooper', 'rehoop'], 'hoot': ['hoot', 'thoo', 'toho'], 'hop': ['hop', 'pho', 'poh'], 'hopbine': ['hipbone', 'hopbine'], 'hopcalite': ['hopcalite', 'phacolite'], 'hope': ['hope', 'peho'], 'hoped': ['depoh', 'ephod', 'hoped'], 'hoper': ['ephor', 'hoper'], 'hoplite': ['hoplite', 'pithole'], 'hoppergrass': ['grasshopper', 'hoppergrass'], 'hoppers': ['hoppers', 'shopper'], 'hora': ['hoar', 'hora'], 'horal': ['horal', 'lohar'], 'hordarian': ['arianrhod', 'hordarian'], 'horizontal': ['horizontal', 'notorhizal'], 'horme': ['hermo', 'homer', 'horme'], 'horned': ['dehorn', 'horned'], 'hornet': ['hornet', 'nother', 'theron', 'throne'], 'hornie': ['heroin', 'hieron', 'hornie'], 'hornpipe': ['hornpipe', 'porphine'], 'horopteric': ['horopteric', 'rheotropic', 'trichopore'], 'horrent': ['horrent', 'norther'], 'horse': ['horse', 'shoer', 'shore'], 'horsecar': ['cosharer', 'horsecar'], 'horseless': ['horseless', 'shoreless'], 'horseman': ['horseman', 'rhamnose', 'shoreman'], 'horser': ['horser', 'shorer'], 'horsetail': ['horsetail', 'isotheral'], 'horseweed': ['horseweed', 'shoreweed'], 'horsewhip': ['horsewhip', 'whoreship'], 'horsewood': ['horsewood', 'woodhorse'], 'horsing': ['horsing', 'shoring'], 'horst': ['horst', 'short'], 'hortensia': ['hairstone', 'hortensia'], 'hortite': ['hortite', 'orthite', 'thorite'], 'hose': ['hose', 'shoe'], 'hosed': ['hosed', 'shode'], 'hosel': ['hosel', 'sheol', 'shole'], 'hoseless': ['hoseless', 'shoeless'], 'hoseman': ['hoseman', 'shoeman'], 'hosier': ['hieros', 'hosier'], 'hospitaler': ['hospitaler', 'trophesial'], 'host': ['host', 'shot', 'thos', 'tosh'], 'hosta': ['hoast', 'hosta', 'shoat'], 'hostager': ['hostager', 'shortage'], 'hoster': ['hoster', 'tosher'], 'hostile': ['elohist', 'hostile'], 'hosting': ['hosting', 'onsight'], 'hostler': ['holster', 'hostler'], 'hostless': ['hostless', 'shotless'], 'hostly': ['hostly', 'toshly'], 'hot': ['hot', 'tho'], 'hotel': ['helot', 'hotel', 'thole'], 'hotelize': ['helotize', 'hotelize'], 'hotfoot': ['foothot', 'hotfoot'], 'hoti': ['hoit', 'hoti', 'thio'], 'hotter': ['hotter', 'tother'], 'hounce': ['cohune', 'hounce'], 'houseboat': ['boathouse', 'houseboat'], 'housebug': ['bughouse', 'housebug'], 'housecraft': ['fratcheous', 'housecraft'], 'housetop': ['housetop', 'pothouse'], 'housewarm': ['housewarm', 'warmhouse'], 'housewear': ['housewear', 'warehouse'], 'housework': ['housework', 'workhouse'], 'hovering': ['hovering', 'overnigh'], 'how': ['how', 'who'], 'howel': ['howel', 'whole'], 'however': ['everwho', 'however', 'whoever'], 'howlet': ['howlet', 'thowel'], 'howso': ['howso', 'woosh'], 'howsomever': ['howsomever', 'whomsoever', 'whosomever'], 'hoya': ['ahoy', 'hoya'], 'hoyle': ['holey', 'hoyle'], 'hsi': ['his', 'hsi', 'shi'], 'huari': ['huari', 'uriah'], 'hubert': ['hubert', 'turbeh'], 'hud': ['dhu', 'hud'], 'hudsonite': ['hudsonite', 'unhoisted'], 'huer': ['huer', 'hure'], 'hug': ['hug', 'ugh'], 'hughes': ['hughes', 'sheugh'], 'hughoc': ['chough', 'hughoc'], 'hugo': ['hugo', 'ough'], 'hugsome': ['gumshoe', 'hugsome'], 'huk': ['huk', 'khu'], 'hula': ['haul', 'hula'], 'hulsean': ['hulsean', 'unleash'], 'hulster': ['hulster', 'hustler', 'sluther'], 'huma': ['ahum', 'huma'], 'human': ['human', 'nahum'], 'humane': ['humane', 'humean'], 'humanics': ['humanics', 'inasmuch'], 'humean': ['humane', 'humean'], 'humeroradial': ['humeroradial', 'radiohumeral'], 'humic': ['chimu', 'humic'], 'humidor': ['humidor', 'rhodium'], 'humlie': ['helium', 'humlie'], 'humor': ['humor', 'mohur'], 'humoralistic': ['humoralistic', 'humoristical'], 'humoristical': ['humoralistic', 'humoristical'], 'hump': ['hump', 'umph'], 'hundi': ['hindu', 'hundi', 'unhid'], 'hunger': ['hunger', 'rehung'], 'hunterian': ['hunterian', 'ruthenian'], 'hup': ['hup', 'phu'], 'hupa': ['hapu', 'hupa'], 'hurdis': ['hurdis', 'rudish'], 'hurdle': ['hurdle', 'hurled'], 'hure': ['huer', 'hure'], 'hurled': ['hurdle', 'hurled'], 'huron': ['huron', 'rohun'], 'hurst': ['hurst', 'trush'], 'hurt': ['hurt', 'ruth'], 'hurter': ['hurter', 'ruther'], 'hurtful': ['hurtful', 'ruthful'], 'hurtfully': ['hurtfully', 'ruthfully'], 'hurtfulness': ['hurtfulness', 'ruthfulness'], 'hurting': ['hurting', 'ungirth', 'unright'], 'hurtingest': ['hurtingest', 'shuttering'], 'hurtle': ['hurtle', 'luther'], 'hurtless': ['hurtless', 'ruthless'], 'hurtlessly': ['hurtlessly', 'ruthlessly'], 'hurtlessness': ['hurtlessness', 'ruthlessness'], 'husbander': ['husbander', 'shabunder'], 'husked': ['dehusk', 'husked'], 'huso': ['huso', 'shou'], 'huspil': ['huspil', 'pulish'], 'husting': ['gutnish', 'husting', 'unsight'], 'hustle': ['hustle', 'sleuth'], 'hustler': ['hulster', 'hustler', 'sluther'], 'huterian': ['haurient', 'huterian'], 'hwa': ['haw', 'hwa', 'wah', 'wha'], 'hyaloid': ['holiday', 'hyaloid', 'hyoidal'], 'hydra': ['hardy', 'hydra'], 'hydramnios': ['disharmony', 'hydramnios'], 'hydrate': ['hydrate', 'thready'], 'hydrazidine': ['anhydridize', 'hydrazidine'], 'hydrazine': ['anhydrize', 'hydrazine'], 'hydriodate': ['hydriodate', 'iodhydrate'], 'hydriodic': ['hydriodic', 'iodhydric'], 'hydriote': ['hydriote', 'thyreoid'], 'hydrobromate': ['bromohydrate', 'hydrobromate'], 'hydrocarbide': ['carbohydride', 'hydrocarbide'], 'hydrocharis': ['hydrocharis', 'hydrorachis'], 'hydroferricyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'hydroferrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'hydrofluoboric': ['borofluohydric', 'hydrofluoboric'], 'hydrogeology': ['geohydrology', 'hydrogeology'], 'hydroiodic': ['hydroiodic', 'iodohydric'], 'hydrometeor': ['heterodromy', 'hydrometeor'], 'hydromotor': ['hydromotor', 'orthodromy'], 'hydronephrosis': ['hydronephrosis', 'nephrohydrosis'], 'hydropneumopericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'hydropneumothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'hydrorachis': ['hydrocharis', 'hydrorachis'], 'hydrosulphate': ['hydrosulphate', 'sulphohydrate'], 'hydrotical': ['dacryolith', 'hydrotical'], 'hydrous': ['hydrous', 'shroudy'], 'hyetograph': ['ethography', 'hyetograph'], 'hylidae': ['headily', 'hylidae'], 'hylist': ['hylist', 'slithy'], 'hyllus': ['hyllus', 'lushly'], 'hylopathism': ['halophytism', 'hylopathism'], 'hymenic': ['chimney', 'hymenic'], 'hymettic': ['hymettic', 'thymetic'], 'hymnologist': ['hymnologist', 'smoothingly'], 'hyoglossal': ['glossohyal', 'hyoglossal'], 'hyoidal': ['holiday', 'hyaloid', 'hyoidal'], 'hyothyreoid': ['hyothyreoid', 'thyreohyoid'], 'hyothyroid': ['hyothyroid', 'thyrohyoid'], 'hypaethron': ['hypaethron', 'hypothenar'], 'hypercone': ['coryphene', 'hypercone'], 'hypergamous': ['hypergamous', 'museography'], 'hypertoxic': ['hypertoxic', 'xerophytic'], 'hypnobate': ['batyphone', 'hypnobate'], 'hypnoetic': ['hypnoetic', 'neophytic'], 'hypnotic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'hypnotism': ['hypnotism', 'pythonism'], 'hypnotist': ['hypnotist', 'pythonist'], 'hypnotize': ['hypnotize', 'pythonize'], 'hypnotoid': ['hypnotoid', 'pythonoid'], 'hypobole': ['hypobole', 'lyophobe'], 'hypocarp': ['apocryph', 'hypocarp'], 'hypocrite': ['chirotype', 'hypocrite'], 'hypodorian': ['hypodorian', 'radiophony'], 'hypoglottis': ['hypoglottis', 'phytologist'], 'hypomanic': ['amphicyon', 'hypomanic'], 'hypopteron': ['hypopteron', 'phonotyper'], 'hyporadius': ['hyporadius', 'suprahyoid'], 'hyposcleral': ['hyposcleral', 'phylloceras'], 'hyposmia': ['hyposmia', 'phymosia'], 'hypostomatic': ['hypostomatic', 'somatophytic'], 'hypothec': ['hypothec', 'photechy'], 'hypothenar': ['hypaethron', 'hypothenar'], 'hypothermia': ['hemiatrophy', 'hypothermia'], 'hypsiloid': ['hypsiloid', 'syphiloid'], 'hyracid': ['diarchy', 'hyracid'], 'hyssop': ['hyssop', 'phossy', 'sposhy'], 'hysteresial': ['hysteresial', 'hysteriales'], 'hysteria': ['hysteria', 'sheriyat'], 'hysteriales': ['hysteresial', 'hysteriales'], 'hysterolaparotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'hysteromyomectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'hysteropathy': ['hysteropathy', 'hysterophyta'], 'hysterophyta': ['hysteropathy', 'hysterophyta'], 'iamb': ['iamb', 'mabi'], 'iambelegus': ['elegiambus', 'iambelegus'], 'iambic': ['cimbia', 'iambic'], 'ian': ['ani', 'ian'], 'ianus': ['ianus', 'suina'], 'iatraliptics': ['iatraliptics', 'partialistic'], 'iatric': ['iatric', 'tricia'], 'ibad': ['adib', 'ibad'], 'iban': ['bain', 'bani', 'iban'], 'ibanag': ['bagani', 'bangia', 'ibanag'], 'iberian': ['aribine', 'bairnie', 'iberian'], 'ibo': ['ibo', 'obi'], 'ibota': ['biota', 'ibota'], 'icacorea': ['coraciae', 'icacorea'], 'icarian': ['arician', 'icarian'], 'icecap': ['icecap', 'ipecac'], 'iced': ['dice', 'iced'], 'iceland': ['cladine', 'decalin', 'iceland'], 'icelandic': ['cicindela', 'cinclidae', 'icelandic'], 'iceman': ['anemic', 'cinema', 'iceman'], 'ich': ['chi', 'hic', 'ich'], 'ichnolite': ['ichnolite', 'neolithic'], 'ichor': ['chiro', 'choir', 'ichor'], 'icicle': ['cilice', 'icicle'], 'icon': ['cion', 'coin', 'icon'], 'iconian': ['anionic', 'iconian'], 'iconism': ['iconism', 'imsonic', 'miscoin'], 'iconolater': ['iconolater', 'relocation'], 'iconomania': ['iconomania', 'oniomaniac'], 'iconometrical': ['iconometrical', 'intracoelomic'], 'icteridae': ['diaeretic', 'icteridae'], 'icterine': ['icterine', 'reincite'], 'icterus': ['curtise', 'icterus'], 'ictonyx': ['ictonyx', 'oxyntic'], 'ictus': ['cutis', 'ictus'], 'id': ['di', 'id'], 'ida': ['aid', 'ida'], 'idaean': ['adenia', 'idaean'], 'ide': ['die', 'ide'], 'idea': ['aide', 'idea'], 'ideal': ['adiel', 'delia', 'ideal'], 'idealism': ['idealism', 'lamiides'], 'idealistic': ['disilicate', 'idealistic'], 'ideality': ['aedility', 'ideality'], 'idealness': ['idealness', 'leadiness'], 'idean': ['diane', 'idean'], 'ideation': ['ideation', 'iodinate', 'taenioid'], 'identical': ['ctenidial', 'identical'], 'ideograph': ['eidograph', 'ideograph'], 'ideology': ['eidology', 'ideology'], 'ideoplasty': ['ideoplasty', 'stylopidae'], 'ides': ['desi', 'ides', 'seid', 'side'], 'idiasm': ['idiasm', 'simiad'], 'idioblast': ['diabolist', 'idioblast'], 'idiomology': ['idiomology', 'oligomyoid'], 'idioretinal': ['idioretinal', 'litorinidae'], 'idiotish': ['histioid', 'idiotish'], 'idle': ['idle', 'lide', 'lied'], 'idleman': ['idleman', 'melinda'], 'idleset': ['idleset', 'isleted'], 'idlety': ['idlety', 'lydite', 'tidely', 'tidley'], 'idly': ['idly', 'idyl'], 'idocrase': ['idocrase', 'radicose'], 'idoism': ['idoism', 'iodism'], 'idol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'idola': ['aloid', 'dolia', 'idola'], 'idolaster': ['estradiol', 'idolaster'], 'idolatry': ['adroitly', 'dilatory', 'idolatry'], 'idolum': ['dolium', 'idolum'], 'idoneal': ['adinole', 'idoneal'], 'idorgan': ['gordian', 'idorgan', 'roading'], 'idose': ['diose', 'idose', 'oside'], 'idotea': ['idotea', 'iodate', 'otidae'], 'idryl': ['idryl', 'lyrid'], 'idyl': ['idly', 'idyl'], 'idyler': ['direly', 'idyler'], 'ierne': ['ernie', 'ierne', 'irene'], 'if': ['fi', 'if'], 'ife': ['fei', 'fie', 'ife'], 'igara': ['agria', 'igara'], 'igdyr': ['igdyr', 'ridgy'], 'igloo': ['igloo', 'logoi'], 'ignatius': ['giustina', 'ignatius'], 'igneoaqueous': ['aqueoigneous', 'igneoaqueous'], 'ignicolist': ['ignicolist', 'soliciting'], 'igniter': ['igniter', 'ringite', 'tigrine'], 'ignitor': ['ignitor', 'rioting'], 'ignoble': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ignoramus': ['graminous', 'ignoramus'], 'ignorance': ['enorganic', 'ignorance'], 'ignorant': ['ignorant', 'tongrian'], 'ignore': ['ignore', 'region'], 'ignorement': ['ignorement', 'omnigerent'], 'iguana': ['guiana', 'iguana'], 'ihlat': ['ihlat', 'tahil'], 'ihram': ['hiram', 'ihram', 'mahri'], 'ijma': ['ijma', 'jami'], 'ikat': ['atik', 'ikat'], 'ikona': ['ikona', 'konia'], 'ikra': ['ikra', 'kari', 'raki'], 'ila': ['ail', 'ila', 'lai'], 'ileac': ['alice', 'celia', 'ileac'], 'ileon': ['enoil', 'ileon', 'olein'], 'iliac': ['cilia', 'iliac'], 'iliacus': ['acilius', 'iliacus'], 'ilian': ['ilian', 'inial'], 'ilicaceae': ['caeciliae', 'ilicaceae'], 'ilioischiac': ['ilioischiac', 'ischioiliac'], 'iliosacral': ['iliosacral', 'oscillaria'], 'ilk': ['ilk', 'kil'], 'ilka': ['ilka', 'kail', 'kali'], 'ilkane': ['alkine', 'ilkane', 'inlake', 'inleak'], 'illative': ['illative', 'veiltail'], 'illaudatory': ['illaudatory', 'laudatorily'], 'illeck': ['ellick', 'illeck'], 'illinois': ['illinois', 'illision'], 'illision': ['illinois', 'illision'], 'illium': ['illium', 'lilium'], 'illoricated': ['illoricated', 'lacertiloid'], 'illth': ['illth', 'thill'], 'illude': ['dillue', 'illude'], 'illuder': ['dilluer', 'illuder'], 'illy': ['illy', 'lily', 'yill'], 'ilmenite': ['ilmenite', 'melinite', 'menilite'], 'ilongot': ['ilongot', 'tooling'], 'ilot': ['ilot', 'toil'], 'ilya': ['ilya', 'yali'], 'ima': ['aim', 'ami', 'ima'], 'imager': ['imager', 'maigre', 'margie', 'mirage'], 'imaginant': ['animating', 'imaginant'], 'imaginer': ['imaginer', 'migraine'], 'imagist': ['imagist', 'stigmai'], 'imago': ['amigo', 'imago'], 'imam': ['ammi', 'imam', 'maim', 'mima'], 'imaret': ['imaret', 'metria', 'mirate', 'rimate'], 'imbarge': ['gambier', 'imbarge'], 'imbark': ['bikram', 'imbark'], 'imbat': ['ambit', 'imbat'], 'imbed': ['bedim', 'imbed'], 'imbrue': ['erbium', 'imbrue'], 'imbrute': ['burmite', 'imbrute', 'terbium'], 'imer': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'imerina': ['imerina', 'inermia'], 'imitancy': ['imitancy', 'intimacy', 'minacity'], 'immane': ['ammine', 'immane'], 'immanes': ['amenism', 'immanes', 'misname'], 'immaterials': ['immaterials', 'materialism'], 'immerd': ['dimmer', 'immerd', 'rimmed'], 'immersible': ['immersible', 'semilimber'], 'immersion': ['immersion', 'semiminor'], 'immi': ['immi', 'mimi'], 'imogen': ['geonim', 'imogen'], 'imolinda': ['dominial', 'imolinda', 'limoniad'], 'imp': ['imp', 'pim'], 'impaction': ['impaction', 'ptomainic'], 'impages': ['impages', 'mispage'], 'impaint': ['impaint', 'timpani'], 'impair': ['impair', 'pamiri'], 'impala': ['impala', 'malapi'], 'impaler': ['impaler', 'impearl', 'lempira', 'premial'], 'impalsy': ['impalsy', 'misplay'], 'impane': ['impane', 'pieman'], 'impanel': ['impanel', 'maniple'], 'impar': ['impar', 'pamir', 'prima'], 'imparalleled': ['demiparallel', 'imparalleled'], 'imparl': ['imparl', 'primal'], 'impart': ['armpit', 'impart'], 'imparter': ['imparter', 'reimpart'], 'impartial': ['impartial', 'primatial'], 'impaste': ['impaste', 'pastime'], 'impasture': ['impasture', 'septarium'], 'impeach': ['aphemic', 'impeach'], 'impearl': ['impaler', 'impearl', 'lempira', 'premial'], 'impeder': ['demirep', 'epiderm', 'impeder', 'remiped'], 'impedient': ['impedient', 'mendipite'], 'impenetrable': ['impenetrable', 'intemperable'], 'impenetrably': ['impenetrably', 'intemperably'], 'impenetrate': ['impenetrate', 'intemperate'], 'imperant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'imperate': ['imperate', 'premiate'], 'imperish': ['emirship', 'imperish'], 'imperscriptible': ['imperscriptible', 'imprescriptible'], 'impersonate': ['impersonate', 'proseminate'], 'impersonation': ['impersonation', 'prosemination', 'semipronation'], 'impeticos': ['impeticos', 'poeticism'], 'impetre': ['emptier', 'impetre'], 'impetus': ['impetus', 'upsmite'], 'imphee': ['imphee', 'phemie'], 'implacental': ['capillament', 'implacental'], 'implanter': ['implanter', 'reimplant'], 'implate': ['implate', 'palmite'], 'impleader': ['epidermal', 'impleader', 'premedial'], 'implicate': ['ampelitic', 'implicate'], 'impling': ['impling', 'limping'], 'imply': ['imply', 'limpy', 'pilmy'], 'impollute': ['impollute', 'multipole'], 'imponderous': ['endosporium', 'imponderous'], 'imponent': ['imponent', 'pimenton'], 'importable': ['bitemporal', 'importable'], 'importancy': ['importancy', 'patronymic', 'pyromantic'], 'importer': ['importer', 'promerit', 'reimport'], 'importunance': ['importunance', 'unimportance'], 'importunate': ['importunate', 'permutation'], 'importune': ['entropium', 'importune'], 'imposal': ['imposal', 'spiloma'], 'imposer': ['imposer', 'promise', 'semipro'], 'imposter': ['imposter', 'tripsome'], 'imposure': ['imposure', 'premious'], 'imprecatory': ['cryptomeria', 'imprecatory'], 'impreg': ['gimper', 'impreg'], 'imprescriptible': ['imperscriptible', 'imprescriptible'], 'imprese': ['emprise', 'imprese', 'premise', 'spireme'], 'impress': ['impress', 'persism', 'premiss'], 'impresser': ['impresser', 'reimpress'], 'impressibility': ['impressibility', 'permissibility'], 'impressible': ['impressible', 'permissible'], 'impressibleness': ['impressibleness', 'permissibleness'], 'impressibly': ['impressibly', 'permissibly'], 'impression': ['impression', 'permission'], 'impressionism': ['impressionism', 'misimpression'], 'impressive': ['impressive', 'permissive'], 'impressively': ['impressively', 'permissively'], 'impressiveness': ['impressiveness', 'permissiveness'], 'impressure': ['impressure', 'presurmise'], 'imprinter': ['imprinter', 'reimprint'], 'imprisoner': ['imprisoner', 'reimprison'], 'improcreant': ['improcreant', 'preromantic'], 'impship': ['impship', 'pimpish'], 'impuberal': ['epilabrum', 'impuberal'], 'impugnable': ['impugnable', 'plumbagine'], 'impure': ['impure', 'umpire'], 'impuritan': ['impuritan', 'partinium'], 'imputer': ['imputer', 'trumpie'], 'imsonic': ['iconism', 'imsonic', 'miscoin'], 'in': ['in', 'ni'], 'inaction': ['aconitin', 'inaction', 'nicotian'], 'inactivate': ['inactivate', 'vaticinate'], 'inactivation': ['inactivation', 'vaticination'], 'inactive': ['antivice', 'inactive', 'vineatic'], 'inadept': ['depaint', 'inadept', 'painted', 'patined'], 'inaja': ['inaja', 'jaina'], 'inalimental': ['antimallein', 'inalimental'], 'inamorata': ['amatorian', 'inamorata'], 'inane': ['annie', 'inane'], 'inanga': ['angina', 'inanga'], 'inanimate': ['amanitine', 'inanimate'], 'inanimated': ['diamantine', 'inanimated'], 'inapt': ['inapt', 'paint', 'pinta'], 'inaptly': ['inaptly', 'planity', 'ptyalin'], 'inarch': ['chinar', 'inarch'], 'inarm': ['inarm', 'minar'], 'inasmuch': ['humanics', 'inasmuch'], 'inaurate': ['inaurate', 'ituraean'], 'inbe': ['beni', 'bien', 'bine', 'inbe'], 'inbreak': ['brankie', 'inbreak'], 'inbreathe': ['hibernate', 'inbreathe'], 'inbred': ['binder', 'inbred', 'rebind'], 'inbreed': ['birdeen', 'inbreed'], 'inca': ['cain', 'inca'], 'incaic': ['acinic', 'incaic'], 'incarnate': ['cratinean', 'incarnate', 'nectarian'], 'incase': ['casein', 'incase'], 'incast': ['incast', 'nastic'], 'incensation': ['incensation', 'inscenation'], 'incept': ['incept', 'pectin'], 'inceptor': ['inceptor', 'pretonic'], 'inceration': ['cineration', 'inceration'], 'incessant': ['anticness', 'cantiness', 'incessant'], 'incest': ['encist', 'incest', 'insect', 'scient'], 'inch': ['chin', 'inch'], 'inched': ['chined', 'inched'], 'inchoate': ['inchoate', 'noachite'], 'incide': ['cindie', 'incide'], 'incinerate': ['creatinine', 'incinerate'], 'incisal': ['incisal', 'salicin'], 'incision': ['incision', 'inosinic'], 'incisure': ['incisure', 'sciurine'], 'inciter': ['citrine', 'crinite', 'inciter', 'neritic'], 'inclinatorium': ['anticlinorium', 'inclinatorium'], 'inclosure': ['cornelius', 'inclosure', 'reclusion'], 'include': ['include', 'nuclide'], 'incluse': ['esculin', 'incluse'], 'incog': ['coign', 'incog'], 'incognito': ['cognition', 'incognito'], 'incoherence': ['coinherence', 'incoherence'], 'incoherent': ['coinherent', 'incoherent'], 'incomeless': ['comeliness', 'incomeless'], 'incomer': ['incomer', 'moneric'], 'incomputable': ['incomputable', 'uncompatible'], 'incondite': ['incondite', 'nicotined'], 'inconglomerate': ['inconglomerate', 'nongeometrical'], 'inconsistent': ['inconsistent', 'nonscientist'], 'inconsonant': ['inconsonant', 'nonsanction'], 'incontrovertibility': ['incontrovertibility', 'introconvertibility'], 'incontrovertible': ['incontrovertible', 'introconvertible'], 'incorporate': ['incorporate', 'procreation'], 'incorporated': ['adrenotropic', 'incorporated'], 'incorpse': ['conspire', 'incorpse'], 'incrash': ['archsin', 'incrash'], 'increase': ['cerasein', 'increase'], 'increate': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'incredited': ['incredited', 'indirected'], 'increep': ['crepine', 'increep'], 'increpate': ['anticreep', 'apenteric', 'increpate'], 'increst': ['cistern', 'increst'], 'incruental': ['incruental', 'unicentral'], 'incrustant': ['incrustant', 'scrutinant'], 'incrustate': ['incrustate', 'scaturient', 'scrutinate'], 'incubate': ['cubanite', 'incubate'], 'incudal': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'incudomalleal': ['incudomalleal', 'malleoincudal'], 'inculcation': ['anticouncil', 'inculcation'], 'inculture': ['culturine', 'inculture'], 'incuneation': ['enunciation', 'incuneation'], 'incur': ['curin', 'incur', 'runic'], 'incurable': ['binuclear', 'incurable'], 'incus': ['incus', 'usnic'], 'incut': ['cutin', 'incut', 'tunic'], 'ind': ['din', 'ind', 'nid'], 'indaba': ['badian', 'indaba'], 'indagator': ['gradation', 'indagator', 'tanagroid'], 'indan': ['indan', 'nandi'], 'indane': ['aidenn', 'andine', 'dannie', 'indane'], 'inde': ['dine', 'enid', 'inde', 'nide'], 'indebt': ['bident', 'indebt'], 'indebted': ['bidented', 'indebted'], 'indefinitude': ['indefinitude', 'unidentified'], 'indent': ['dentin', 'indent', 'intend', 'tinned'], 'indented': ['indented', 'intended'], 'indentedly': ['indentedly', 'intendedly'], 'indenter': ['indenter', 'intender', 'reintend'], 'indentment': ['indentment', 'intendment'], 'indentured': ['indentured', 'underntide'], 'indentwise': ['disentwine', 'indentwise'], 'indeprivable': ['indeprivable', 'predivinable'], 'indesert': ['indesert', 'inserted', 'resident'], 'indiana': ['anidian', 'indiana'], 'indic': ['dinic', 'indic'], 'indican': ['cnidian', 'indican'], 'indicate': ['diacetin', 'indicate'], 'indicatory': ['dictionary', 'indicatory'], 'indicial': ['anilidic', 'indicial'], 'indicter': ['indicter', 'indirect', 'reindict'], 'indies': ['indies', 'inside'], 'indigena': ['gadinine', 'indigena'], 'indigitate': ['indigitate', 'tingitidae'], 'indign': ['dining', 'indign', 'niding'], 'indigoferous': ['gonidiferous', 'indigoferous'], 'indigotin': ['digitonin', 'indigotin'], 'indirect': ['indicter', 'indirect', 'reindict'], 'indirected': ['incredited', 'indirected'], 'indirectly': ['cylindrite', 'indirectly'], 'indiscreet': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscreetly': ['indiscreetly', 'indiscretely', 'iridescently'], 'indiscrete': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscretely': ['indiscreetly', 'indiscretely', 'iridescently'], 'indissolute': ['delusionist', 'indissolute'], 'indite': ['indite', 'tineid'], 'inditer': ['inditer', 'nitride'], 'indogaean': ['ganoidean', 'indogaean'], 'indole': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'indolence': ['endocline', 'indolence'], 'indoles': ['indoles', 'sondeli'], 'indologist': ['indologist', 'nidologist'], 'indology': ['indology', 'nidology'], 'indone': ['donnie', 'indone', 'ondine'], 'indoors': ['indoors', 'sordino'], 'indorse': ['indorse', 'ordines', 'siredon', 'sordine'], 'indra': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'indrawn': ['indrawn', 'winnard'], 'induce': ['induce', 'uniced'], 'inducer': ['inducer', 'uncried'], 'indulge': ['dueling', 'indulge'], 'indulgential': ['dentilingual', 'indulgential', 'linguidental'], 'indulger': ['indulger', 'ungirdle'], 'indument': ['indument', 'unminted'], 'indurable': ['indurable', 'unbrailed', 'unridable'], 'indurate': ['indurate', 'turdinae'], 'induration': ['diurnation', 'induration'], 'indus': ['dinus', 'indus', 'nidus'], 'indusiform': ['disuniform', 'indusiform'], 'induviae': ['induviae', 'viduinae'], 'induvial': ['diluvian', 'induvial'], 'inearth': ['anither', 'inearth', 'naither'], 'inelastic': ['elasticin', 'inelastic', 'sciential'], 'inelegant': ['eglantine', 'inelegant', 'legantine'], 'ineludible': ['ineludible', 'unelidible'], 'inept': ['inept', 'pinte'], 'inequity': ['equinity', 'inequity'], 'inerm': ['inerm', 'miner'], 'inermes': ['ermines', 'inermes'], 'inermia': ['imerina', 'inermia'], 'inermous': ['inermous', 'monsieur'], 'inert': ['inert', 'inter', 'niter', 'retin', 'trine'], 'inertance': ['inertance', 'nectarine'], 'inertial': ['inertial', 'linarite'], 'inertly': ['elytrin', 'inertly', 'trinely'], 'inethical': ['echinital', 'inethical'], 'ineunt': ['ineunt', 'untine'], 'inez': ['inez', 'zein'], 'inface': ['fiance', 'inface'], 'infame': ['famine', 'infame'], 'infamy': ['infamy', 'manify'], 'infarct': ['frantic', 'infarct', 'infract'], 'infarction': ['infarction', 'infraction'], 'infaust': ['faunist', 'fustian', 'infaust'], 'infecter': ['frenetic', 'infecter', 'reinfect'], 'infeed': ['define', 'infeed'], 'infelt': ['finlet', 'infelt'], 'infer': ['finer', 'infer'], 'inferable': ['inferable', 'refinable'], 'infern': ['finner', 'infern'], 'inferoanterior': ['anteroinferior', 'inferoanterior'], 'inferoposterior': ['inferoposterior', 'posteroinferior'], 'infestation': ['festination', 'infestation', 'sinfonietta'], 'infester': ['infester', 'reinfest'], 'infidel': ['infidel', 'infield'], 'infield': ['infidel', 'infield'], 'inflame': ['feminal', 'inflame'], 'inflamed': ['fieldman', 'inflamed'], 'inflamer': ['inflamer', 'rifleman'], 'inflatus': ['inflatus', 'stainful'], 'inflicter': ['inflicter', 'reinflict'], 'inform': ['formin', 'inform'], 'informal': ['formalin', 'informal', 'laniform'], 'informer': ['informer', 'reinform', 'reniform'], 'infra': ['infra', 'irfan'], 'infract': ['frantic', 'infarct', 'infract'], 'infraction': ['infarction', 'infraction'], 'infringe': ['infringe', 'refining'], 'ing': ['gin', 'ing', 'nig'], 'inga': ['gain', 'inga', 'naig', 'ngai'], 'ingaevones': ['avignonese', 'ingaevones'], 'ingate': ['eating', 'ingate', 'tangie'], 'ingather': ['hearting', 'ingather'], 'ingenue': ['genuine', 'ingenue'], 'ingenuous': ['ingenuous', 'unigenous'], 'inger': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ingest': ['ingest', 'signet', 'stinge'], 'ingesta': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'ingle': ['ingle', 'ligne', 'linge', 'nigel'], 'inglobe': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ingomar': ['ingomar', 'moringa', 'roaming'], 'ingram': ['arming', 'ingram', 'margin'], 'ingrate': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'ingrow': ['ingrow', 'rowing'], 'ingrowth': ['ingrowth', 'throwing'], 'inguinal': ['inguinal', 'unailing'], 'inguinocrural': ['cruroinguinal', 'inguinocrural'], 'inhabiter': ['inhabiter', 'reinhabit'], 'inhaler': ['hernial', 'inhaler'], 'inhauler': ['herulian', 'inhauler'], 'inhaust': ['auntish', 'inhaust'], 'inhere': ['herein', 'inhere'], 'inhumer': ['inhumer', 'rhenium'], 'inial': ['ilian', 'inial'], 'ink': ['ink', 'kin'], 'inkle': ['inkle', 'liken'], 'inkless': ['inkless', 'kinless'], 'inkling': ['inkling', 'linking'], 'inknot': ['inknot', 'tonkin'], 'inkra': ['inkra', 'krina', 'nakir', 'rinka'], 'inks': ['inks', 'sink', 'skin'], 'inlaid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'inlake': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlaut': ['inlaut', 'unital'], 'inlaw': ['inlaw', 'liwan'], 'inlay': ['inlay', 'naily'], 'inlayer': ['inlayer', 'nailery'], 'inleak': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlet': ['inlet', 'linet'], 'inlook': ['inlook', 'koilon'], 'inly': ['inly', 'liny'], 'inmate': ['etamin', 'inmate', 'taimen', 'tamein'], 'inmeats': ['atenism', 'inmeats', 'insteam', 'samnite'], 'inmost': ['inmost', 'monist', 'omnist'], 'innate': ['annite', 'innate', 'tinean'], 'innative': ['innative', 'invinate'], 'innatural': ['innatural', 'triannual'], 'inner': ['inner', 'renin'], 'innerve': ['innerve', 'nervine', 'vernine'], 'innest': ['innest', 'sennit', 'sinnet', 'tennis'], 'innet': ['innet', 'tinne'], 'innominata': ['antinomian', 'innominata'], 'innovate': ['innovate', 'venation'], 'innovationist': ['innovationist', 'nonvisitation'], 'ino': ['ino', 'ion'], 'inobtainable': ['inobtainable', 'nonbilabiate'], 'inocarpus': ['inocarpus', 'unprosaic'], 'inoculant': ['continual', 'inoculant', 'unctional'], 'inocystoma': ['actomyosin', 'inocystoma'], 'inodes': ['deinos', 'donsie', 'inodes', 'onside'], 'inogen': ['genion', 'inogen'], 'inoma': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'inomyxoma': ['inomyxoma', 'myxoinoma'], 'inone': ['inone', 'oenin'], 'inoperculata': ['inoperculata', 'precautional'], 'inorb': ['biron', 'inorb', 'robin'], 'inorganic': ['conringia', 'inorganic'], 'inorganical': ['carolingian', 'inorganical'], 'inornate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'inosic': ['inosic', 'sinico'], 'inosinic': ['incision', 'inosinic'], 'inosite': ['inosite', 'sionite'], 'inphase': ['inphase', 'phineas'], 'inpush': ['inpush', 'punish', 'unship'], 'input': ['input', 'punti'], 'inquiet': ['inquiet', 'quinite'], 'inreality': ['inreality', 'linearity'], 'inro': ['inro', 'iron', 'noir', 'nori'], 'inroad': ['dorian', 'inroad', 'ordain'], 'inroader': ['inroader', 'ordainer', 'reordain'], 'inrub': ['bruin', 'burin', 'inrub'], 'inrun': ['inrun', 'inurn'], 'insane': ['insane', 'sienna'], 'insatiably': ['insatiably', 'sanability'], 'inscenation': ['incensation', 'inscenation'], 'inscient': ['inscient', 'nicenist'], 'insculp': ['insculp', 'sculpin'], 'insea': ['anise', 'insea', 'siena', 'sinae'], 'inseam': ['asimen', 'inseam', 'mesian'], 'insect': ['encist', 'incest', 'insect', 'scient'], 'insectan': ['insectan', 'instance'], 'insectile': ['insectile', 'selenitic'], 'insectivora': ['insectivora', 'visceration'], 'insecure': ['insecure', 'sinecure'], 'insee': ['insee', 'seine'], 'inseer': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'insert': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'inserted': ['indesert', 'inserted', 'resident'], 'inserter': ['inserter', 'reinsert'], 'insessor': ['insessor', 'rosiness'], 'inset': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'insetter': ['insetter', 'interest', 'interset', 'sternite'], 'inshave': ['evanish', 'inshave'], 'inshoot': ['inshoot', 'insooth'], 'inside': ['indies', 'inside'], 'insider': ['insider', 'siderin'], 'insistent': ['insistent', 'tintiness'], 'insister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'insole': ['insole', 'leonis', 'lesion', 'selion'], 'insomnia': ['insomnia', 'simonian'], 'insomniac': ['aniconism', 'insomniac'], 'insooth': ['inshoot', 'insooth'], 'insorb': ['insorb', 'sorbin'], 'insoul': ['insoul', 'linous', 'nilous', 'unsoil'], 'inspection': ['cispontine', 'inspection'], 'inspiriter': ['inspiriter', 'reinspirit'], 'inspissate': ['antisepsis', 'inspissate'], 'inspreith': ['inspreith', 'nephritis', 'phrenitis'], 'installer': ['installer', 'reinstall'], 'instance': ['insectan', 'instance'], 'instanter': ['instanter', 'transient'], 'instar': ['instar', 'santir', 'strain'], 'instate': ['atenist', 'instate', 'satient', 'steatin'], 'instead': ['destain', 'instead', 'sainted', 'satined'], 'insteam': ['atenism', 'inmeats', 'insteam', 'samnite'], 'instep': ['instep', 'spinet'], 'instiller': ['instiller', 'reinstill'], 'instructer': ['instructer', 'intercrust', 'reinstruct'], 'instructional': ['instructional', 'nonaltruistic'], 'insula': ['insula', 'lanius', 'lusian'], 'insulant': ['insulant', 'sultanin'], 'insulse': ['insulse', 'silenus'], 'insult': ['insult', 'sunlit', 'unlist', 'unslit'], 'insulter': ['insulter', 'lustrine', 'reinsult'], 'insunk': ['insunk', 'unskin'], 'insurable': ['insurable', 'sublinear'], 'insurance': ['insurance', 'nuisancer'], 'insurant': ['insurant', 'unstrain'], 'insure': ['insure', 'rusine', 'ursine'], 'insurge': ['insurge', 'resuing'], 'insurgent': ['insurgent', 'unresting'], 'intactile': ['catlinite', 'intactile'], 'intaglio': ['intaglio', 'ligation'], 'intake': ['intake', 'kentia'], 'intaker': ['intaker', 'katrine', 'keratin'], 'intarsia': ['antiaris', 'intarsia'], 'intarsiate': ['intarsiate', 'nestiatria'], 'integral': ['integral', 'teraglin', 'triangle'], 'integralize': ['gelatinizer', 'integralize'], 'integrate': ['argentite', 'integrate'], 'integrative': ['integrative', 'vertiginate', 'vinaigrette'], 'integrious': ['grisounite', 'grisoutine', 'integrious'], 'intemperable': ['impenetrable', 'intemperable'], 'intemperably': ['impenetrably', 'intemperably'], 'intemperate': ['impenetrate', 'intemperate'], 'intemporal': ['intemporal', 'trampoline'], 'intend': ['dentin', 'indent', 'intend', 'tinned'], 'intended': ['indented', 'intended'], 'intendedly': ['indentedly', 'intendedly'], 'intender': ['indenter', 'intender', 'reintend'], 'intendment': ['indentment', 'intendment'], 'intense': ['intense', 'sennite'], 'intent': ['intent', 'tinnet'], 'intently': ['intently', 'nitently'], 'inter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'interactional': ['interactional', 'intercalation'], 'interagent': ['entreating', 'interagent'], 'interally': ['interally', 'reliantly'], 'interastral': ['interastral', 'intertarsal'], 'intercalation': ['interactional', 'intercalation'], 'intercale': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'intercede': ['intercede', 'tridecene'], 'interceder': ['crednerite', 'interceder'], 'intercession': ['intercession', 'recensionist'], 'intercome': ['entomeric', 'intercome', 'morencite'], 'interconal': ['interconal', 'nonrecital'], 'intercrust': ['instructer', 'intercrust', 'reinstruct'], 'interdome': ['interdome', 'mordenite', 'nemertoid'], 'intereat': ['intereat', 'tinetare'], 'interest': ['insetter', 'interest', 'interset', 'sternite'], 'interester': ['interester', 'reinterest'], 'interfering': ['interfering', 'interfinger'], 'interfinger': ['interfering', 'interfinger'], 'intergrade': ['gradienter', 'intergrade'], 'interim': ['interim', 'termini'], 'interimistic': ['interimistic', 'trimesitinic'], 'interlace': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'interlaced': ['credential', 'interlaced', 'reclinated'], 'interlaid': ['deliriant', 'draintile', 'interlaid'], 'interlap': ['interlap', 'repliant', 'triplane'], 'interlapse': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'interlay': ['interlay', 'lyterian'], 'interleaf': ['interleaf', 'reinflate'], 'interleaver': ['interleaver', 'reverential'], 'interlocal': ['citronella', 'interlocal'], 'interlope': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interlot': ['interlot', 'trotline'], 'intermat': ['intermat', 'martinet', 'tetramin'], 'intermatch': ['intermatch', 'thermantic'], 'intermine': ['intermine', 'nemertini', 'terminine'], 'intermorainic': ['intermorainic', 'recrimination'], 'intermutual': ['intermutual', 'ultraminute'], 'intern': ['intern', 'tinner'], 'internality': ['internality', 'itinerantly'], 'internecive': ['internecive', 'reincentive'], 'internee': ['internee', 'retinene'], 'interoceptor': ['interoceptor', 'reprotection'], 'interpause': ['interpause', 'resupinate'], 'interpave': ['interpave', 'prenative'], 'interpeal': ['interpeal', 'interplea'], 'interpellate': ['interpellate', 'pantellerite'], 'interpellation': ['interpellation', 'interpollinate'], 'interphone': ['interphone', 'pinnothere'], 'interplay': ['interplay', 'painterly'], 'interplea': ['interpeal', 'interplea'], 'interplead': ['interplead', 'peridental'], 'interpolar': ['interpolar', 'reniportal'], 'interpolate': ['interpolate', 'triantelope'], 'interpole': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interpollinate': ['interpellation', 'interpollinate'], 'interpone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'interposal': ['interposal', 'psalterion'], 'interposure': ['interposure', 'neuropteris'], 'interpreter': ['interpreter', 'reinterpret'], 'interproduce': ['interproduce', 'prereduction'], 'interroom': ['interroom', 'remontoir'], 'interrupter': ['interrupter', 'reinterrupt'], 'intersale': ['intersale', 'larsenite'], 'intersectional': ['intersectional', 'intraselection'], 'interset': ['insetter', 'interest', 'interset', 'sternite'], 'intershade': ['dishearten', 'intershade'], 'intersituate': ['intersituate', 'tenuistriate'], 'intersocial': ['intersocial', 'orleanistic', 'sclerotinia'], 'interspace': ['esperantic', 'interspace'], 'interspecific': ['interspecific', 'prescientific'], 'interspiration': ['interspiration', 'repristination'], 'intersporal': ['intersporal', 'tripersonal'], 'interstation': ['interstation', 'strontianite'], 'intertalk': ['intertalk', 'latterkin'], 'intertarsal': ['interastral', 'intertarsal'], 'interteam': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'intertie': ['intertie', 'retinite'], 'intertone': ['intertone', 'retention'], 'intervascular': ['intervascular', 'vernacularist'], 'intervention': ['intervention', 'introvenient'], 'interverbal': ['interverbal', 'invertebral'], 'interviewer': ['interviewer', 'reinterview'], 'interwed': ['interwed', 'wintered'], 'interwish': ['interwish', 'winterish'], 'interwork': ['interwork', 'tinworker'], 'interwove': ['interwove', 'overtwine'], 'intestate': ['enstatite', 'intestate', 'satinette'], 'intestinovesical': ['intestinovesical', 'vesicointestinal'], 'inthrong': ['inthrong', 'northing'], 'intima': ['intima', 'timani'], 'intimacy': ['imitancy', 'intimacy', 'minacity'], 'intimater': ['intimater', 'traintime'], 'into': ['into', 'nito', 'oint', 'tino'], 'intoed': ['ditone', 'intoed'], 'intolerance': ['crenelation', 'intolerance'], 'intolerating': ['intolerating', 'nitrogelatin'], 'intonate': ['intonate', 'totanine'], 'intonator': ['intonator', 'tortonian'], 'intone': ['intone', 'tenino'], 'intonement': ['intonement', 'omnitenent'], 'intoner': ['intoner', 'ternion'], 'intort': ['intort', 'tornit', 'triton'], 'intoxicate': ['excitation', 'intoxicate'], 'intracoelomic': ['iconometrical', 'intracoelomic'], 'intracosmic': ['intracosmic', 'narcoticism'], 'intracostal': ['intracostal', 'stratonical'], 'intractile': ['intractile', 'triclinate'], 'intrada': ['intrada', 'radiant'], 'intraselection': ['intersectional', 'intraselection'], 'intraseptal': ['intraseptal', 'paternalist', 'prenatalist'], 'intraspinal': ['intraspinal', 'pinnitarsal'], 'intreat': ['intreat', 'iterant', 'nitrate', 'tertian'], 'intrencher': ['intrencher', 'reintrench'], 'intricate': ['intricate', 'triactine'], 'intrication': ['citrination', 'intrication'], 'intrigue': ['intrigue', 'tigurine'], 'introconvertibility': ['incontrovertibility', 'introconvertibility'], 'introconvertible': ['incontrovertible', 'introconvertible'], 'introduce': ['introduce', 'reduction'], 'introit': ['introit', 'nitriot'], 'introitus': ['introitus', 'routinist'], 'introvenient': ['intervention', 'introvenient'], 'intrude': ['intrude', 'turdine', 'untired', 'untried'], 'intruse': ['intruse', 'sturine'], 'intrust': ['intrust', 'sturtin'], 'intube': ['butein', 'butine', 'intube'], 'intue': ['intue', 'unite', 'untie'], 'inula': ['inula', 'luian', 'uinal'], 'inurbane': ['eburnian', 'inurbane'], 'inure': ['inure', 'urine'], 'inured': ['diurne', 'inured', 'ruined', 'unride'], 'inurn': ['inrun', 'inurn'], 'inustion': ['inustion', 'unionist'], 'invader': ['invader', 'ravined', 'viander'], 'invaluable': ['invaluable', 'unvailable'], 'invar': ['invar', 'ravin', 'vanir'], 'invector': ['contrive', 'invector'], 'inveigler': ['inveigler', 'relieving'], 'inventer': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'inventress': ['inventress', 'vintneress'], 'inverness': ['inverness', 'nerviness'], 'inversatile': ['inversatile', 'serviential'], 'inverse': ['inverse', 'versine'], 'invert': ['invert', 'virent'], 'invertase': ['invertase', 'servetian'], 'invertebral': ['interverbal', 'invertebral'], 'inverter': ['inverter', 'reinvert', 'trinerve'], 'investigation': ['investigation', 'tenovaginitis'], 'invinate': ['innative', 'invinate'], 'inviter': ['inviter', 'vitrine'], 'invocate': ['conative', 'invocate'], 'invoker': ['invoker', 'overink'], 'involucrate': ['countervail', 'involucrate'], 'involucre': ['involucre', 'volucrine'], 'inwards': ['inwards', 'sinward'], 'inwith': ['inwith', 'within'], 'iodate': ['idotea', 'iodate', 'otidae'], 'iodhydrate': ['hydriodate', 'iodhydrate'], 'iodhydric': ['hydriodic', 'iodhydric'], 'iodinate': ['ideation', 'iodinate', 'taenioid'], 'iodinium': ['iodinium', 'ionidium'], 'iodism': ['idoism', 'iodism'], 'iodite': ['iodite', 'teioid'], 'iodo': ['iodo', 'ooid'], 'iodocasein': ['iodocasein', 'oniscoidea'], 'iodochloride': ['chloroiodide', 'iodochloride'], 'iodohydric': ['hydroiodic', 'iodohydric'], 'iodol': ['dooli', 'iodol'], 'iodothyrin': ['iodothyrin', 'thyroiodin'], 'iodous': ['iodous', 'odious'], 'ion': ['ino', 'ion'], 'ionidium': ['iodinium', 'ionidium'], 'ionizer': ['ionizer', 'ironize'], 'iota': ['iota', 'tiao'], 'iotacist': ['iotacist', 'taoistic'], 'ipecac': ['icecap', 'ipecac'], 'ipil': ['ipil', 'pili'], 'ipseand': ['ipseand', 'panside', 'pansied'], 'ira': ['air', 'ira', 'ria'], 'iracund': ['candiru', 'iracund'], 'irade': ['aider', 'deair', 'irade', 'redia'], 'iran': ['arni', 'iran', 'nair', 'rain', 'rani'], 'irani': ['irani', 'irian'], 'iranism': ['iranism', 'sirmian'], 'iranist': ['iranist', 'istrian'], 'irascent': ['canister', 'cestrian', 'cisterna', 'irascent'], 'irate': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'irately': ['irately', 'reality'], 'ire': ['ire', 'rie'], 'irena': ['erian', 'irena', 'reina'], 'irene': ['ernie', 'ierne', 'irene'], 'irenic': ['irenic', 'ricine'], 'irenics': ['irenics', 'resinic', 'sericin', 'sirenic'], 'irenicum': ['irenicum', 'muricine'], 'iresine': ['iresine', 'iserine'], 'irfan': ['infra', 'irfan'], 'irgun': ['irgun', 'ruing', 'unrig'], 'irian': ['irani', 'irian'], 'iridal': ['iridal', 'lariid'], 'iridate': ['arietid', 'iridate'], 'iridectomy': ['iridectomy', 'mediocrity'], 'irides': ['irides', 'irised'], 'iridescent': ['indiscreet', 'indiscrete', 'iridescent'], 'iridescently': ['indiscreetly', 'indiscretely', 'iridescently'], 'iridosmium': ['iridosmium', 'osmiridium'], 'irised': ['irides', 'irised'], 'irish': ['irish', 'rishi', 'sirih'], 'irk': ['irk', 'rik'], 'irma': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'iroha': ['haori', 'iroha'], 'irok': ['irok', 'kori'], 'iron': ['inro', 'iron', 'noir', 'nori'], 'ironclad': ['ironclad', 'rolandic'], 'irone': ['irone', 'norie'], 'ironhead': ['herodian', 'ironhead'], 'ironice': ['ironice', 'oneiric'], 'ironize': ['ionizer', 'ironize'], 'ironshod': ['dishonor', 'ironshod'], 'ironside': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'irradiant': ['irradiant', 'triandria'], 'irrationable': ['irrationable', 'orbitelarian'], 'irredenta': ['irredenta', 'retainder'], 'irrelate': ['irrelate', 'retailer'], 'irrepentance': ['irrepentance', 'pretercanine'], 'irving': ['irving', 'riving', 'virgin'], 'irvingiana': ['irvingiana', 'viraginian'], 'is': ['is', 'si'], 'isabel': ['isabel', 'lesbia'], 'isabella': ['isabella', 'sailable'], 'isagogical': ['isagogical', 'sialagogic'], 'isagon': ['gosain', 'isagon', 'sagoin'], 'isander': ['andries', 'isander', 'sardine'], 'isanthous': ['anhistous', 'isanthous'], 'isatate': ['isatate', 'satiate', 'taetsia'], 'isatic': ['isatic', 'saitic'], 'isatin': ['antisi', 'isatin'], 'isatinic': ['isatinic', 'sinaitic'], 'isaurian': ['anisuria', 'isaurian'], 'isawa': ['isawa', 'waasi'], 'isba': ['absi', 'bais', 'bias', 'isba'], 'iscariot': ['aoristic', 'iscariot'], 'ischemia': ['hemiasci', 'ischemia'], 'ischioiliac': ['ilioischiac', 'ischioiliac'], 'ischiorectal': ['ischiorectal', 'sciotherical'], 'iserine': ['iresine', 'iserine'], 'iseum': ['iseum', 'musie'], 'isiac': ['ascii', 'isiac'], 'isidore': ['isidore', 'osiride'], 'isis': ['isis', 'sisi'], 'islam': ['islam', 'ismal', 'simal'], 'islamic': ['islamic', 'laicism', 'silicam'], 'islamitic': ['islamitic', 'italicism'], 'islandy': ['islandy', 'lindsay'], 'islay': ['islay', 'saily'], 'isle': ['isle', 'lise', 'sile'], 'islet': ['islet', 'istle', 'slite', 'stile'], 'isleta': ['isleta', 'litsea', 'salite', 'stelai'], 'isleted': ['idleset', 'isleted'], 'ism': ['ism', 'sim'], 'ismal': ['islam', 'ismal', 'simal'], 'ismatic': ['ismatic', 'itacism'], 'ismatical': ['ismatical', 'lamaistic'], 'isocamphor': ['chromopsia', 'isocamphor'], 'isoclinal': ['collinsia', 'isoclinal'], 'isocline': ['isocline', 'silicone'], 'isocoumarin': ['acrimonious', 'isocoumarin'], 'isodulcite': ['isodulcite', 'solicitude'], 'isogen': ['geison', 'isogen'], 'isogeotherm': ['geoisotherm', 'isogeotherm'], 'isogon': ['isogon', 'songoi'], 'isogram': ['isogram', 'orgiasm'], 'isohel': ['helios', 'isohel'], 'isoheptane': ['apothesine', 'isoheptane'], 'isolate': ['aeolist', 'isolate'], 'isolated': ['diastole', 'isolated', 'sodalite', 'solidate'], 'isolative': ['isolative', 'soliative'], 'isolde': ['isolde', 'soiled'], 'isomer': ['isomer', 'rimose'], 'isometric': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'isomorph': ['isomorph', 'moorship'], 'isonitrile': ['isonitrile', 'resilition'], 'isonym': ['isonym', 'myosin', 'simony'], 'isophthalyl': ['isophthalyl', 'lithophysal'], 'isopodan': ['anisopod', 'isopodan'], 'isoptera': ['isoptera', 'septoria'], 'isosaccharic': ['isosaccharic', 'sacroischiac'], 'isostere': ['erotesis', 'isostere'], 'isotac': ['isotac', 'scotia'], 'isotheral': ['horsetail', 'isotheral'], 'isotherm': ['homerist', 'isotherm', 'otherism', 'theorism'], 'isotria': ['isotria', 'oaritis'], 'isotron': ['isotron', 'torsion'], 'isotrope': ['isotrope', 'portoise'], 'isotropism': ['isotropism', 'promitosis'], 'isotropy': ['isotropy', 'porosity'], 'israel': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'israeli': ['alisier', 'israeli'], 'israelite': ['israelite', 'resiliate'], 'issuable': ['basileus', 'issuable', 'suasible'], 'issuant': ['issuant', 'sustain'], 'issue': ['issue', 'susie'], 'issuer': ['issuer', 'uresis'], 'ist': ['ist', 'its', 'sit'], 'isthmi': ['isthmi', 'timish'], 'isthmian': ['isthmian', 'smithian'], 'isthmoid': ['isthmoid', 'thomisid'], 'istle': ['islet', 'istle', 'slite', 'stile'], 'istrian': ['iranist', 'istrian'], 'isuret': ['isuret', 'resuit'], 'it': ['it', 'ti'], 'ita': ['ait', 'ati', 'ita', 'tai'], 'itacism': ['ismatic', 'itacism'], 'itaconate': ['acetation', 'itaconate'], 'itaconic': ['aconitic', 'cationic', 'itaconic'], 'itali': ['itali', 'tilia'], 'italian': ['antilia', 'italian'], 'italic': ['clitia', 'italic'], 'italicism': ['islamitic', 'italicism'], 'italite': ['italite', 'letitia', 'tilaite'], 'italon': ['italon', 'lation', 'talion'], 'itaves': ['itaves', 'stevia'], 'itch': ['chit', 'itch', 'tchi'], 'item': ['emit', 'item', 'mite', 'time'], 'iten': ['iten', 'neti', 'tien', 'tine'], 'itenean': ['aniente', 'itenean'], 'iter': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'iterable': ['iterable', 'liberate'], 'iterance': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'iterant': ['intreat', 'iterant', 'nitrate', 'tertian'], 'ithaca': ['cahita', 'ithaca'], 'ithacan': ['ithacan', 'tachina'], 'ither': ['ither', 'their'], 'itinerant': ['itinerant', 'nitratine'], 'itinerantly': ['internality', 'itinerantly'], 'itmo': ['itmo', 'moit', 'omit', 'timo'], 'ito': ['ito', 'toi'], 'itoism': ['itoism', 'omitis'], 'itoist': ['itoist', 'otitis'], 'itoland': ['itoland', 'talonid', 'tindalo'], 'itonama': ['amniota', 'itonama'], 'itonia': ['aition', 'itonia'], 'its': ['ist', 'its', 'sit'], 'itself': ['itself', 'stifle'], 'ituraean': ['inaurate', 'ituraean'], 'itza': ['itza', 'tiza', 'zati'], 'iva': ['iva', 'vai', 'via'], 'ivan': ['ivan', 'vain', 'vina'], 'ivorist': ['ivorist', 'visitor'], 'iwaiwa': ['iwaiwa', 'waiwai'], 'ixiama': ['amixia', 'ixiama'], 'ixodic': ['ixodic', 'oxidic'], 'iyo': ['iyo', 'yoi'], 'izar': ['izar', 'zira'], 'jacami': ['jacami', 'jicama'], 'jacobian': ['bajocian', 'jacobian'], 'jag': ['gaj', 'jag'], 'jagir': ['jagir', 'jirga'], 'jagua': ['ajuga', 'jagua'], 'jail': ['jail', 'lija'], 'jailer': ['jailer', 'rejail'], 'jaime': ['jaime', 'jamie'], 'jain': ['jain', 'jina'], 'jaina': ['inaja', 'jaina'], 'jalouse': ['jalouse', 'jealous'], 'jama': ['jama', 'maja'], 'jamesian': ['jamesian', 'jamesina'], 'jamesina': ['jamesian', 'jamesina'], 'jami': ['ijma', 'jami'], 'jamie': ['jaime', 'jamie'], 'jane': ['jane', 'jean'], 'janos': ['janos', 'jason', 'jonas', 'sonja'], 'jantu': ['jantu', 'jaunt', 'junta'], 'januslike': ['januslike', 'seljukian'], 'japonism': ['japonism', 'pajonism'], 'jar': ['jar', 'raj'], 'jara': ['ajar', 'jara', 'raja'], 'jarmo': ['jarmo', 'major'], 'jarnut': ['jarnut', 'jurant'], 'jason': ['janos', 'jason', 'jonas', 'sonja'], 'jat': ['jat', 'taj'], 'jatki': ['jatki', 'tajik'], 'jato': ['jato', 'jota'], 'jaun': ['jaun', 'juan'], 'jaunt': ['jantu', 'jaunt', 'junta'], 'jaup': ['jaup', 'puja'], 'jealous': ['jalouse', 'jealous'], 'jean': ['jane', 'jean'], 'jebusitical': ['jebusitical', 'justiciable'], 'jecoral': ['cajoler', 'jecoral'], 'jeffery': ['jeffery', 'jeffrey'], 'jeffrey': ['jeffery', 'jeffrey'], 'jejunoduodenal': ['duodenojejunal', 'jejunoduodenal'], 'jenine': ['jenine', 'jennie'], 'jennie': ['jenine', 'jennie'], 'jerker': ['jerker', 'rejerk'], 'jerkin': ['jerkin', 'jinker'], 'jeziah': ['hejazi', 'jeziah'], 'jicama': ['jacami', 'jicama'], 'jihad': ['hadji', 'jihad'], 'jina': ['jain', 'jina'], 'jingoist': ['jingoist', 'joisting'], 'jinker': ['jerkin', 'jinker'], 'jirga': ['jagir', 'jirga'], 'jobo': ['bojo', 'jobo'], 'johan': ['johan', 'jonah'], 'join': ['join', 'joni'], 'joinant': ['joinant', 'jotnian'], 'joiner': ['joiner', 'rejoin'], 'jointless': ['jointless', 'joltiness'], 'joisting': ['jingoist', 'joisting'], 'jolter': ['jolter', 'rejolt'], 'joltiness': ['jointless', 'joltiness'], 'jonah': ['johan', 'jonah'], 'jonas': ['janos', 'jason', 'jonas', 'sonja'], 'joni': ['join', 'joni'], 'joom': ['joom', 'mojo'], 'joshi': ['joshi', 'shoji'], 'jota': ['jato', 'jota'], 'jotnian': ['joinant', 'jotnian'], 'journeyer': ['journeyer', 'rejourney'], 'joust': ['joust', 'justo'], 'juan': ['jaun', 'juan'], 'judaic': ['judaic', 'judica'], 'judica': ['judaic', 'judica'], 'jujitsu': ['jujitsu', 'jujuist'], 'jujuist': ['jujitsu', 'jujuist'], 'junta': ['jantu', 'jaunt', 'junta'], 'jurant': ['jarnut', 'jurant'], 'justiciable': ['jebusitical', 'justiciable'], 'justo': ['joust', 'justo'], 'jute': ['jute', 'teju'], 'ka': ['ak', 'ka'], 'kabel': ['blake', 'bleak', 'kabel'], 'kaberu': ['kaberu', 'kubera'], 'kabuli': ['kabuli', 'kiluba'], 'kabyle': ['bleaky', 'kabyle'], 'kachari': ['chakari', 'chikara', 'kachari'], 'kachin': ['hackin', 'kachin'], 'kafir': ['fakir', 'fraik', 'kafir', 'rafik'], 'kaha': ['akha', 'kaha'], 'kahar': ['harka', 'kahar'], 'kahu': ['haku', 'kahu'], 'kaid': ['dika', 'kaid'], 'kaik': ['kaik', 'kaki'], 'kail': ['ilka', 'kail', 'kali'], 'kainga': ['kainga', 'kanagi'], 'kaiwi': ['kaiwi', 'kiwai'], 'kaka': ['akka', 'kaka'], 'kaki': ['kaik', 'kaki'], 'kala': ['akal', 'kala'], 'kalamian': ['kalamian', 'malikana'], 'kaldani': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'kale': ['kale', 'lake', 'leak'], 'kali': ['ilka', 'kail', 'kali'], 'kalo': ['kalo', 'kola', 'loka'], 'kamansi': ['kamansi', 'kamasin'], 'kamares': ['kamares', 'seamark'], 'kamasin': ['kamansi', 'kamasin'], 'kame': ['kame', 'make', 'meak'], 'kamel': ['kamel', 'kemal'], 'kamiya': ['kamiya', 'yakima'], 'kan': ['kan', 'nak'], 'kana': ['akan', 'kana'], 'kanagi': ['kainga', 'kanagi'], 'kanap': ['kanap', 'panak'], 'kanat': ['kanat', 'tanak', 'tanka'], 'kande': ['kande', 'knead', 'naked'], 'kang': ['kang', 'knag'], 'kanga': ['angka', 'kanga'], 'kangani': ['kangani', 'kiangan'], 'kangli': ['kangli', 'laking'], 'kanred': ['darken', 'kanred', 'ranked'], 'kans': ['kans', 'sank'], 'kaolin': ['ankoli', 'kaolin'], 'karch': ['chark', 'karch'], 'karel': ['karel', 'laker'], 'karen': ['anker', 'karen', 'naker'], 'kari': ['ikra', 'kari', 'raki'], 'karite': ['arkite', 'karite'], 'karl': ['karl', 'kral', 'lark'], 'karling': ['karling', 'larking'], 'karma': ['karma', 'krama', 'marka'], 'karo': ['karo', 'kora', 'okra', 'roka'], 'karree': ['karree', 'rerake'], 'karst': ['karst', 'skart', 'stark'], 'karstenite': ['karstenite', 'kersantite'], 'kartel': ['kartel', 'retalk', 'talker'], 'kasa': ['asak', 'kasa', 'saka'], 'kasbah': ['abkhas', 'kasbah'], 'kasha': ['kasha', 'khasa', 'sakha', 'shaka'], 'kashan': ['kashan', 'sankha'], 'kasher': ['kasher', 'shaker'], 'kashi': ['kashi', 'khasi'], 'kasm': ['kasm', 'mask'], 'katar': ['katar', 'takar'], 'kate': ['kate', 'keta', 'take', 'teak'], 'kath': ['kath', 'khat'], 'katharsis': ['katharsis', 'shastraik'], 'katie': ['katie', 'keita'], 'katik': ['katik', 'tikka'], 'katrine': ['intaker', 'katrine', 'keratin'], 'katy': ['katy', 'kyat', 'taky'], 'kavass': ['kavass', 'vakass'], 'kavi': ['kavi', 'kiva'], 'kay': ['kay', 'yak'], 'kayak': ['kayak', 'yakka'], 'kayan': ['kayan', 'yakan'], 'kayo': ['kayo', 'oaky'], 'kea': ['ake', 'kea'], 'keach': ['cheka', 'keach'], 'keawe': ['aweek', 'keawe'], 'kechel': ['heckle', 'kechel'], 'kedar': ['daker', 'drake', 'kedar', 'radek'], 'kee': ['eke', 'kee'], 'keech': ['cheek', 'cheke', 'keech'], 'keel': ['keel', 'kele', 'leek'], 'keen': ['keen', 'knee'], 'keena': ['aknee', 'ankee', 'keena'], 'keep': ['keep', 'peek'], 'keepership': ['keepership', 'shipkeeper'], 'kees': ['kees', 'seek', 'skee'], 'keest': ['keest', 'skeet', 'skete', 'steek'], 'kefir': ['frike', 'kefir'], 'keid': ['dike', 'keid'], 'keita': ['katie', 'keita'], 'keith': ['keith', 'kithe'], 'keitloa': ['keitloa', 'oatlike'], 'kelchin': ['chinkle', 'kelchin'], 'kele': ['keel', 'kele', 'leek'], 'kelima': ['kelima', 'mikael'], 'kelpie': ['kelpie', 'pelike'], 'kelty': ['kelty', 'ketyl'], 'kemal': ['kamel', 'kemal'], 'kemalist': ['kemalist', 'mastlike'], 'kenareh': ['hearken', 'kenareh'], 'kennel': ['kennel', 'nelken'], 'kenotic': ['kenotic', 'ketonic'], 'kent': ['kent', 'knet'], 'kentia': ['intake', 'kentia'], 'kenton': ['kenton', 'nekton'], 'kepi': ['kepi', 'kipe', 'pike'], 'keralite': ['keralite', 'tearlike'], 'kerasin': ['kerasin', 'sarkine'], 'kerat': ['kerat', 'taker'], 'keratin': ['intaker', 'katrine', 'keratin'], 'keratoangioma': ['angiokeratoma', 'keratoangioma'], 'keratosis': ['asterikos', 'keratosis'], 'keres': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'keresan': ['keresan', 'sneaker'], 'kerewa': ['kerewa', 'rewake'], 'kerf': ['ferk', 'kerf'], 'kern': ['kern', 'renk'], 'kersantite': ['karstenite', 'kersantite'], 'kersey': ['kersey', 'skeery'], 'kestrel': ['kestrel', 'skelter'], 'keta': ['kate', 'keta', 'take', 'teak'], 'ketene': ['ektene', 'ketene'], 'keto': ['keto', 'oket', 'toke'], 'ketol': ['ketol', 'loket'], 'ketonic': ['kenotic', 'ketonic'], 'ketu': ['ketu', 'teuk', 'tuke'], 'ketupa': ['ketupa', 'uptake'], 'ketyl': ['kelty', 'ketyl'], 'keup': ['keup', 'puke'], 'keuper': ['keuper', 'peruke'], 'kevan': ['kevan', 'knave'], 'kha': ['hak', 'kha'], 'khami': ['hakim', 'khami'], 'khan': ['ankh', 'hank', 'khan'], 'khar': ['hark', 'khar', 'rakh'], 'khasa': ['kasha', 'khasa', 'sakha', 'shaka'], 'khasi': ['kashi', 'khasi'], 'khat': ['kath', 'khat'], 'khatib': ['bhakti', 'khatib'], 'khila': ['khila', 'kilah'], 'khu': ['huk', 'khu'], 'khula': ['khula', 'kulah'], 'kiangan': ['kangani', 'kiangan'], 'kibe': ['bike', 'kibe'], 'kicker': ['kicker', 'rekick'], 'kickout': ['kickout', 'outkick'], 'kidney': ['dinkey', 'kidney'], 'kids': ['disk', 'kids', 'skid'], 'kiel': ['kiel', 'like'], 'kier': ['erik', 'kier', 'reki'], 'kiku': ['kiku', 'kuki'], 'kikumon': ['kikumon', 'kokumin'], 'kil': ['ilk', 'kil'], 'kilah': ['khila', 'kilah'], 'kiliare': ['airlike', 'kiliare'], 'killcalf': ['calfkill', 'killcalf'], 'killer': ['killer', 'rekill'], 'kiln': ['kiln', 'link'], 'kilnman': ['kilnman', 'linkman'], 'kilo': ['kilo', 'koil', 'koli'], 'kilp': ['kilp', 'klip'], 'kilter': ['kilter', 'kirtle'], 'kilting': ['kilting', 'kitling'], 'kiluba': ['kabuli', 'kiluba'], 'kimberlite': ['kimberlite', 'timberlike'], 'kimnel': ['kimnel', 'milken'], 'kin': ['ink', 'kin'], 'kina': ['akin', 'kina', 'naik'], 'kinase': ['kinase', 'sekani'], 'kinch': ['chink', 'kinch'], 'kind': ['dink', 'kind'], 'kindle': ['kindle', 'linked'], 'kinetomer': ['kinetomer', 'konimeter'], 'king': ['gink', 'king'], 'kingcob': ['bocking', 'kingcob'], 'kingpin': ['kingpin', 'pinking'], 'kingrow': ['kingrow', 'working'], 'kinless': ['inkless', 'kinless'], 'kinship': ['kinship', 'pinkish'], 'kioko': ['kioko', 'kokio'], 'kip': ['kip', 'pik'], 'kipe': ['kepi', 'kipe', 'pike'], 'kirk': ['kirk', 'rikk'], 'kirktown': ['kirktown', 'knitwork'], 'kirn': ['kirn', 'rink'], 'kirsten': ['kirsten', 'kristen', 'stinker'], 'kirsty': ['kirsty', 'skirty'], 'kirtle': ['kilter', 'kirtle'], 'kirve': ['kirve', 'kiver'], 'kish': ['kish', 'shik', 'sikh'], 'kishen': ['kishen', 'neskhi'], 'kisra': ['kisra', 'sikar', 'skair'], 'kissar': ['kissar', 'krasis'], 'kisser': ['kisser', 'rekiss'], 'kist': ['kist', 'skit'], 'kistful': ['kistful', 'lutfisk'], 'kitab': ['batik', 'kitab'], 'kitan': ['kitan', 'takin'], 'kitar': ['kitar', 'krait', 'rakit', 'traik'], 'kitchen': ['kitchen', 'thicken'], 'kitchener': ['kitchener', 'rethicken', 'thickener'], 'kithe': ['keith', 'kithe'], 'kitling': ['kilting', 'kitling'], 'kitlope': ['kitlope', 'potlike', 'toplike'], 'kittel': ['kittel', 'kittle'], 'kittle': ['kittel', 'kittle'], 'kittles': ['kittles', 'skittle'], 'kiva': ['kavi', 'kiva'], 'kiver': ['kirve', 'kiver'], 'kiwai': ['kaiwi', 'kiwai'], 'klan': ['klan', 'lank'], 'klanism': ['klanism', 'silkman'], 'klaus': ['klaus', 'lukas', 'sulka'], 'kleistian': ['kleistian', 'saintlike', 'satinlike'], 'klendusic': ['klendusic', 'unsickled'], 'kling': ['glink', 'kling'], 'klip': ['kilp', 'klip'], 'klop': ['klop', 'polk'], 'knab': ['bank', 'knab', 'nabk'], 'knag': ['kang', 'knag'], 'knap': ['knap', 'pank'], 'knape': ['knape', 'pekan'], 'knar': ['knar', 'kran', 'nark', 'rank'], 'knave': ['kevan', 'knave'], 'knawel': ['knawel', 'wankle'], 'knead': ['kande', 'knead', 'naked'], 'knee': ['keen', 'knee'], 'knet': ['kent', 'knet'], 'knit': ['knit', 'tink'], 'knitter': ['knitter', 'trinket'], 'knitwork': ['kirktown', 'knitwork'], 'knob': ['bonk', 'knob'], 'knot': ['knot', 'tonk'], 'knottiness': ['knottiness', 'stinkstone'], 'knower': ['knower', 'reknow', 'wroken'], 'knub': ['bunk', 'knub'], 'knurly': ['knurly', 'runkly'], 'knut': ['knut', 'tunk'], 'knute': ['knute', 'unket'], 'ko': ['ko', 'ok'], 'koa': ['ako', 'koa', 'oak', 'oka'], 'koali': ['koali', 'koila'], 'kobu': ['bouk', 'kobu'], 'koch': ['hock', 'koch'], 'kochia': ['choiak', 'kochia'], 'koel': ['koel', 'loke'], 'koi': ['koi', 'oki'], 'koil': ['kilo', 'koil', 'koli'], 'koila': ['koali', 'koila'], 'koilon': ['inlook', 'koilon'], 'kokan': ['kokan', 'konak'], 'kokio': ['kioko', 'kokio'], 'kokumin': ['kikumon', 'kokumin'], 'kola': ['kalo', 'kola', 'loka'], 'koli': ['kilo', 'koil', 'koli'], 'kolo': ['kolo', 'look'], 'kome': ['kome', 'moke'], 'komi': ['komi', 'moki'], 'kona': ['kona', 'nako'], 'konak': ['kokan', 'konak'], 'kongo': ['kongo', 'ngoko'], 'kongoni': ['kongoni', 'nooking'], 'konia': ['ikona', 'konia'], 'konimeter': ['kinetomer', 'konimeter'], 'kor': ['kor', 'rok'], 'kora': ['karo', 'kora', 'okra', 'roka'], 'korait': ['korait', 'troika'], 'koran': ['koran', 'krona'], 'korana': ['anorak', 'korana'], 'kore': ['kore', 'roke'], 'korec': ['coker', 'corke', 'korec'], 'korero': ['korero', 'rooker'], 'kori': ['irok', 'kori'], 'korimako': ['korimako', 'koromika'], 'koromika': ['korimako', 'koromika'], 'korwa': ['awork', 'korwa'], 'kory': ['kory', 'roky', 'york'], 'kos': ['kos', 'sok'], 'koso': ['koso', 'skoo', 'sook'], 'kotar': ['kotar', 'tarok'], 'koto': ['koto', 'toko', 'took'], 'kra': ['ark', 'kra'], 'krait': ['kitar', 'krait', 'rakit', 'traik'], 'kraken': ['kraken', 'nekkar'], 'kral': ['karl', 'kral', 'lark'], 'krama': ['karma', 'krama', 'marka'], 'kran': ['knar', 'kran', 'nark', 'rank'], 'kras': ['askr', 'kras', 'sark'], 'krasis': ['kissar', 'krasis'], 'kraut': ['kraut', 'tukra'], 'kreis': ['kreis', 'skier'], 'kreistle': ['kreistle', 'triskele'], 'krepi': ['krepi', 'piker'], 'krina': ['inkra', 'krina', 'nakir', 'rinka'], 'kris': ['kris', 'risk'], 'krishna': ['krishna', 'rankish'], 'kristen': ['kirsten', 'kristen', 'stinker'], 'krona': ['koran', 'krona'], 'krone': ['ekron', 'krone'], 'kroo': ['kroo', 'rook'], 'krosa': ['krosa', 'oskar'], 'kua': ['aku', 'auk', 'kua'], 'kuar': ['kuar', 'raku', 'rauk'], 'kuba': ['baku', 'kuba'], 'kubera': ['kaberu', 'kubera'], 'kuki': ['kiku', 'kuki'], 'kulah': ['khula', 'kulah'], 'kulimit': ['kulimit', 'tilikum'], 'kulm': ['kulm', 'mulk'], 'kuman': ['kuman', 'naumk'], 'kumhar': ['kumhar', 'kumrah'], 'kumrah': ['kumhar', 'kumrah'], 'kunai': ['kunai', 'nikau'], 'kuneste': ['kuneste', 'netsuke'], 'kung': ['gunk', 'kung'], 'kurmi': ['kurmi', 'mukri'], 'kurt': ['kurt', 'turk'], 'kurus': ['kurus', 'ursuk'], 'kusa': ['kusa', 'skua'], 'kusam': ['kusam', 'sumak'], 'kusan': ['ankus', 'kusan'], 'kusha': ['kusha', 'shaku', 'ushak'], 'kutchin': ['kutchin', 'unthick'], 'kutenai': ['kutenai', 'unakite'], 'kyar': ['kyar', 'yark'], 'kyat': ['katy', 'kyat', 'taky'], 'kyle': ['kyle', 'yelk'], 'kylo': ['kylo', 'yolk'], 'kyte': ['kyte', 'tyke'], 'la': ['al', 'la'], 'laager': ['aglare', 'alegar', 'galera', 'laager'], 'laang': ['laang', 'lagan', 'lagna'], 'lab': ['alb', 'bal', 'lab'], 'laban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'labber': ['barbel', 'labber', 'rabble'], 'labefact': ['factable', 'labefact'], 'label': ['bella', 'label'], 'labeler': ['labeler', 'relabel'], 'labia': ['balai', 'labia'], 'labial': ['abilla', 'labial'], 'labially': ['alliably', 'labially'], 'labiate': ['baalite', 'bialate', 'labiate'], 'labiella': ['alliable', 'labiella'], 'labile': ['alible', 'belial', 'labile', 'liable'], 'labiocervical': ['cervicolabial', 'labiocervical'], 'labiodental': ['dentolabial', 'labiodental'], 'labioglossal': ['glossolabial', 'labioglossal'], 'labioglossolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'labioglossopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'labiomental': ['labiomental', 'mentolabial'], 'labionasal': ['labionasal', 'nasolabial'], 'labiovelar': ['bialveolar', 'labiovelar'], 'labis': ['basil', 'labis'], 'labor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'laborant': ['balatron', 'laborant'], 'laborism': ['laborism', 'mislabor'], 'laborist': ['laborist', 'strobila'], 'laborite': ['betailor', 'laborite', 'orbitale'], 'labrador': ['labrador', 'larboard'], 'labret': ['albert', 'balter', 'labret', 'tabler'], 'labridae': ['labridae', 'radiable'], 'labrose': ['borlase', 'labrose', 'rosabel'], 'labrum': ['brumal', 'labrum', 'lumbar', 'umbral'], 'labrus': ['bursal', 'labrus'], 'laburnum': ['alburnum', 'laburnum'], 'lac': ['cal', 'lac'], 'lace': ['acle', 'alec', 'lace'], 'laced': ['clead', 'decal', 'laced'], 'laceman': ['laceman', 'manacle'], 'lacepod': ['lacepod', 'pedocal', 'placode'], 'lacer': ['ceral', 'clare', 'clear', 'lacer'], 'lacerable': ['clearable', 'lacerable'], 'lacerate': ['lacerate', 'lacertae'], 'laceration': ['creational', 'crotalinae', 'laceration', 'reactional'], 'lacerative': ['calaverite', 'lacerative'], 'lacertae': ['lacerate', 'lacertae'], 'lacertian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'lacertid': ['articled', 'lacertid'], 'lacertidae': ['dilacerate', 'lacertidae'], 'lacertiloid': ['illoricated', 'lacertiloid'], 'lacertine': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'lacertoid': ['dialector', 'lacertoid'], 'lacery': ['clayer', 'lacery'], 'lacet': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'lache': ['chela', 'lache', 'leach'], 'laches': ['cashel', 'laches', 'sealch'], 'lachrymonasal': ['lachrymonasal', 'nasolachrymal'], 'lachsa': ['calash', 'lachsa'], 'laciness': ['laciness', 'sensical'], 'lacing': ['anglic', 'lacing'], 'lacinia': ['lacinia', 'licania'], 'laciniated': ['acetanilid', 'laciniated', 'teniacidal'], 'lacis': ['lacis', 'salic'], 'lack': ['calk', 'lack'], 'lacker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'lacmoid': ['domical', 'lacmoid'], 'laconic': ['conical', 'laconic'], 'laconica': ['canicola', 'laconica'], 'laconizer': ['laconizer', 'locarnize'], 'lacquer': ['claquer', 'lacquer'], 'lacquerer': ['lacquerer', 'relacquer'], 'lactarene': ['lactarene', 'nectareal'], 'lactarious': ['alacritous', 'lactarious', 'lactosuria'], 'lactarium': ['lactarium', 'matricula'], 'lactarius': ['australic', 'lactarius'], 'lacteal': ['catella', 'lacteal'], 'lacteous': ['lacteous', 'osculate'], 'lactide': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'lactinate': ['cantalite', 'lactinate', 'tetanical'], 'lacto': ['lacto', 'tlaco'], 'lactoid': ['cotidal', 'lactoid', 'talcoid'], 'lactoprotein': ['lactoprotein', 'protectional'], 'lactose': ['alecost', 'lactose', 'scotale', 'talcose'], 'lactoside': ['dislocate', 'lactoside'], 'lactosuria': ['alacritous', 'lactarious', 'lactosuria'], 'lacunal': ['calluna', 'lacunal'], 'lacune': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'lacustral': ['claustral', 'lacustral'], 'lacwork': ['lacwork', 'warlock'], 'lacy': ['acyl', 'clay', 'lacy'], 'lad': ['dal', 'lad'], 'ladakin': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'ladanum': ['ladanum', 'udalman'], 'ladder': ['ladder', 'raddle'], 'laddery': ['dreadly', 'laddery'], 'laddie': ['daidle', 'laddie'], 'lade': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lademan': ['daleman', 'lademan', 'leadman'], 'laden': ['eland', 'laden', 'lenad'], 'lader': ['alder', 'daler', 'lader'], 'ladies': ['aisled', 'deasil', 'ladies', 'sailed'], 'ladin': ['danli', 'ladin', 'linda', 'nidal'], 'lading': ['angild', 'lading'], 'ladino': ['dolina', 'ladino'], 'ladle': ['dalle', 'della', 'ladle'], 'ladrone': ['endoral', 'ladrone', 'leonard'], 'ladyfy': ['dayfly', 'ladyfy'], 'ladyish': ['ladyish', 'shadily'], 'ladyling': ['dallying', 'ladyling'], 'laet': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'laeti': ['alite', 'laeti'], 'laetic': ['calite', 'laetic', 'tecali'], 'lafite': ['fetial', 'filate', 'lafite', 'leafit'], 'lag': ['gal', 'lag'], 'lagan': ['laang', 'lagan', 'lagna'], 'lagen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'lagena': ['alnage', 'angela', 'galena', 'lagena'], 'lagend': ['angled', 'dangle', 'englad', 'lagend'], 'lager': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'lagetto': ['lagetto', 'tagetol'], 'lagged': ['daggle', 'lagged'], 'laggen': ['laggen', 'naggle'], 'lagger': ['gargle', 'gregal', 'lagger', 'raggle'], 'lagna': ['laang', 'lagan', 'lagna'], 'lagniappe': ['appealing', 'lagniappe', 'panplegia'], 'lagonite': ['gelation', 'lagonite', 'legation'], 'lagunero': ['lagunero', 'organule', 'uroglena'], 'lagurus': ['argulus', 'lagurus'], 'lai': ['ail', 'ila', 'lai'], 'laicism': ['islamic', 'laicism', 'silicam'], 'laid': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lain': ['alin', 'anil', 'lain', 'lina', 'nail'], 'laine': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'laiose': ['aeolis', 'laiose'], 'lair': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lairage': ['lairage', 'railage', 'regalia'], 'laird': ['drail', 'laird', 'larid', 'liard'], 'lairless': ['lairless', 'railless'], 'lairman': ['lairman', 'laminar', 'malarin', 'railman'], 'lairstone': ['lairstone', 'orleanist', 'serotinal'], 'lairy': ['lairy', 'riyal'], 'laitance': ['analcite', 'anticlea', 'laitance'], 'laity': ['laity', 'taily'], 'lak': ['alk', 'lak'], 'lake': ['kale', 'lake', 'leak'], 'lakeless': ['lakeless', 'leakless'], 'laker': ['karel', 'laker'], 'lakie': ['alike', 'lakie'], 'laking': ['kangli', 'laking'], 'lakish': ['lakish', 'shakil'], 'lakota': ['atokal', 'lakota'], 'laky': ['alky', 'laky'], 'lalo': ['lalo', 'lola', 'olla'], 'lalopathy': ['allopathy', 'lalopathy'], 'lam': ['lam', 'mal'], 'lama': ['alma', 'amla', 'lama', 'mala'], 'lamaic': ['amical', 'camail', 'lamaic'], 'lamaism': ['lamaism', 'miasmal'], 'lamaist': ['lamaist', 'lamista'], 'lamaistic': ['ismatical', 'lamaistic'], 'lamanite': ['lamanite', 'laminate'], 'lamany': ['amylan', 'lamany', 'layman'], 'lamb': ['balm', 'lamb'], 'lambaste': ['blastema', 'lambaste'], 'lambent': ['beltman', 'lambent'], 'lamber': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'lambie': ['bemail', 'lambie'], 'lambiness': ['balminess', 'lambiness'], 'lamblike': ['balmlike', 'lamblike'], 'lamby': ['balmy', 'lamby'], 'lame': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'lamella': ['lamella', 'malella', 'malleal'], 'lamellose': ['lamellose', 'semolella'], 'lamely': ['lamely', 'mellay'], 'lameness': ['lameness', 'maleness', 'maneless', 'nameless'], 'lament': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'lamenter': ['lamenter', 'relament', 'remantle'], 'lamenting': ['alignment', 'lamenting'], 'lameter': ['lameter', 'metaler', 'remetal'], 'lamia': ['alima', 'lamia'], 'lamiger': ['gremial', 'lamiger'], 'lamiides': ['idealism', 'lamiides'], 'lamin': ['lamin', 'liman', 'milan'], 'lamina': ['almain', 'animal', 'lamina', 'manila'], 'laminae': ['laminae', 'melania'], 'laminar': ['lairman', 'laminar', 'malarin', 'railman'], 'laminarin': ['laminarin', 'linamarin'], 'laminarite': ['laminarite', 'terminalia'], 'laminate': ['lamanite', 'laminate'], 'laminated': ['almandite', 'laminated'], 'lamination': ['antimonial', 'lamination'], 'laminboard': ['laminboard', 'lombardian'], 'laminectomy': ['laminectomy', 'metonymical'], 'laminose': ['laminose', 'lemonias', 'semolina'], 'lamish': ['lamish', 'shimal'], 'lamista': ['lamaist', 'lamista'], 'lamiter': ['lamiter', 'marlite'], 'lammer': ['lammer', 'rammel'], 'lammy': ['lammy', 'malmy'], 'lamna': ['alman', 'lamna', 'manal'], 'lamnid': ['lamnid', 'mandil'], 'lamnidae': ['aldamine', 'lamnidae'], 'lamp': ['lamp', 'palm'], 'lampad': ['lampad', 'palmad'], 'lampas': ['lampas', 'plasma'], 'lamper': ['lamper', 'palmer', 'relamp'], 'lampers': ['lampers', 'sampler'], 'lampful': ['lampful', 'palmful'], 'lampist': ['lampist', 'palmist'], 'lampistry': ['lampistry', 'palmistry'], 'lampoon': ['lampoon', 'pomonal'], 'lamprey': ['lamprey', 'palmery'], 'lampyridae': ['lampyridae', 'pyramidale'], 'lamus': ['lamus', 'malus', 'musal', 'slaum'], 'lamut': ['lamut', 'tamul'], 'lan': ['aln', 'lan'], 'lana': ['alan', 'anal', 'lana'], 'lanas': ['alans', 'lanas', 'nasal'], 'lanate': ['anteal', 'lanate', 'teanal'], 'lancaster': ['ancestral', 'lancaster'], 'lancasterian': ['alcantarines', 'lancasterian'], 'lance': ['canel', 'clean', 'lance', 'lenca'], 'lanced': ['calden', 'candle', 'lanced'], 'lancely': ['cleanly', 'lancely'], 'lanceolar': ['lanceolar', 'olecranal'], 'lancer': ['lancer', 'rancel'], 'lances': ['lances', 'senlac'], 'lancet': ['cantle', 'cental', 'lancet', 'tancel'], 'lanceteer': ['crenelate', 'lanceteer'], 'lancinate': ['cantilena', 'lancinate'], 'landbook': ['bookland', 'landbook'], 'landed': ['dandle', 'landed'], 'lander': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'landfast': ['fastland', 'landfast'], 'landgrave': ['grandeval', 'landgrave'], 'landimere': ['landimere', 'madrilene'], 'landing': ['danglin', 'landing'], 'landlubber': ['landlubber', 'lubberland'], 'landreeve': ['landreeve', 'reeveland'], 'landstorm': ['landstorm', 'transmold'], 'landwash': ['landwash', 'washland'], 'lane': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lanete': ['elanet', 'lanete', 'lateen'], 'laney': ['laney', 'layne'], 'langhian': ['hangnail', 'langhian'], 'langi': ['algin', 'align', 'langi', 'liang', 'linga'], 'langite': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'lango': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'langobard': ['bandarlog', 'langobard'], 'language': ['ganguela', 'language'], 'laniate': ['laniate', 'natalie', 'taenial'], 'lanific': ['finical', 'lanific'], 'laniform': ['formalin', 'informal', 'laniform'], 'laniidae': ['aedilian', 'laniidae'], 'lanista': ['lanista', 'santali'], 'lanius': ['insula', 'lanius', 'lusian'], 'lank': ['klan', 'lank'], 'lanket': ['anklet', 'lanket', 'tankle'], 'lanner': ['lanner', 'rannel'], 'lansat': ['aslant', 'lansat', 'natals', 'santal'], 'lanseh': ['halsen', 'hansel', 'lanseh'], 'lantaca': ['cantala', 'catalan', 'lantaca'], 'lanum': ['lanum', 'manul'], 'lao': ['alo', 'lao', 'loa'], 'laodicean': ['caledonia', 'laodicean'], 'laotian': ['ailanto', 'alation', 'laotian', 'notalia'], 'lap': ['alp', 'lap', 'pal'], 'laparohysterotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'laparosplenotomy': ['laparosplenotomy', 'splenolaparotomy'], 'lapidarist': ['lapidarist', 'triapsidal'], 'lapidate': ['lapidate', 'talpidae'], 'lapideon': ['lapideon', 'palinode', 'pedalion'], 'lapidose': ['episodal', 'lapidose', 'sepaloid'], 'lapith': ['lapith', 'tilpah'], 'lapon': ['lapon', 'nopal'], 'lapp': ['lapp', 'palp', 'plap'], 'lappa': ['lappa', 'papal'], 'lapped': ['dapple', 'lapped', 'palped'], 'lapper': ['lapper', 'rappel'], 'lappish': ['lappish', 'shiplap'], 'lapsation': ['apolistan', 'lapsation'], 'lapse': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lapsi': ['alisp', 'lapsi'], 'lapsing': ['lapsing', 'sapling'], 'lapstone': ['lapstone', 'pleonast'], 'larboard': ['labrador', 'larboard'], 'larcenic': ['calciner', 'larcenic'], 'larcenist': ['cisternal', 'larcenist'], 'larcenous': ['larcenous', 'senocular'], 'larchen': ['charnel', 'larchen'], 'lardacein': ['ecardinal', 'lardacein'], 'lardite': ['dilater', 'lardite', 'redtail'], 'lardon': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'lardy': ['daryl', 'lardy', 'lyard'], 'large': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'largely': ['allergy', 'gallery', 'largely', 'regally'], 'largen': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'largeness': ['largeness', 'rangeless', 'regalness'], 'largess': ['glasser', 'largess'], 'largition': ['gratiolin', 'largition', 'tailoring'], 'largo': ['algor', 'argol', 'goral', 'largo'], 'lari': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lariat': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'larid': ['drail', 'laird', 'larid', 'liard'], 'laridae': ['ardelia', 'laridae', 'radiale'], 'larigo': ['gloria', 'larigo', 'logria'], 'larigot': ['goitral', 'larigot', 'ligator'], 'lariid': ['iridal', 'lariid'], 'larine': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'lark': ['karl', 'kral', 'lark'], 'larking': ['karling', 'larking'], 'larsenite': ['intersale', 'larsenite'], 'larus': ['larus', 'sural', 'ursal'], 'larva': ['alvar', 'arval', 'larva'], 'larval': ['larval', 'vallar'], 'larvate': ['larvate', 'lavaret', 'travale'], 'larve': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'larvicide': ['larvicide', 'veridical'], 'laryngopharyngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'laryngopharyngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'laryngotome': ['laryngotome', 'maternology'], 'laryngotracheotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'las': ['las', 'sal', 'sla'], 'lasa': ['alas', 'lasa'], 'lascar': ['lascar', 'rascal', 'sacral', 'scalar'], 'laser': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'lash': ['hals', 'lash'], 'lasi': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lasius': ['asilus', 'lasius'], 'lask': ['lask', 'skal'], 'lasket': ['lasket', 'sklate'], 'laspring': ['laspring', 'sparling', 'springal'], 'lasque': ['lasque', 'squeal'], 'lasset': ['lasset', 'tassel'], 'lassie': ['elissa', 'lassie'], 'lasso': ['lasso', 'ossal'], 'lassoer': ['lassoer', 'oarless', 'rosales'], 'last': ['last', 'salt', 'slat'], 'laster': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'lastly': ['lastly', 'saltly'], 'lastness': ['lastness', 'saltness'], 'lastre': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasty': ['lasty', 'salty', 'slaty'], 'lat': ['alt', 'lat', 'tal'], 'lata': ['lata', 'taal', 'tala'], 'latania': ['altaian', 'latania', 'natalia'], 'latcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'latchet': ['chattel', 'latchet'], 'late': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'latebra': ['alberta', 'latebra', 'ratable'], 'lated': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'lateen': ['elanet', 'lanete', 'lateen'], 'lately': ['lately', 'lealty'], 'laten': ['ental', 'laten', 'leant'], 'latent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latentness': ['latentness', 'tenantless'], 'later': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'latera': ['latera', 'relata'], 'laterad': ['altared', 'laterad'], 'lateralis': ['lateralis', 'stellaria'], 'lateran': ['alatern', 'lateran'], 'laterite': ['laterite', 'literate', 'teretial'], 'laterocaudal': ['caudolateral', 'laterocaudal'], 'laterodorsal': ['dorsolateral', 'laterodorsal'], 'lateroventral': ['lateroventral', 'ventrolateral'], 'latest': ['latest', 'sattle', 'taslet'], 'latex': ['exalt', 'latex'], 'lath': ['halt', 'lath'], 'lathe': ['ethal', 'lathe', 'leath'], 'latheman': ['latheman', 'methanal'], 'lathen': ['ethnal', 'hantle', 'lathen', 'thenal'], 'lather': ['arthel', 'halter', 'lather', 'thaler'], 'lathery': ['earthly', 'heartly', 'lathery', 'rathely'], 'lathing': ['halting', 'lathing', 'thingal'], 'latian': ['antlia', 'latian', 'nalita'], 'latibulize': ['latibulize', 'utilizable'], 'latices': ['astelic', 'elastic', 'latices'], 'laticlave': ['laticlave', 'vacillate'], 'latigo': ['galiot', 'latigo'], 'latimeria': ['latimeria', 'marialite'], 'latin': ['altin', 'latin'], 'latinate': ['antliate', 'latinate'], 'latiner': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latinesque': ['latinesque', 'sequential'], 'latinian': ['antinial', 'latinian'], 'latinizer': ['latinizer', 'trinalize'], 'latinus': ['latinus', 'tulisan', 'unalist'], 'lation': ['italon', 'lation', 'talion'], 'latirostres': ['latirostres', 'setirostral'], 'latirus': ['latirus', 'trisula'], 'latish': ['latish', 'tahsil'], 'latite': ['latite', 'tailet', 'tailte', 'talite'], 'latitude': ['altitude', 'latitude'], 'latitudinal': ['altitudinal', 'latitudinal'], 'latitudinarian': ['altitudinarian', 'latitudinarian'], 'latomy': ['latomy', 'tyloma'], 'latona': ['atonal', 'latona'], 'latonian': ['latonian', 'nataloin', 'national'], 'latria': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'latrine': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latris': ['latris', 'strial'], 'latro': ['latro', 'rotal', 'toral'], 'latrobe': ['alberto', 'bloater', 'latrobe'], 'latrobite': ['latrobite', 'trilobate'], 'latrocinium': ['latrocinium', 'tourmalinic'], 'latron': ['latron', 'lontar', 'tornal'], 'latten': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latter': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'latterkin': ['intertalk', 'latterkin'], 'lattice': ['lattice', 'tactile'], 'latticinio': ['latticinio', 'licitation'], 'latuka': ['latuka', 'taluka'], 'latus': ['latus', 'sault', 'talus'], 'latvian': ['latvian', 'valiant'], 'laubanite': ['laubanite', 'unlabiate'], 'laud': ['auld', 'dual', 'laud', 'udal'], 'laudation': ['adulation', 'laudation'], 'laudator': ['adulator', 'laudator'], 'laudatorily': ['illaudatory', 'laudatorily'], 'laudatory': ['adulatory', 'laudatory'], 'lauder': ['lauder', 'udaler'], 'laudism': ['dualism', 'laudism'], 'laudist': ['dualist', 'laudist'], 'laumonite': ['emulation', 'laumonite'], 'laun': ['laun', 'luna', 'ulna', 'unal'], 'launce': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'launch': ['chulan', 'launch', 'nuchal'], 'launcher': ['launcher', 'relaunch'], 'laund': ['dunal', 'laund', 'lunda', 'ulnad'], 'launder': ['launder', 'rundale'], 'laur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'laura': ['aural', 'laura'], 'laurel': ['allure', 'laurel'], 'laureled': ['laureled', 'reallude'], 'laurence': ['cerulean', 'laurence'], 'laurent': ['laurent', 'neutral', 'unalert'], 'laurentide': ['adulterine', 'laurentide'], 'lauric': ['curial', 'lauric', 'uracil', 'uralic'], 'laurin': ['laurin', 'urinal'], 'laurite': ['laurite', 'uralite'], 'laurus': ['laurus', 'ursula'], 'lava': ['aval', 'lava'], 'lavacre': ['caravel', 'lavacre'], 'lavaret': ['larvate', 'lavaret', 'travale'], 'lave': ['lave', 'vale', 'veal', 'vela'], 'laveer': ['laveer', 'leaver', 'reveal', 'vealer'], 'lavehr': ['halver', 'lavehr'], 'lavenite': ['elvanite', 'lavenite'], 'laver': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'laverania': ['laverania', 'valeriana'], 'lavic': ['cavil', 'lavic'], 'lavinia': ['lavinia', 'vinalia'], 'lavish': ['lavish', 'vishal'], 'lavisher': ['lavisher', 'shrieval'], 'lavolta': ['lavolta', 'vallota'], 'law': ['awl', 'law'], 'lawing': ['lawing', 'waling'], 'lawk': ['lawk', 'walk'], 'lawmonger': ['angleworm', 'lawmonger'], 'lawned': ['delawn', 'lawned', 'wandle'], 'lawner': ['lawner', 'warnel'], 'lawny': ['lawny', 'wanly'], 'lawrie': ['lawrie', 'wailer'], 'lawter': ['lawter', 'walter'], 'lawyer': ['lawyer', 'yawler'], 'laxism': ['laxism', 'smilax'], 'lay': ['aly', 'lay'], 'layer': ['early', 'layer', 'relay'], 'layered': ['delayer', 'layered', 'redelay'], 'layery': ['layery', 'yearly'], 'laying': ['gainly', 'laying'], 'layman': ['amylan', 'lamany', 'layman'], 'layne': ['laney', 'layne'], 'layout': ['layout', 'lutayo', 'outlay'], 'layover': ['layover', 'overlay'], 'layship': ['apishly', 'layship'], 'lazarlike': ['alkalizer', 'lazarlike'], 'laze': ['laze', 'zeal'], 'lea': ['ale', 'lea'], 'leach': ['chela', 'lache', 'leach'], 'leachman': ['leachman', 'mechanal'], 'lead': ['dale', 'deal', 'lade', 'lead', 'leda'], 'leadable': ['dealable', 'leadable'], 'leaded': ['delead', 'leaded'], 'leader': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'leadership': ['dealership', 'leadership'], 'leadin': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'leadiness': ['idealness', 'leadiness'], 'leading': ['adeling', 'dealing', 'leading'], 'leadman': ['daleman', 'lademan', 'leadman'], 'leads': ['leads', 'slade'], 'leadsman': ['dalesman', 'leadsman'], 'leadstone': ['endosteal', 'leadstone'], 'leady': ['delay', 'leady'], 'leaf': ['alef', 'feal', 'flea', 'leaf'], 'leafen': ['enleaf', 'leafen'], 'leafit': ['fetial', 'filate', 'lafite', 'leafit'], 'leafy': ['fleay', 'leafy'], 'leah': ['hale', 'heal', 'leah'], 'leak': ['kale', 'lake', 'leak'], 'leakiness': ['alikeness', 'leakiness'], 'leakless': ['lakeless', 'leakless'], 'leal': ['alle', 'ella', 'leal'], 'lealty': ['lately', 'lealty'], 'leam': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'leamer': ['leamer', 'mealer'], 'lean': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'leander': ['leander', 'learned', 'reladen'], 'leaner': ['arlene', 'leaner'], 'leaning': ['angelin', 'leaning'], 'leant': ['ental', 'laten', 'leant'], 'leap': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'leaper': ['leaper', 'releap', 'repale', 'repeal'], 'leaping': ['apeling', 'leaping'], 'leapt': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'lear': ['earl', 'eral', 'lear', 'real'], 'learn': ['learn', 'renal'], 'learned': ['leander', 'learned', 'reladen'], 'learnedly': ['ellenyard', 'learnedly'], 'learner': ['learner', 'relearn'], 'learnt': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'leasable': ['leasable', 'sealable'], 'lease': ['easel', 'lease'], 'leaser': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'leash': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'leasing': ['leasing', 'sealing'], 'least': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'leat': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'leath': ['ethal', 'lathe', 'leath'], 'leather': ['leather', 'tarheel'], 'leatherbark': ['halterbreak', 'leatherbark'], 'leatherer': ['leatherer', 'releather', 'tarheeler'], 'leatman': ['amental', 'leatman'], 'leaver': ['laveer', 'leaver', 'reveal', 'vealer'], 'leaves': ['leaves', 'sleave'], 'leaving': ['leaving', 'vangeli'], 'leavy': ['leavy', 'vealy'], 'leban': ['leban', 'nable'], 'lebanese': ['ebenales', 'lebanese'], 'lebensraum': ['lebensraum', 'mensurable'], 'lecaniid': ['alcidine', 'danielic', 'lecaniid'], 'lecanora': ['carolean', 'lecanora'], 'lecanoroid': ['lecanoroid', 'olecranoid'], 'lechery': ['cheerly', 'lechery'], 'lechriodont': ['holocentrid', 'lechriodont'], 'lecithal': ['hellicat', 'lecithal'], 'lecontite': ['lecontite', 'nicolette'], 'lector': ['colter', 'lector', 'torcel'], 'lectorial': ['corallite', 'lectorial'], 'lectorship': ['lectorship', 'leptorchis'], 'lectrice': ['electric', 'lectrice'], 'lecturess': ['cutleress', 'lecturess', 'truceless'], 'lecyth': ['lecyth', 'letchy'], 'lecythis': ['chestily', 'lecythis'], 'led': ['del', 'eld', 'led'], 'leda': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lede': ['dele', 'lede', 'leed'], 'leden': ['leden', 'neeld'], 'ledge': ['glede', 'gleed', 'ledge'], 'ledger': ['gelder', 'ledger', 'redleg'], 'ledging': ['gelding', 'ledging'], 'ledgy': ['gledy', 'ledgy'], 'lee': ['eel', 'lee'], 'leed': ['dele', 'lede', 'leed'], 'leek': ['keel', 'kele', 'leek'], 'leep': ['leep', 'peel', 'pele'], 'leepit': ['leepit', 'pelite', 'pielet'], 'leer': ['leer', 'reel'], 'leeringly': ['leeringly', 'reelingly'], 'leerness': ['leerness', 'lessener'], 'lees': ['else', 'lees', 'seel', 'sele', 'slee'], 'leet': ['leet', 'lete', 'teel', 'tele'], 'leetman': ['entelam', 'leetman'], 'leewan': ['leewan', 'weanel'], 'left': ['felt', 'flet', 'left'], 'leftish': ['fishlet', 'leftish'], 'leftness': ['feltness', 'leftness'], 'leg': ['gel', 'leg'], 'legalist': ['legalist', 'stillage'], 'legantine': ['eglantine', 'inelegant', 'legantine'], 'legate': ['eaglet', 'legate', 'teagle', 'telega'], 'legatine': ['galenite', 'legatine'], 'legation': ['gelation', 'lagonite', 'legation'], 'legative': ['legative', 'levigate'], 'legator': ['argolet', 'gloater', 'legator'], 'legendary': ['enragedly', 'legendary'], 'leger': ['leger', 'regle'], 'legger': ['eggler', 'legger'], 'legion': ['eloign', 'gileno', 'legion'], 'legioner': ['eloigner', 'legioner'], 'legionry': ['legionry', 'yeorling'], 'legislator': ['allegorist', 'legislator'], 'legman': ['legman', 'mangel', 'mangle'], 'legoa': ['gloea', 'legoa'], 'legua': ['gulae', 'legua'], 'leguan': ['genual', 'leguan'], 'lehr': ['herl', 'hler', 'lehr'], 'lei': ['eli', 'lei', 'lie'], 'leif': ['feil', 'file', 'leif', 'lief', 'life'], 'leila': ['allie', 'leila', 'lelia'], 'leipoa': ['apiole', 'leipoa'], 'leisten': ['leisten', 'setline', 'tensile'], 'leister': ['leister', 'sterile'], 'leith': ['leith', 'lithe'], 'leitneria': ['leitneria', 'lienteria'], 'lek': ['elk', 'lek'], 'lekach': ['hackle', 'lekach'], 'lekane': ['alkene', 'lekane'], 'lelia': ['allie', 'leila', 'lelia'], 'leman': ['leman', 'lemna'], 'lemma': ['lemma', 'melam'], 'lemna': ['leman', 'lemna'], 'lemnad': ['lemnad', 'menald'], 'lemnian': ['lemnian', 'lineman', 'melanin'], 'lemniscate': ['centesimal', 'lemniscate'], 'lemon': ['lemon', 'melon', 'monel'], 'lemonias': ['laminose', 'lemonias', 'semolina'], 'lemonlike': ['lemonlike', 'melonlike'], 'lemony': ['lemony', 'myelon'], 'lemosi': ['lemosi', 'limose', 'moiles'], 'lempira': ['impaler', 'impearl', 'lempira', 'premial'], 'lemuria': ['lemuria', 'miauler'], 'lemurian': ['lemurian', 'malurine', 'rumelian'], 'lemurinae': ['lemurinae', 'neurilema'], 'lemurine': ['lemurine', 'meruline', 'relumine'], 'lena': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lenad': ['eland', 'laden', 'lenad'], 'lenape': ['alpeen', 'lenape', 'pelean'], 'lenard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'lenca': ['canel', 'clean', 'lance', 'lenca'], 'lencan': ['cannel', 'lencan'], 'lendee': ['lendee', 'needle'], 'lender': ['lender', 'relend'], 'lendu': ['lendu', 'unled'], 'lengthy': ['lengthy', 'thegnly'], 'lenient': ['lenient', 'tenline'], 'lenify': ['finely', 'lenify'], 'lenis': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'lenity': ['lenity', 'yetlin'], 'lenny': ['lenny', 'lynne'], 'leno': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'lenora': ['lenora', 'loaner', 'orlean', 'reloan'], 'lenticel': ['lenticel', 'lenticle'], 'lenticle': ['lenticel', 'lenticle'], 'lentil': ['lentil', 'lintel'], 'lentisc': ['lentisc', 'scintle', 'stencil'], 'lentisco': ['lentisco', 'telsonic'], 'lentiscus': ['lentiscus', 'tunicless'], 'lento': ['lento', 'olent'], 'lentous': ['lentous', 'sultone'], 'lenvoy': ['lenvoy', 'ovenly'], 'leo': ['leo', 'ole'], 'leon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'leonard': ['endoral', 'ladrone', 'leonard'], 'leonhardite': ['leonhardite', 'lionhearted'], 'leonid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'leonines': ['leonines', 'selenion'], 'leonis': ['insole', 'leonis', 'lesion', 'selion'], 'leonist': ['leonist', 'onliest'], 'leonite': ['elonite', 'leonite'], 'leonotis': ['leonotis', 'oilstone'], 'leoparde': ['leoparde', 'reapdole'], 'leopardite': ['leopardite', 'protelidae'], 'leotard': ['delator', 'leotard'], 'lepa': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'lepanto': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'lepas': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lepcha': ['chapel', 'lepcha', 'pleach'], 'leper': ['leper', 'perle', 'repel'], 'leperdom': ['leperdom', 'premodel'], 'lepidopter': ['dopplerite', 'lepidopter'], 'lepidosauria': ['lepidosauria', 'pliosauridae'], 'lepidote': ['lepidote', 'petioled'], 'lepidotic': ['diploetic', 'lepidotic'], 'lepisma': ['ampelis', 'lepisma'], 'leporid': ['leporid', 'leproid'], 'leporis': ['leporis', 'spoiler'], 'lepra': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'leproid': ['leporid', 'leproid'], 'leproma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'leprosied': ['despoiler', 'leprosied'], 'leprosis': ['leprosis', 'plerosis'], 'leprous': ['leprous', 'pelorus', 'sporule'], 'leptandra': ['leptandra', 'peltandra'], 'leptidae': ['depilate', 'leptidae', 'pileated'], 'leptiform': ['leptiform', 'peltiform'], 'leptodora': ['doorplate', 'leptodora'], 'leptome': ['leptome', 'poemlet'], 'lepton': ['lepton', 'pentol'], 'leptonema': ['leptonema', 'ptolemean'], 'leptorchis': ['lectorship', 'leptorchis'], 'lepus': ['lepus', 'pulse'], 'ler': ['ler', 'rel'], 'lernaean': ['annealer', 'lernaean', 'reanneal'], 'lerot': ['lerot', 'orlet', 'relot'], 'lerwa': ['lerwa', 'waler'], 'les': ['els', 'les'], 'lesath': ['haslet', 'lesath', 'shelta'], 'lesbia': ['isabel', 'lesbia'], 'lesche': ['lesche', 'sleech'], 'lesion': ['insole', 'leonis', 'lesion', 'selion'], 'lesional': ['lesional', 'solenial'], 'leslie': ['leslie', 'sellie'], 'lessener': ['leerness', 'lessener'], 'lest': ['lest', 'selt'], 'lester': ['lester', 'selter', 'streel'], 'let': ['elt', 'let'], 'letchy': ['lecyth', 'letchy'], 'lete': ['leet', 'lete', 'teel', 'tele'], 'lethargus': ['lethargus', 'slaughter'], 'lethe': ['ethel', 'lethe'], 'lethean': ['entheal', 'lethean'], 'lethologica': ['ethological', 'lethologica', 'theological'], 'letitia': ['italite', 'letitia', 'tilaite'], 'leto': ['leto', 'lote', 'tole'], 'letoff': ['letoff', 'offlet'], 'lett': ['lett', 'telt'], 'letten': ['letten', 'nettle'], 'letterer': ['letterer', 'reletter'], 'lettish': ['lettish', 'thistle'], 'lettrin': ['lettrin', 'trintle'], 'leu': ['leu', 'lue', 'ule'], 'leucadian': ['leucadian', 'lucanidae'], 'leucocism': ['leucocism', 'muscicole'], 'leucoma': ['caulome', 'leucoma'], 'leucosis': ['coulisse', 'leucosis', 'ossicule'], 'leud': ['deul', 'duel', 'leud'], 'leuk': ['leuk', 'luke'], 'leuma': ['amelu', 'leuma', 'ulema'], 'leung': ['leung', 'lunge'], 'levance': ['enclave', 'levance', 'valence'], 'levant': ['levant', 'valent'], 'levanter': ['levanter', 'relevant', 'revelant'], 'levantine': ['levantine', 'valentine'], 'leveler': ['leveler', 'relevel'], 'lever': ['elver', 'lever', 'revel'], 'leverer': ['leverer', 'reveler'], 'levi': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'levier': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'levigate': ['legative', 'levigate'], 'levin': ['levin', 'liven'], 'levining': ['levining', 'nievling'], 'levir': ['levir', 'liver', 'livre', 'rivel'], 'levirate': ['levirate', 'relative'], 'levis': ['elvis', 'levis', 'slive'], 'levitation': ['levitation', 'tonalitive', 'velitation'], 'levo': ['levo', 'love', 'velo', 'vole'], 'levyist': ['levyist', 'sylvite'], 'lewd': ['lewd', 'weld'], 'lewis': ['lewis', 'swile'], 'lexia': ['axile', 'lexia'], 'ley': ['ley', 'lye'], 'lhota': ['altho', 'lhota', 'loath'], 'liability': ['alibility', 'liability'], 'liable': ['alible', 'belial', 'labile', 'liable'], 'liana': ['alain', 'alani', 'liana'], 'liang': ['algin', 'align', 'langi', 'liang', 'linga'], 'liar': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'liard': ['drail', 'laird', 'larid', 'liard'], 'lias': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'liatris': ['liatris', 'trilisa'], 'libament': ['bailment', 'libament'], 'libate': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'libationer': ['libationer', 'liberation'], 'libber': ['libber', 'ribble'], 'libby': ['bilby', 'libby'], 'libellary': ['libellary', 'liberally'], 'liber': ['birle', 'liber'], 'liberal': ['braille', 'liberal'], 'liberally': ['libellary', 'liberally'], 'liberate': ['iterable', 'liberate'], 'liberation': ['libationer', 'liberation'], 'liberator': ['liberator', 'orbitelar'], 'liberian': ['bilinear', 'liberian'], 'libertas': ['abristle', 'libertas'], 'libertine': ['berlinite', 'libertine'], 'libra': ['blair', 'brail', 'libra'], 'librate': ['betrail', 'librate', 'triable', 'trilabe'], 'licania': ['lacinia', 'licania'], 'license': ['license', 'selenic', 'silence'], 'licensed': ['licensed', 'silenced'], 'licenser': ['licenser', 'silencer'], 'licensor': ['cresolin', 'licensor'], 'lich': ['chil', 'lich'], 'lichanos': ['lichanos', 'nicholas'], 'lichenoid': ['cheloniid', 'lichenoid'], 'lichi': ['chili', 'lichi'], 'licitation': ['latticinio', 'licitation'], 'licker': ['licker', 'relick', 'rickle'], 'lickspit': ['lickspit', 'lipstick'], 'licorne': ['creolin', 'licorne', 'locrine'], 'lida': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lidded': ['diddle', 'lidded'], 'lidder': ['lidder', 'riddel', 'riddle'], 'lide': ['idle', 'lide', 'lied'], 'lie': ['eli', 'lei', 'lie'], 'lied': ['idle', 'lide', 'lied'], 'lief': ['feil', 'file', 'leif', 'lief', 'life'], 'lien': ['lien', 'line', 'neil', 'nile'], 'lienal': ['lienal', 'lineal'], 'lienee': ['eileen', 'lienee'], 'lienor': ['elinor', 'lienor', 'lorien', 'noiler'], 'lienteria': ['leitneria', 'lienteria'], 'lientery': ['entirely', 'lientery'], 'lier': ['lier', 'lire', 'rile'], 'lierne': ['lierne', 'reline'], 'lierre': ['lierre', 'relier'], 'liesh': ['liesh', 'shiel'], 'lievaart': ['lievaart', 'varietal'], 'life': ['feil', 'file', 'leif', 'lief', 'life'], 'lifelike': ['filelike', 'lifelike'], 'lifer': ['filer', 'flier', 'lifer', 'rifle'], 'lifeward': ['drawfile', 'lifeward'], 'lifo': ['filo', 'foil', 'lifo'], 'lift': ['flit', 'lift'], 'lifter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'lifting': ['fliting', 'lifting'], 'ligament': ['ligament', 'metaling', 'tegminal'], 'ligas': ['gisla', 'ligas', 'sigla'], 'ligate': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ligation': ['intaglio', 'ligation'], 'ligator': ['goitral', 'larigot', 'ligator'], 'ligature': ['alurgite', 'ligature'], 'lighten': ['enlight', 'lighten'], 'lightener': ['lightener', 'relighten', 'threeling'], 'lighter': ['lighter', 'relight', 'rightle'], 'lighthead': ['headlight', 'lighthead'], 'lightness': ['lightness', 'nightless', 'thingless'], 'ligne': ['ingle', 'ligne', 'linge', 'nigel'], 'lignin': ['lignin', 'lining'], 'lignitic': ['lignitic', 'tiglinic'], 'lignose': ['gelosin', 'lignose'], 'ligroine': ['ligroine', 'religion'], 'ligure': ['ligure', 'reguli'], 'lija': ['jail', 'lija'], 'like': ['kiel', 'like'], 'liken': ['inkle', 'liken'], 'likewise': ['likewise', 'wiselike'], 'lilac': ['calli', 'lilac'], 'lilacky': ['alkylic', 'lilacky'], 'lilium': ['illium', 'lilium'], 'lilt': ['lilt', 'till'], 'lily': ['illy', 'lily', 'yill'], 'lim': ['lim', 'mil'], 'lima': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'limacina': ['animalic', 'limacina'], 'limacon': ['limacon', 'malonic'], 'liman': ['lamin', 'liman', 'milan'], 'limation': ['limation', 'miltonia'], 'limbat': ['limbat', 'timbal'], 'limbate': ['limbate', 'timable', 'timbale'], 'limbed': ['dimble', 'limbed'], 'limbus': ['bluism', 'limbus'], 'limby': ['blimy', 'limby'], 'lime': ['emil', 'lime', 'mile'], 'limean': ['limean', 'maline', 'melian', 'menial'], 'limeman': ['ammelin', 'limeman'], 'limer': ['limer', 'meril', 'miler'], 'limes': ['limes', 'miles', 'slime', 'smile'], 'limestone': ['limestone', 'melonites', 'milestone'], 'limey': ['elymi', 'emily', 'limey'], 'liminess': ['liminess', 'senilism'], 'limitary': ['limitary', 'military'], 'limitate': ['limitate', 'militate'], 'limitation': ['limitation', 'militation'], 'limited': ['delimit', 'limited'], 'limiter': ['limiter', 'relimit'], 'limitless': ['limitless', 'semistill'], 'limner': ['limner', 'merlin', 'milner'], 'limnetic': ['limnetic', 'milicent'], 'limoniad': ['dominial', 'imolinda', 'limoniad'], 'limosa': ['limosa', 'somali'], 'limose': ['lemosi', 'limose', 'moiles'], 'limp': ['limp', 'pilm', 'plim'], 'limper': ['limper', 'prelim', 'rimple'], 'limping': ['impling', 'limping'], 'limpsy': ['limpsy', 'simply'], 'limpy': ['imply', 'limpy', 'pilmy'], 'limsy': ['limsy', 'slimy', 'smily'], 'lin': ['lin', 'nil'], 'lina': ['alin', 'anil', 'lain', 'lina', 'nail'], 'linaga': ['agnail', 'linaga'], 'linage': ['algine', 'genial', 'linage'], 'linamarin': ['laminarin', 'linamarin'], 'linarite': ['inertial', 'linarite'], 'linchet': ['linchet', 'tinchel'], 'linctus': ['clunist', 'linctus'], 'linda': ['danli', 'ladin', 'linda', 'nidal'], 'lindane': ['annelid', 'lindane'], 'linder': ['linder', 'rindle'], 'lindoite': ['lindoite', 'tolidine'], 'lindsay': ['islandy', 'lindsay'], 'line': ['lien', 'line', 'neil', 'nile'], 'linea': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'lineal': ['lienal', 'lineal'], 'lineament': ['lineament', 'manteline'], 'linear': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'linearity': ['inreality', 'linearity'], 'lineate': ['elatine', 'lineate'], 'lineature': ['lineature', 'rutelinae'], 'linecut': ['linecut', 'tunicle'], 'lined': ['eldin', 'lined'], 'lineman': ['lemnian', 'lineman', 'melanin'], 'linen': ['linen', 'linne'], 'linesman': ['annelism', 'linesman'], 'linet': ['inlet', 'linet'], 'linga': ['algin', 'align', 'langi', 'liang', 'linga'], 'lingbird': ['birdling', 'bridling', 'lingbird'], 'linge': ['ingle', 'ligne', 'linge', 'nigel'], 'linger': ['linger', 'ringle'], 'lingo': ['lingo', 'login'], 'lingtow': ['lingtow', 'twoling'], 'lingua': ['gaulin', 'lingua'], 'lingual': ['lingual', 'lingula'], 'linguidental': ['dentilingual', 'indulgential', 'linguidental'], 'lingula': ['lingual', 'lingula'], 'linguodental': ['dentolingual', 'linguodental'], 'lingy': ['lingy', 'lying'], 'linha': ['linha', 'nihal'], 'lining': ['lignin', 'lining'], 'link': ['kiln', 'link'], 'linked': ['kindle', 'linked'], 'linker': ['linker', 'relink'], 'linking': ['inkling', 'linking'], 'linkman': ['kilnman', 'linkman'], 'links': ['links', 'slink'], 'linnaea': ['alanine', 'linnaea'], 'linnaean': ['annaline', 'linnaean'], 'linne': ['linen', 'linne'], 'linnet': ['linnet', 'linten'], 'lino': ['lino', 'lion', 'loin', 'noil'], 'linolenic': ['encinillo', 'linolenic'], 'linometer': ['linometer', 'nilometer'], 'linopteris': ['linopteris', 'prosilient'], 'linous': ['insoul', 'linous', 'nilous', 'unsoil'], 'linsey': ['linsey', 'lysine'], 'linstock': ['coltskin', 'linstock'], 'lintel': ['lentil', 'lintel'], 'linten': ['linnet', 'linten'], 'lintseed': ['enlisted', 'lintseed'], 'linum': ['linum', 'ulmin'], 'linus': ['linus', 'sunil'], 'liny': ['inly', 'liny'], 'lion': ['lino', 'lion', 'loin', 'noil'], 'lioncel': ['colline', 'lioncel'], 'lionel': ['lionel', 'niello'], 'lionet': ['entoil', 'lionet'], 'lionhearted': ['leonhardite', 'lionhearted'], 'lipa': ['lipa', 'pail', 'pali', 'pial'], 'lipan': ['lipan', 'pinal', 'plain'], 'liparis': ['aprilis', 'liparis'], 'liparite': ['liparite', 'reptilia'], 'liparous': ['liparous', 'pliosaur'], 'lipase': ['espial', 'lipase', 'pelias'], 'lipin': ['lipin', 'pilin'], 'liplet': ['liplet', 'pillet'], 'lipochondroma': ['chondrolipoma', 'lipochondroma'], 'lipoclasis': ['calliopsis', 'lipoclasis'], 'lipocyte': ['epicotyl', 'lipocyte'], 'lipofibroma': ['fibrolipoma', 'lipofibroma'], 'lipolytic': ['lipolytic', 'politicly'], 'lipoma': ['lipoma', 'pimola', 'ploima'], 'lipomyoma': ['lipomyoma', 'myolipoma'], 'lipomyxoma': ['lipomyxoma', 'myxolipoma'], 'liposis': ['liposis', 'pilosis'], 'lipotype': ['lipotype', 'polypite'], 'lippen': ['lippen', 'nipple'], 'lipper': ['lipper', 'ripple'], 'lippia': ['lippia', 'pilpai'], 'lipsanotheca': ['lipsanotheca', 'sphacelation'], 'lipstick': ['lickspit', 'lipstick'], 'liquate': ['liquate', 'tequila'], 'liquidate': ['liquidate', 'qualitied'], 'lira': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lirate': ['lirate', 'retail', 'retial', 'tailer'], 'liration': ['liration', 'litorina'], 'lire': ['lier', 'lire', 'rile'], 'lis': ['lis', 'sil'], 'lisa': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lise': ['isle', 'lise', 'sile'], 'lisere': ['lisere', 'resile'], 'lisk': ['lisk', 'silk', 'skil'], 'lisle': ['lisle', 'selli'], 'lisp': ['lisp', 'slip'], 'lisper': ['lisper', 'pliers', 'sirple', 'spiler'], 'list': ['list', 'silt', 'slit'], 'listable': ['bastille', 'listable'], 'listen': ['enlist', 'listen', 'silent', 'tinsel'], 'listener': ['enlister', 'esterlin', 'listener', 'relisten'], 'lister': ['lister', 'relist'], 'listera': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'listerian': ['listerian', 'trisilane'], 'listerine': ['listerine', 'resilient'], 'listerize': ['listerize', 'sterilize'], 'listing': ['listing', 'silting'], 'listless': ['listless', 'slitless'], 'lisuarte': ['auletris', 'lisuarte'], 'lit': ['lit', 'til'], 'litas': ['alist', 'litas', 'slait', 'talis'], 'litchi': ['litchi', 'lithic'], 'lite': ['lite', 'teil', 'teli', 'tile'], 'liter': ['liter', 'tiler'], 'literal': ['literal', 'tallier'], 'literary': ['literary', 'trailery'], 'literate': ['laterite', 'literate', 'teretial'], 'literose': ['literose', 'roselite', 'tirolese'], 'lith': ['hilt', 'lith'], 'litharge': ['litharge', 'thirlage'], 'lithe': ['leith', 'lithe'], 'lithectomy': ['lithectomy', 'methylotic'], 'lithic': ['litchi', 'lithic'], 'litho': ['litho', 'thiol', 'tholi'], 'lithochromography': ['chromolithography', 'lithochromography'], 'lithocyst': ['cystolith', 'lithocyst'], 'lithonephria': ['lithonephria', 'philotherian'], 'lithonephrotomy': ['lithonephrotomy', 'nephrolithotomy'], 'lithophane': ['anthophile', 'lithophane'], 'lithophone': ['lithophone', 'thiophenol'], 'lithophotography': ['lithophotography', 'photolithography'], 'lithophysal': ['isophthalyl', 'lithophysal'], 'lithopone': ['lithopone', 'phonolite'], 'lithous': ['lithous', 'loutish'], 'litigate': ['litigate', 'tagilite'], 'litmus': ['litmus', 'tilmus'], 'litorina': ['liration', 'litorina'], 'litorinidae': ['idioretinal', 'litorinidae'], 'litra': ['litra', 'trail', 'trial'], 'litsea': ['isleta', 'litsea', 'salite', 'stelai'], 'litster': ['litster', 'slitter', 'stilter', 'testril'], 'litten': ['litten', 'tinlet'], 'litter': ['litter', 'tilter', 'titler'], 'littery': ['littery', 'tritely'], 'littoral': ['littoral', 'tortilla'], 'lituiform': ['lituiform', 'trifolium'], 'litus': ['litus', 'sluit', 'tulsi'], 'live': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'lived': ['devil', 'divel', 'lived'], 'livedo': ['livedo', 'olived'], 'liveliness': ['liveliness', 'villeiness'], 'livelong': ['livelong', 'loveling'], 'lively': ['evilly', 'lively', 'vilely'], 'liven': ['levin', 'liven'], 'liveness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'liver': ['levir', 'liver', 'livre', 'rivel'], 'livered': ['deliver', 'deviler', 'livered'], 'livery': ['livery', 'verily'], 'livier': ['livier', 'virile'], 'livonian': ['livonian', 'violanin'], 'livre': ['levir', 'liver', 'livre', 'rivel'], 'liwan': ['inlaw', 'liwan'], 'llandeilo': ['diallelon', 'llandeilo'], 'llew': ['llew', 'well'], 'lloyd': ['dolly', 'lloyd'], 'loa': ['alo', 'lao', 'loa'], 'loach': ['chola', 'loach', 'olcha'], 'load': ['alod', 'dola', 'load', 'odal'], 'loaden': ['enodal', 'loaden'], 'loader': ['loader', 'ordeal', 'reload'], 'loading': ['angloid', 'loading'], 'loaf': ['foal', 'loaf', 'olaf'], 'loam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'loaminess': ['loaminess', 'melanosis'], 'loaming': ['almoign', 'loaming'], 'loamy': ['amylo', 'loamy'], 'loaner': ['lenora', 'loaner', 'orlean', 'reloan'], 'loasa': ['alosa', 'loasa', 'oasal'], 'loath': ['altho', 'lhota', 'loath'], 'loather': ['loather', 'rathole'], 'loathly': ['loathly', 'tallyho'], 'lob': ['blo', 'lob'], 'lobar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'lobate': ['lobate', 'oblate'], 'lobated': ['bloated', 'lobated'], 'lobately': ['lobately', 'oblately'], 'lobation': ['boltonia', 'lobation', 'oblation'], 'lobe': ['bleo', 'bole', 'lobe'], 'lobed': ['bodle', 'boled', 'lobed'], 'lobelet': ['bellote', 'lobelet'], 'lobelia': ['bolelia', 'lobelia', 'obelial'], 'lobing': ['globin', 'goblin', 'lobing'], 'lobo': ['bolo', 'bool', 'lobo', 'obol'], 'lobola': ['balolo', 'lobola'], 'lobscourse': ['lobscourse', 'lobscouser'], 'lobscouser': ['lobscourse', 'lobscouser'], 'lobster': ['bolster', 'lobster'], 'loca': ['alco', 'coal', 'cola', 'loca'], 'local': ['callo', 'colla', 'local'], 'locanda': ['acnodal', 'canadol', 'locanda'], 'locarnite': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'locarnize': ['laconizer', 'locarnize'], 'locarno': ['coronal', 'locarno'], 'locate': ['acetol', 'colate', 'locate'], 'location': ['colation', 'coontail', 'location'], 'locational': ['allocation', 'locational'], 'locator': ['crotalo', 'locator'], 'loch': ['chol', 'loch'], 'lochan': ['chalon', 'lochan'], 'lochetic': ['helcotic', 'lochetic', 'ochletic'], 'lochus': ['holcus', 'lochus', 'slouch'], 'loci': ['clio', 'coil', 'coli', 'loci'], 'lociation': ['coalition', 'lociation'], 'lock': ['colk', 'lock'], 'locker': ['locker', 'relock'], 'lockpin': ['lockpin', 'pinlock'], 'lockram': ['lockram', 'marlock'], 'lockspit': ['lockspit', 'lopstick'], 'lockup': ['lockup', 'uplock'], 'loco': ['cool', 'loco'], 'locoweed': ['coolweed', 'locoweed'], 'locrian': ['carolin', 'clarion', 'colarin', 'locrian'], 'locrine': ['creolin', 'licorne', 'locrine'], 'loculate': ['allocute', 'loculate'], 'loculation': ['allocution', 'loculation'], 'locum': ['cumol', 'locum'], 'locusta': ['costula', 'locusta', 'talcous'], 'lod': ['dol', 'lod', 'old'], 'lode': ['dole', 'elod', 'lode', 'odel'], 'lodesman': ['dolesman', 'lodesman'], 'lodgeman': ['angeldom', 'lodgeman'], 'lodger': ['golder', 'lodger'], 'lodging': ['godling', 'lodging'], 'loess': ['loess', 'soles'], 'loessic': ['loessic', 'ossicle'], 'lof': ['flo', 'lof'], 'loft': ['flot', 'loft'], 'lofter': ['floret', 'forlet', 'lofter', 'torfel'], 'lofty': ['lofty', 'oftly'], 'log': ['gol', 'log'], 'logania': ['alogian', 'logania'], 'logarithm': ['algorithm', 'logarithm'], 'logarithmic': ['algorithmic', 'logarithmic'], 'loge': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'logger': ['logger', 'roggle'], 'logicalist': ['logicalist', 'logistical'], 'logicist': ['logicist', 'logistic'], 'login': ['lingo', 'login'], 'logistic': ['logicist', 'logistic'], 'logistical': ['logicalist', 'logistical'], 'logistics': ['glossitic', 'logistics'], 'logman': ['amlong', 'logman'], 'logographic': ['graphologic', 'logographic'], 'logographical': ['graphological', 'logographical'], 'logography': ['graphology', 'logography'], 'logoi': ['igloo', 'logoi'], 'logometrical': ['logometrical', 'metrological'], 'logos': ['gools', 'logos'], 'logotypy': ['logotypy', 'typology'], 'logria': ['gloria', 'larigo', 'logria'], 'logy': ['gloy', 'logy'], 'lohar': ['horal', 'lohar'], 'loin': ['lino', 'lion', 'loin', 'noil'], 'loined': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'loir': ['loir', 'lori', 'roil'], 'lois': ['lois', 'silo', 'siol', 'soil', 'soli'], 'loiter': ['loiter', 'toiler', 'triole'], 'loka': ['kalo', 'kola', 'loka'], 'lokao': ['lokao', 'oolak'], 'loke': ['koel', 'loke'], 'loket': ['ketol', 'loket'], 'lola': ['lalo', 'lola', 'olla'], 'loma': ['loam', 'loma', 'malo', 'mola', 'olam'], 'lomatine': ['lomatine', 'tolamine'], 'lombardian': ['laminboard', 'lombardian'], 'lomboy': ['bloomy', 'lomboy'], 'loment': ['loment', 'melton', 'molten'], 'lomentaria': ['ameliorant', 'lomentaria'], 'lomita': ['lomita', 'tomial'], 'lone': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'longa': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'longanimous': ['longanimous', 'longimanous'], 'longbeard': ['boglander', 'longbeard'], 'longear': ['argenol', 'longear'], 'longhead': ['headlong', 'longhead'], 'longimanous': ['longanimous', 'longimanous'], 'longimetry': ['longimetry', 'mongrelity'], 'longmouthed': ['goldenmouth', 'longmouthed'], 'longue': ['longue', 'lounge'], 'lonicera': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'lontar': ['latron', 'lontar', 'tornal'], 'looby': ['booly', 'looby'], 'lood': ['dool', 'lood'], 'loof': ['fool', 'loof', 'olof'], 'look': ['kolo', 'look'], 'looker': ['looker', 'relook'], 'lookout': ['lookout', 'outlook'], 'loom': ['loom', 'mool'], 'loon': ['loon', 'nolo'], 'loop': ['loop', 'polo', 'pool'], 'looper': ['looper', 'pooler'], 'loopist': ['loopist', 'poloist', 'topsoil'], 'loopy': ['loopy', 'pooly'], 'loosing': ['loosing', 'sinolog'], 'loot': ['loot', 'tool'], 'looter': ['looter', 'retool', 'rootle', 'tooler'], 'lootie': ['lootie', 'oolite'], 'lop': ['lop', 'pol'], 'lope': ['lope', 'olpe', 'pole'], 'loper': ['loper', 'poler'], 'lopezia': ['epizoal', 'lopezia', 'opalize'], 'lophine': ['lophine', 'pinhole'], 'lophocomi': ['homopolic', 'lophocomi'], 'loppet': ['loppet', 'topple'], 'loppy': ['loppy', 'polyp'], 'lopstick': ['lockspit', 'lopstick'], 'loquacious': ['aquicolous', 'loquacious'], 'lora': ['lora', 'oral'], 'lorandite': ['lorandite', 'rodential'], 'lorate': ['elator', 'lorate'], 'lorcha': ['choral', 'lorcha'], 'lordly': ['drolly', 'lordly'], 'lore': ['lore', 'orle', 'role'], 'lored': ['lored', 'older'], 'loren': ['enrol', 'loren'], 'lori': ['loir', 'lori', 'roil'], 'lorica': ['caroli', 'corial', 'lorica'], 'loricate': ['calorite', 'erotical', 'loricate'], 'loricati': ['clitoria', 'loricati'], 'lorien': ['elinor', 'lienor', 'lorien', 'noiler'], 'loro': ['loro', 'olor', 'orlo', 'rool'], 'lose': ['lose', 'sloe', 'sole'], 'loser': ['loser', 'orsel', 'rosel', 'soler'], 'lost': ['lost', 'lots', 'slot'], 'lot': ['lot', 'tol'], 'lota': ['alto', 'lota'], 'lotase': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'lote': ['leto', 'lote', 'tole'], 'lotic': ['cloit', 'lotic'], 'lotrite': ['lotrite', 'tortile', 'triolet'], 'lots': ['lost', 'lots', 'slot'], 'lotta': ['lotta', 'total'], 'lotter': ['lotter', 'rottle', 'tolter'], 'lottie': ['lottie', 'toilet', 'tolite'], 'lou': ['lou', 'luo'], 'loud': ['loud', 'ludo'], 'louden': ['louden', 'nodule'], 'lough': ['ghoul', 'lough'], 'lounder': ['durenol', 'lounder', 'roundel'], 'lounge': ['longue', 'lounge'], 'loupe': ['epulo', 'loupe'], 'lourdy': ['dourly', 'lourdy'], 'louse': ['eusol', 'louse'], 'lousy': ['lousy', 'souly'], 'lout': ['lout', 'tolu'], 'louter': ['elutor', 'louter', 'outler'], 'loutish': ['lithous', 'loutish'], 'louty': ['louty', 'outly'], 'louvar': ['louvar', 'ovular'], 'louver': ['louver', 'louvre'], 'louvre': ['louver', 'louvre'], 'lovable': ['lovable', 'volable'], 'lovage': ['lovage', 'volage'], 'love': ['levo', 'love', 'velo', 'vole'], 'loveling': ['livelong', 'loveling'], 'lovely': ['lovely', 'volley'], 'lovering': ['lovering', 'overling'], 'low': ['low', 'lwo', 'owl'], 'lowa': ['alow', 'awol', 'lowa'], 'lowder': ['lowder', 'weldor', 'wordle'], 'lower': ['lower', 'owler', 'rowel'], 'lowerer': ['lowerer', 'relower'], 'lowery': ['lowery', 'owlery', 'rowley', 'yowler'], 'lowish': ['lowish', 'owlish'], 'lowishly': ['lowishly', 'owlishly', 'sillyhow'], 'lowishness': ['lowishness', 'owlishness'], 'lowy': ['lowy', 'owly', 'yowl'], 'loyal': ['alloy', 'loyal'], 'loyalism': ['loyalism', 'lysiloma'], 'loyd': ['loyd', 'odyl'], 'luba': ['balu', 'baul', 'bual', 'luba'], 'lubber': ['burble', 'lubber', 'rubble'], 'lubberland': ['landlubber', 'lubberland'], 'lube': ['blue', 'lube'], 'lucan': ['lucan', 'nucal'], 'lucania': ['lucania', 'luciana'], 'lucanid': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucanidae': ['leucadian', 'lucanidae'], 'lucarne': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'lucban': ['buncal', 'lucban'], 'luce': ['clue', 'luce'], 'luceres': ['luceres', 'recluse'], 'lucern': ['encurl', 'lucern'], 'lucernal': ['lucernal', 'nucellar', 'uncellar'], 'lucet': ['culet', 'lucet'], 'lucia': ['aulic', 'lucia'], 'lucian': ['cunila', 'lucian', 'lucina', 'uncial'], 'luciana': ['lucania', 'luciana'], 'lucifer': ['ferulic', 'lucifer'], 'lucigen': ['glucine', 'lucigen'], 'lucina': ['cunila', 'lucian', 'lucina', 'uncial'], 'lucinda': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucinoid': ['lucinoid', 'oculinid'], 'lucite': ['lucite', 'luetic', 'uletic'], 'lucrative': ['lucrative', 'revictual', 'victualer'], 'lucre': ['cruel', 'lucre', 'ulcer'], 'lucretia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'lucretian': ['centurial', 'lucretian', 'ultranice'], 'luctiferous': ['fruticulose', 'luctiferous'], 'lucubrate': ['lucubrate', 'tubercula'], 'ludden': ['ludden', 'nuddle'], 'luddite': ['diluted', 'luddite'], 'ludian': ['dualin', 'ludian', 'unlaid'], 'ludibry': ['buirdly', 'ludibry'], 'ludicroserious': ['ludicroserious', 'serioludicrous'], 'ludo': ['loud', 'ludo'], 'lue': ['leu', 'lue', 'ule'], 'lues': ['lues', 'slue'], 'luetic': ['lucite', 'luetic', 'uletic'], 'lug': ['gul', 'lug'], 'luge': ['glue', 'gule', 'luge'], 'luger': ['gluer', 'gruel', 'luger'], 'lugger': ['gurgle', 'lugger', 'ruggle'], 'lugnas': ['lugnas', 'salung'], 'lugsome': ['glumose', 'lugsome'], 'luian': ['inula', 'luian', 'uinal'], 'luiseno': ['elusion', 'luiseno'], 'luite': ['luite', 'utile'], 'lukas': ['klaus', 'lukas', 'sulka'], 'luke': ['leuk', 'luke'], 'lula': ['lula', 'ulla'], 'lulab': ['bulla', 'lulab'], 'lumbar': ['brumal', 'labrum', 'lumbar', 'umbral'], 'lumber': ['lumber', 'rumble', 'umbrel'], 'lumbosacral': ['lumbosacral', 'sacrolumbal'], 'lumine': ['lumine', 'unlime'], 'lump': ['lump', 'plum'], 'lumper': ['lumper', 'plumer', 'replum', 'rumple'], 'lumpet': ['lumpet', 'plumet'], 'lumpiness': ['lumpiness', 'pluminess'], 'lumpy': ['lumpy', 'plumy'], 'luna': ['laun', 'luna', 'ulna', 'unal'], 'lunacy': ['lunacy', 'unclay'], 'lunar': ['lunar', 'ulnar', 'urnal'], 'lunare': ['lunare', 'neural', 'ulnare', 'unreal'], 'lunaria': ['lunaria', 'ulnaria', 'uralian'], 'lunary': ['lunary', 'uranyl'], 'lunatic': ['calinut', 'lunatic'], 'lunation': ['lunation', 'ultonian'], 'lunda': ['dunal', 'laund', 'lunda', 'ulnad'], 'lung': ['gunl', 'lung'], 'lunge': ['leung', 'lunge'], 'lunged': ['gulden', 'lunged'], 'lungfish': ['flushing', 'lungfish'], 'lungsick': ['lungsick', 'suckling'], 'lunisolar': ['lunisolar', 'solilunar'], 'luo': ['lou', 'luo'], 'lupe': ['lupe', 'pelu', 'peul', 'pule'], 'luperci': ['luperci', 'pleuric'], 'lupicide': ['lupicide', 'pediculi', 'pulicide'], 'lupinaster': ['lupinaster', 'palustrine'], 'lupine': ['lupine', 'unpile', 'upline'], 'lupinus': ['lupinus', 'pinulus'], 'lupis': ['lupis', 'pilus'], 'lupous': ['lupous', 'opulus'], 'lura': ['alur', 'laur', 'lura', 'raul', 'ural'], 'lurch': ['churl', 'lurch'], 'lure': ['lure', 'rule'], 'lurer': ['lurer', 'ruler'], 'lurg': ['gurl', 'lurg'], 'luringly': ['luringly', 'rulingly'], 'luscinia': ['luscinia', 'siculian'], 'lush': ['lush', 'shlu', 'shul'], 'lusher': ['lusher', 'shuler'], 'lushly': ['hyllus', 'lushly'], 'lushness': ['lushness', 'shunless'], 'lusian': ['insula', 'lanius', 'lusian'], 'lusk': ['lusk', 'sulk'], 'lusky': ['lusky', 'sulky'], 'lusory': ['lusory', 'sourly'], 'lust': ['lust', 'slut'], 'luster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'lusterless': ['lusterless', 'lustreless', 'resultless'], 'lustihead': ['hastilude', 'lustihead'], 'lustreless': ['lusterless', 'lustreless', 'resultless'], 'lustrine': ['insulter', 'lustrine', 'reinsult'], 'lustring': ['lustring', 'rustling'], 'lusty': ['lusty', 'tylus'], 'lutaceous': ['cautelous', 'lutaceous'], 'lutany': ['auntly', 'lutany'], 'lutayo': ['layout', 'lutayo', 'outlay'], 'lute': ['lute', 'tule'], 'luteal': ['alulet', 'luteal'], 'lutecia': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'lutecium': ['cumulite', 'lutecium'], 'lutein': ['lutein', 'untile'], 'lutfisk': ['kistful', 'lutfisk'], 'luther': ['hurtle', 'luther'], 'lutheran': ['lutheran', 'unhalter'], 'lutianoid': ['lutianoid', 'nautiloid'], 'lutianus': ['lutianus', 'nautilus', 'ustulina'], 'luting': ['glutin', 'luting', 'ungilt'], 'lutose': ['lutose', 'solute', 'tousle'], 'lutra': ['lutra', 'ultra'], 'lutrinae': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'luxe': ['luxe', 'ulex'], 'lwo': ['low', 'lwo', 'owl'], 'lyam': ['amyl', 'lyam', 'myal'], 'lyard': ['daryl', 'lardy', 'lyard'], 'lyas': ['lyas', 'slay'], 'lycaenid': ['adenylic', 'lycaenid'], 'lyceum': ['cymule', 'lyceum'], 'lycopodium': ['lycopodium', 'polycodium'], 'lyctidae': ['diacetyl', 'lyctidae'], 'lyddite': ['lyddite', 'tiddley'], 'lydia': ['daily', 'lydia'], 'lydite': ['idlety', 'lydite', 'tidely', 'tidley'], 'lye': ['ley', 'lye'], 'lying': ['lingy', 'lying'], 'lymnaeid': ['lymnaeid', 'maidenly', 'medianly'], 'lymphadenia': ['lymphadenia', 'nymphalidae'], 'lymphectasia': ['lymphectasia', 'metaphysical'], 'lymphopenia': ['lymphopenia', 'polyphemian'], 'lynne': ['lenny', 'lynne'], 'lyon': ['lyon', 'only'], 'lyophobe': ['hypobole', 'lyophobe'], 'lyra': ['aryl', 'lyra', 'ryal', 'yarl'], 'lyraid': ['aridly', 'lyraid'], 'lyrate': ['lyrate', 'raylet', 'realty', 'telary'], 'lyre': ['lyre', 'rely'], 'lyric': ['cyril', 'lyric'], 'lyrical': ['cyrilla', 'lyrical'], 'lyrid': ['idryl', 'lyrid'], 'lys': ['lys', 'sly'], 'lysander': ['lysander', 'synedral'], 'lysate': ['alytes', 'astely', 'lysate', 'stealy'], 'lyse': ['lyse', 'sley'], 'lysiloma': ['loyalism', 'lysiloma'], 'lysine': ['linsey', 'lysine'], 'lysogenetic': ['cleistogeny', 'lysogenetic'], 'lysogenic': ['glycosine', 'lysogenic'], 'lyssic': ['clysis', 'lyssic'], 'lyterian': ['interlay', 'lyterian'], 'lyxose': ['lyxose', 'xylose'], 'ma': ['am', 'ma'], 'maam': ['amma', 'maam'], 'mab': ['bam', 'mab'], 'maba': ['amba', 'maba'], 'mabel': ['amble', 'belam', 'blame', 'mabel'], 'mabi': ['iamb', 'mabi'], 'mabolo': ['abloom', 'mabolo'], 'mac': ['cam', 'mac'], 'macaca': ['camaca', 'macaca'], 'macaco': ['cocama', 'macaco'], 'macaglia': ['almaciga', 'macaglia'], 'macan': ['caman', 'macan'], 'macanese': ['macanese', 'maecenas'], 'macao': ['acoma', 'macao'], 'macarism': ['macarism', 'marasmic'], 'macaroni': ['armonica', 'macaroni', 'marocain'], 'macaronic': ['carcinoma', 'macaronic'], 'mace': ['acme', 'came', 'mace'], 'macedon': ['conamed', 'macedon'], 'macedonian': ['caedmonian', 'macedonian'], 'macedonic': ['caedmonic', 'macedonic'], 'macer': ['cream', 'macer'], 'macerate': ['camerate', 'macerate', 'racemate'], 'maceration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'machar': ['chamar', 'machar'], 'machi': ['chiam', 'machi', 'micah'], 'machilis': ['chiliasm', 'hilasmic', 'machilis'], 'machinator': ['achromatin', 'chariotman', 'machinator'], 'machine': ['chimane', 'machine'], 'machinery': ['hemicrany', 'machinery'], 'macies': ['camise', 'macies'], 'macigno': ['coaming', 'macigno'], 'macilency': ['cyclamine', 'macilency'], 'macle': ['camel', 'clame', 'cleam', 'macle'], 'maclura': ['maclura', 'macular'], 'maco': ['coma', 'maco'], 'macon': ['coman', 'macon', 'manoc'], 'maconite': ['coinmate', 'maconite'], 'macro': ['carom', 'coram', 'macro', 'marco'], 'macrobian': ['carbamino', 'macrobian'], 'macromazia': ['macromazia', 'macrozamia'], 'macrophage': ['cameograph', 'macrophage'], 'macrophotograph': ['macrophotograph', 'photomacrograph'], 'macrotia': ['aromatic', 'macrotia'], 'macrotin': ['macrotin', 'romantic'], 'macrourid': ['macrourid', 'macruroid'], 'macrourus': ['macrourus', 'macrurous'], 'macrozamia': ['macromazia', 'macrozamia'], 'macruroid': ['macrourid', 'macruroid'], 'macrurous': ['macrourus', 'macrurous'], 'mactra': ['mactra', 'tarmac'], 'macular': ['maclura', 'macular'], 'macule': ['almuce', 'caelum', 'macule'], 'maculose': ['maculose', 'somacule'], 'mad': ['dam', 'mad'], 'madden': ['damned', 'demand', 'madden'], 'maddening': ['demanding', 'maddening'], 'maddeningly': ['demandingly', 'maddeningly'], 'madder': ['dermad', 'madder'], 'made': ['dame', 'made', 'mead'], 'madeira': ['adermia', 'madeira'], 'madeiran': ['madeiran', 'marinade'], 'madeline': ['endemial', 'madeline'], 'madi': ['admi', 'amid', 'madi', 'maid'], 'madia': ['amadi', 'damia', 'madia', 'maida'], 'madiga': ['agamid', 'madiga'], 'madman': ['madman', 'nammad'], 'madnep': ['dampen', 'madnep'], 'madrid': ['madrid', 'riddam'], 'madrier': ['admirer', 'madrier', 'married'], 'madrilene': ['landimere', 'madrilene'], 'madrona': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'madship': ['dampish', 'madship', 'phasmid'], 'madurese': ['madurese', 'measured'], 'mae': ['ame', 'mae'], 'maecenas': ['macanese', 'maecenas'], 'maenad': ['anadem', 'maenad'], 'maenadism': ['maenadism', 'mandaeism'], 'maeonian': ['enomania', 'maeonian'], 'maestri': ['artemis', 'maestri', 'misrate'], 'maestro': ['maestro', 'tarsome'], 'mag': ['gam', 'mag'], 'magadis': ['gamasid', 'magadis'], 'magani': ['angami', 'magani', 'magian'], 'magas': ['agsam', 'magas'], 'mage': ['egma', 'game', 'mage'], 'magenta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magian': ['angami', 'magani', 'magian'], 'magic': ['gamic', 'magic'], 'magister': ['gemarist', 'magister', 'sterigma'], 'magistrate': ['magistrate', 'sterigmata'], 'magma': ['gamma', 'magma'], 'magnate': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnes': ['magnes', 'semang'], 'magneta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnetist': ['agistment', 'magnetist'], 'magneto': ['geomant', 'magneto', 'megaton', 'montage'], 'magnetod': ['magnetod', 'megadont'], 'magnetoelectric': ['electromagnetic', 'magnetoelectric'], 'magnetoelectrical': ['electromagnetical', 'magnetoelectrical'], 'magnolia': ['algomian', 'magnolia'], 'magnus': ['magnus', 'musang'], 'magpie': ['magpie', 'piemag'], 'magyar': ['magyar', 'margay'], 'mah': ['ham', 'mah'], 'maha': ['amah', 'maha'], 'mahar': ['amhar', 'mahar', 'mahra'], 'maharani': ['amiranha', 'maharani'], 'mahdism': ['dammish', 'mahdism'], 'mahdist': ['adsmith', 'mahdist'], 'mahi': ['hami', 'hima', 'mahi'], 'mahican': ['chamian', 'mahican'], 'mahogany': ['hogmanay', 'mahogany'], 'maholi': ['holmia', 'maholi'], 'maholtine': ['hematolin', 'maholtine'], 'mahori': ['homrai', 'mahori', 'mohair'], 'mahra': ['amhar', 'mahar', 'mahra'], 'mahran': ['amhran', 'harman', 'mahran'], 'mahri': ['hiram', 'ihram', 'mahri'], 'maia': ['amia', 'maia'], 'maid': ['admi', 'amid', 'madi', 'maid'], 'maida': ['amadi', 'damia', 'madia', 'maida'], 'maiden': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'maidenism': ['maidenism', 'medianism'], 'maidenly': ['lymnaeid', 'maidenly', 'medianly'], 'maidish': ['hasidim', 'maidish'], 'maidism': ['amidism', 'maidism'], 'maigre': ['imager', 'maigre', 'margie', 'mirage'], 'maiidae': ['amiidae', 'maiidae'], 'mail': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'mailed': ['aldime', 'mailed', 'medial'], 'mailer': ['mailer', 'remail'], 'mailie': ['emilia', 'mailie'], 'maim': ['ammi', 'imam', 'maim', 'mima'], 'main': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'maine': ['amine', 'anime', 'maine', 'manei'], 'mainly': ['amylin', 'mainly'], 'mainour': ['mainour', 'uramino'], 'mainpast': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mainprise': ['mainprise', 'presimian'], 'mains': ['mains', 'manis'], 'maint': ['maint', 'matin'], 'maintain': ['amanitin', 'maintain'], 'maintainer': ['antimerina', 'maintainer', 'remaintain'], 'maintop': ['maintop', 'ptomain', 'tampion', 'timpano'], 'maioid': ['daimio', 'maioid'], 'maioidean': ['anomiidae', 'maioidean'], 'maire': ['aimer', 'maire', 'marie', 'ramie'], 'maja': ['jama', 'maja'], 'majoon': ['majoon', 'moonja'], 'major': ['jarmo', 'major'], 'makah': ['hakam', 'makah'], 'makassar': ['makassar', 'samskara'], 'make': ['kame', 'make', 'meak'], 'maker': ['maker', 'marek', 'merak'], 'maki': ['akim', 'maki'], 'mako': ['amok', 'mako'], 'mal': ['lam', 'mal'], 'mala': ['alma', 'amla', 'lama', 'mala'], 'malacologist': ['malacologist', 'mastological'], 'malaga': ['agalma', 'malaga'], 'malagma': ['amalgam', 'malagma'], 'malakin': ['alkamin', 'malakin'], 'malanga': ['malanga', 'nagmaal'], 'malapert': ['armplate', 'malapert'], 'malapi': ['impala', 'malapi'], 'malar': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'malarin': ['lairman', 'laminar', 'malarin', 'railman'], 'malate': ['malate', 'meatal', 'tamale'], 'malcreated': ['cradlemate', 'malcreated'], 'maldonite': ['antimodel', 'maldonite', 'monilated'], 'male': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'maleficiation': ['amelification', 'maleficiation'], 'maleic': ['maleic', 'malice', 'melica'], 'maleinoid': ['alimonied', 'maleinoid'], 'malella': ['lamella', 'malella', 'malleal'], 'maleness': ['lameness', 'maleness', 'maneless', 'nameless'], 'malengine': ['enameling', 'malengine', 'meningeal'], 'maleo': ['amole', 'maleo'], 'malfed': ['flamed', 'malfed'], 'malhonest': ['malhonest', 'mashelton'], 'mali': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'malic': ['claim', 'clima', 'malic'], 'malice': ['maleic', 'malice', 'melica'], 'malicho': ['chiloma', 'malicho'], 'maligner': ['germinal', 'maligner', 'malinger'], 'malikana': ['kalamian', 'malikana'], 'maline': ['limean', 'maline', 'melian', 'menial'], 'malines': ['malines', 'salmine', 'selamin', 'seminal'], 'malinger': ['germinal', 'maligner', 'malinger'], 'malison': ['malison', 'manolis', 'osmanli', 'somnial'], 'malladrite': ['armillated', 'malladrite', 'mallardite'], 'mallardite': ['armillated', 'malladrite', 'mallardite'], 'malleal': ['lamella', 'malella', 'malleal'], 'mallein': ['mallein', 'manille'], 'malleoincudal': ['incudomalleal', 'malleoincudal'], 'malleus': ['amellus', 'malleus'], 'malmaison': ['anomalism', 'malmaison'], 'malmy': ['lammy', 'malmy'], 'malo': ['loam', 'loma', 'malo', 'mola', 'olam'], 'malonic': ['limacon', 'malonic'], 'malonyl': ['allonym', 'malonyl'], 'malope': ['aplome', 'malope'], 'malpoise': ['malpoise', 'semiopal'], 'malposed': ['malposed', 'plasmode'], 'maltase': ['asmalte', 'maltase'], 'malter': ['armlet', 'malter', 'martel'], 'maltese': ['maltese', 'seamlet'], 'malthe': ['hamlet', 'malthe'], 'malurinae': ['malurinae', 'melanuria'], 'malurine': ['lemurian', 'malurine', 'rumelian'], 'malurus': ['malurus', 'ramulus'], 'malus': ['lamus', 'malus', 'musal', 'slaum'], 'mamers': ['mamers', 'sammer'], 'mamo': ['ammo', 'mamo'], 'man': ['man', 'nam'], 'mana': ['anam', 'mana', 'naam', 'nama'], 'manacle': ['laceman', 'manacle'], 'manacus': ['manacus', 'samucan'], 'manage': ['agname', 'manage'], 'manager': ['gearman', 'manager'], 'manal': ['alman', 'lamna', 'manal'], 'manas': ['manas', 'saman'], 'manatee': ['emanate', 'manatee'], 'manatine': ['annamite', 'manatine'], 'manbird': ['birdman', 'manbird'], 'manchester': ['manchester', 'searchment'], 'mand': ['damn', 'mand'], 'mandaeism': ['maenadism', 'mandaeism'], 'mandaite': ['animated', 'mandaite', 'mantidae'], 'mandarin': ['drainman', 'mandarin'], 'mandation': ['damnation', 'mandation'], 'mandatory': ['damnatory', 'mandatory'], 'mande': ['amend', 'mande', 'maned'], 'mandelate': ['aldeament', 'mandelate'], 'mandil': ['lamnid', 'mandil'], 'mandola': ['mandola', 'odalman'], 'mandora': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'mandra': ['mandra', 'radman'], 'mandrill': ['drillman', 'mandrill'], 'mandyas': ['daysman', 'mandyas'], 'mane': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'maned': ['amend', 'mande', 'maned'], 'manege': ['gamene', 'manege', 'menage'], 'manei': ['amine', 'anime', 'maine', 'manei'], 'maneless': ['lameness', 'maleness', 'maneless', 'nameless'], 'manent': ['manent', 'netman'], 'manerial': ['almerian', 'manerial'], 'manes': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'maness': ['enmass', 'maness', 'messan'], 'manettia': ['antietam', 'manettia'], 'maney': ['maney', 'yamen'], 'manga': ['amang', 'ganam', 'manga'], 'mangar': ['amgarn', 'mangar', 'marang', 'ragman'], 'mangel': ['legman', 'mangel', 'mangle'], 'mangelin': ['mangelin', 'nameling'], 'manger': ['engram', 'german', 'manger'], 'mangerite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'mangi': ['gamin', 'mangi'], 'mangle': ['legman', 'mangel', 'mangle'], 'mango': ['among', 'mango'], 'mangrass': ['grassman', 'mangrass'], 'mangrate': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mangue': ['mangue', 'maunge'], 'manhead': ['headman', 'manhead'], 'manhole': ['holeman', 'manhole'], 'manhood': ['dhamnoo', 'hoodman', 'manhood'], 'mani': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'mania': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'maniable': ['animable', 'maniable'], 'maniac': ['amniac', 'caiman', 'maniac'], 'manic': ['amnic', 'manic'], 'manid': ['dimna', 'manid'], 'manidae': ['adamine', 'manidae'], 'manify': ['infamy', 'manify'], 'manila': ['almain', 'animal', 'lamina', 'manila'], 'manilla': ['alnilam', 'manilla'], 'manille': ['mallein', 'manille'], 'manioc': ['camion', 'conima', 'manioc', 'monica'], 'maniple': ['impanel', 'maniple'], 'manipuri': ['manipuri', 'unimpair'], 'manis': ['mains', 'manis'], 'manist': ['manist', 'mantis', 'matins', 'stamin'], 'manistic': ['actinism', 'manistic'], 'manito': ['atimon', 'manito', 'montia'], 'maniu': ['maniu', 'munia', 'unami'], 'manius': ['animus', 'anisum', 'anusim', 'manius'], 'maniva': ['maniva', 'vimana'], 'manlet': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manna': ['annam', 'manna'], 'mannite': ['mannite', 'tineman'], 'mannonic': ['cinnamon', 'mannonic'], 'mano': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'manoc': ['coman', 'macon', 'manoc'], 'manolis': ['malison', 'manolis', 'osmanli', 'somnial'], 'manometrical': ['commentarial', 'manometrical'], 'manometry': ['manometry', 'momentary'], 'manor': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'manorial': ['manorial', 'morainal'], 'manorship': ['manorship', 'orphanism'], 'manoscope': ['manoscope', 'moonscape'], 'manred': ['damner', 'manred', 'randem', 'remand'], 'manrent': ['manrent', 'remnant'], 'manrope': ['manrope', 'ropeman'], 'manse': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'manship': ['manship', 'shipman'], 'mansion': ['mansion', 'onanism'], 'mansioneer': ['emersonian', 'mansioneer'], 'manslaughter': ['manslaughter', 'slaughterman'], 'manso': ['manso', 'mason', 'monas'], 'manta': ['atman', 'manta'], 'mantel': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manteline': ['lineament', 'manteline'], 'manter': ['manter', 'marten', 'rament'], 'mantes': ['mantes', 'stamen'], 'manticore': ['cremation', 'manticore'], 'mantidae': ['animated', 'mandaite', 'mantidae'], 'mantis': ['manist', 'mantis', 'matins', 'stamin'], 'mantispa': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mantissa': ['mantissa', 'satanism'], 'mantle': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manto': ['manto', 'toman'], 'mantodea': ['mantodea', 'nematoda'], 'mantoidea': ['diatomean', 'mantoidea'], 'mantra': ['mantra', 'tarman'], 'mantrap': ['mantrap', 'rampant'], 'mantua': ['anatum', 'mantua', 'tamanu'], 'manual': ['alumna', 'manual'], 'manualism': ['manualism', 'musalmani'], 'manualiter': ['manualiter', 'unmaterial'], 'manuel': ['manuel', 'unlame'], 'manul': ['lanum', 'manul'], 'manuma': ['amunam', 'manuma'], 'manure': ['manure', 'menura'], 'manward': ['manward', 'wardman'], 'manwards': ['manwards', 'wardsman'], 'manway': ['manway', 'wayman'], 'manwise': ['manwise', 'wiseman'], 'many': ['many', 'myna'], 'mao': ['mao', 'oam'], 'maori': ['maori', 'mario', 'moira'], 'map': ['map', 'pam'], 'mapach': ['champa', 'mapach'], 'maple': ['ample', 'maple'], 'mapper': ['mapper', 'pamper', 'pampre'], 'mar': ['arm', 'mar', 'ram'], 'mara': ['amar', 'amra', 'mara', 'rama'], 'marabout': ['marabout', 'marabuto', 'tamboura'], 'marabuto': ['marabout', 'marabuto', 'tamboura'], 'maraca': ['acamar', 'camara', 'maraca'], 'maral': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marang': ['amgarn', 'mangar', 'marang', 'ragman'], 'mararie': ['armeria', 'mararie'], 'marasca': ['marasca', 'mascara'], 'maraschino': ['anachorism', 'chorasmian', 'maraschino'], 'marasmic': ['macarism', 'marasmic'], 'marbelize': ['marbelize', 'marbleize'], 'marble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'marbleize': ['marbelize', 'marbleize'], 'marbler': ['marbler', 'rambler'], 'marbling': ['marbling', 'rambling'], 'marc': ['cram', 'marc'], 'marcan': ['carman', 'marcan'], 'marcel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'marcescent': ['marcescent', 'scarcement'], 'march': ['charm', 'march'], 'marcher': ['charmer', 'marcher', 'remarch'], 'marchite': ['athermic', 'marchite', 'rhematic'], 'marchpane': ['marchpane', 'preachman'], 'marci': ['marci', 'mirac'], 'marcionist': ['marcionist', 'romanistic'], 'marcionite': ['marcionite', 'microtinae', 'remication'], 'marco': ['carom', 'coram', 'macro', 'marco'], 'marconi': ['amicron', 'marconi', 'minorca', 'romanic'], 'mare': ['erma', 'mare', 'rame', 'ream'], 'mareca': ['acream', 'camera', 'mareca'], 'marek': ['maker', 'marek', 'merak'], 'marengo': ['marengo', 'megaron'], 'mareotid': ['mareotid', 'mediator'], 'marfik': ['marfik', 'mirfak'], 'marfire': ['firearm', 'marfire'], 'margay': ['magyar', 'margay'], 'marge': ['grame', 'marge', 'regma'], 'margeline': ['margeline', 'regimenal'], 'margent': ['garment', 'margent'], 'margie': ['imager', 'maigre', 'margie', 'mirage'], 'margin': ['arming', 'ingram', 'margin'], 'marginal': ['alarming', 'marginal'], 'marginally': ['alarmingly', 'marginally'], 'marginate': ['armangite', 'marginate'], 'marginated': ['argentamid', 'marginated'], 'margined': ['dirgeman', 'margined', 'midrange'], 'marginiform': ['graminiform', 'marginiform'], 'margot': ['gomart', 'margot'], 'marhala': ['harmala', 'marhala'], 'mari': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'marialite': ['latimeria', 'marialite'], 'marian': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'mariana': ['aramina', 'mariana'], 'marianne': ['armenian', 'marianne'], 'marie': ['aimer', 'maire', 'marie', 'ramie'], 'marigenous': ['germanious', 'gramineous', 'marigenous'], 'marilla': ['armilla', 'marilla'], 'marina': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'marinade': ['madeiran', 'marinade'], 'marinate': ['animater', 'marinate'], 'marine': ['ermani', 'marine', 'remain'], 'marinist': ['marinist', 'mistrain'], 'mario': ['maori', 'mario', 'moira'], 'marion': ['marion', 'romain'], 'mariou': ['mariou', 'oarium'], 'maris': ['maris', 'marsi', 'samir', 'simar'], 'marish': ['marish', 'shamir'], 'marishness': ['marishness', 'marshiness'], 'marist': ['marist', 'matris', 'ramist'], 'maritage': ['gematria', 'maritage'], 'marital': ['marital', 'martial'], 'maritality': ['maritality', 'martiality'], 'maritally': ['maritally', 'martially'], 'marka': ['karma', 'krama', 'marka'], 'markeb': ['embark', 'markeb'], 'marked': ['demark', 'marked'], 'marker': ['marker', 'remark'], 'marketable': ['marketable', 'tablemaker'], 'marketeer': ['marketeer', 'treemaker'], 'marketer': ['marketer', 'remarket'], 'marko': ['marko', 'marok'], 'marla': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marled': ['dermal', 'marled', 'medlar'], 'marli': ['armil', 'marli', 'rimal'], 'marline': ['marline', 'mineral', 'ramline'], 'marlite': ['lamiter', 'marlite'], 'marlock': ['lockram', 'marlock'], 'maro': ['amor', 'maro', 'mora', 'omar', 'roam'], 'marocain': ['armonica', 'macaroni', 'marocain'], 'marok': ['marko', 'marok'], 'maronian': ['maronian', 'romanian'], 'maronist': ['maronist', 'romanist'], 'maronite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'marquesan': ['marquesan', 'squareman'], 'marquis': ['asquirm', 'marquis'], 'marree': ['marree', 'reamer'], 'married': ['admirer', 'madrier', 'married'], 'marrot': ['marrot', 'mortar'], 'marrowed': ['marrowed', 'romeward'], 'marryer': ['marryer', 'remarry'], 'mars': ['arms', 'mars'], 'marsh': ['marsh', 'shram'], 'marshaler': ['marshaler', 'remarshal'], 'marshiness': ['marishness', 'marshiness'], 'marshite': ['arthemis', 'marshite', 'meharist'], 'marsi': ['maris', 'marsi', 'samir', 'simar'], 'marsipobranchiata': ['basiparachromatin', 'marsipobranchiata'], 'mart': ['mart', 'tram'], 'martel': ['armlet', 'malter', 'martel'], 'marteline': ['alimenter', 'marteline'], 'marten': ['manter', 'marten', 'rament'], 'martes': ['martes', 'master', 'remast', 'stream'], 'martha': ['amarth', 'martha'], 'martial': ['marital', 'martial'], 'martiality': ['maritality', 'martiality'], 'martially': ['maritally', 'martially'], 'martian': ['martian', 'tamarin'], 'martinet': ['intermat', 'martinet', 'tetramin'], 'martinico': ['martinico', 'mortician'], 'martinoe': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'martite': ['martite', 'mitrate'], 'martius': ['martius', 'matsuri', 'maurist'], 'martu': ['martu', 'murat', 'turma'], 'marty': ['marty', 'tryma'], 'maru': ['arum', 'maru', 'mura'], 'mary': ['army', 'mary', 'myra', 'yarm'], 'marylander': ['aldermanry', 'marylander'], 'marysole': ['marysole', 'ramosely'], 'mas': ['mas', 'sam', 'sma'], 'mascara': ['marasca', 'mascara'], 'mascotry': ['arctomys', 'costmary', 'mascotry'], 'masculine': ['masculine', 'semuncial', 'simulance'], 'masculist': ['masculist', 'simulcast'], 'masdeu': ['amused', 'masdeu', 'medusa'], 'mash': ['mash', 'samh', 'sham'], 'masha': ['hamsa', 'masha', 'shama'], 'mashal': ['mashal', 'shamal'], 'mashelton': ['malhonest', 'mashelton'], 'masher': ['masher', 'ramesh', 'shamer'], 'mashy': ['mashy', 'shyam'], 'mask': ['kasm', 'mask'], 'masker': ['masker', 'remask'], 'mason': ['manso', 'mason', 'monas'], 'masoner': ['masoner', 'romanes'], 'masonic': ['anosmic', 'masonic'], 'masonite': ['masonite', 'misatone'], 'maspiter': ['maspiter', 'pastimer', 'primates'], 'masque': ['masque', 'squame', 'squeam'], 'massa': ['amass', 'assam', 'massa', 'samas'], 'masse': ['masse', 'sesma'], 'masser': ['masser', 'remass'], 'masseter': ['masseter', 'seamster'], 'masseur': ['assumer', 'erasmus', 'masseur'], 'massicot': ['acosmist', 'massicot', 'somatics'], 'massiness': ['amissness', 'massiness'], 'masskanne': ['masskanne', 'sneaksman'], 'mast': ['mast', 'mats', 'stam'], 'masted': ['demast', 'masted'], 'master': ['martes', 'master', 'remast', 'stream'], 'masterate': ['masterate', 'metatarse'], 'masterer': ['masterer', 'restream', 'streamer'], 'masterful': ['masterful', 'streamful'], 'masterless': ['masterless', 'streamless'], 'masterlike': ['masterlike', 'streamlike'], 'masterling': ['masterling', 'streamling'], 'masterly': ['masterly', 'myrtales'], 'mastership': ['mastership', 'shipmaster'], 'masterwork': ['masterwork', 'workmaster'], 'masterwort': ['masterwort', 'streamwort'], 'mastery': ['mastery', 'streamy'], 'mastic': ['mastic', 'misact'], 'masticable': ['ablastemic', 'masticable'], 'mastiche': ['mastiche', 'misteach'], 'mastlike': ['kemalist', 'mastlike'], 'mastoid': ['distoma', 'mastoid'], 'mastoidale': ['diatomales', 'mastoidale', 'mastoideal'], 'mastoideal': ['diatomales', 'mastoidale', 'mastoideal'], 'mastological': ['malacologist', 'mastological'], 'mastomenia': ['mastomenia', 'seminomata'], 'mastotomy': ['mastotomy', 'stomatomy'], 'masu': ['masu', 'musa', 'saum'], 'mat': ['amt', 'mat', 'tam'], 'matacan': ['matacan', 'tamanac'], 'matai': ['amati', 'amita', 'matai'], 'matar': ['matar', 'matra', 'trama'], 'matara': ['armata', 'matara', 'tamara'], 'matcher': ['matcher', 'rematch'], 'mate': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'mateless': ['mateless', 'meatless', 'tameless', 'teamless'], 'matelessness': ['matelessness', 'tamelessness'], 'mately': ['mately', 'tamely'], 'mater': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'materialism': ['immaterials', 'materialism'], 'materiel': ['eremital', 'materiel'], 'maternal': ['maternal', 'ramental'], 'maternology': ['laryngotome', 'maternology'], 'mateship': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'matey': ['matey', 'meaty'], 'mathesis': ['mathesis', 'thamesis'], 'mathetic': ['mathetic', 'thematic'], 'matico': ['atomic', 'matico'], 'matin': ['maint', 'matin'], 'matinee': ['amenite', 'etamine', 'matinee'], 'matins': ['manist', 'mantis', 'matins', 'stamin'], 'matra': ['matar', 'matra', 'trama'], 'matral': ['matral', 'tramal'], 'matralia': ['altamira', 'matralia'], 'matrices': ['camerist', 'ceramist', 'matrices'], 'matricide': ['citramide', 'diametric', 'matricide'], 'matricula': ['lactarium', 'matricula'], 'matricular': ['matricular', 'trimacular'], 'matris': ['marist', 'matris', 'ramist'], 'matrocliny': ['matrocliny', 'romanticly'], 'matronism': ['matronism', 'romantism'], 'mats': ['mast', 'mats', 'stam'], 'matsu': ['matsu', 'tamus', 'tsuma'], 'matsuri': ['martius', 'matsuri', 'maurist'], 'matter': ['matter', 'mettar'], 'mattoir': ['mattoir', 'tritoma'], 'maturable': ['maturable', 'metabular'], 'maturation': ['maturation', 'natatorium'], 'maturer': ['erratum', 'maturer'], 'mau': ['aum', 'mau'], 'maud': ['duma', 'maud'], 'maudle': ['almude', 'maudle'], 'mauger': ['mauger', 'murage'], 'maul': ['alum', 'maul'], 'mauler': ['mauler', 'merula', 'ramule'], 'maun': ['maun', 'numa'], 'maund': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'maunder': ['duramen', 'maunder', 'unarmed'], 'maunderer': ['maunderer', 'underream'], 'maunge': ['mangue', 'maunge'], 'maureen': ['maureen', 'menurae'], 'maurice': ['maurice', 'uraemic'], 'maurist': ['martius', 'matsuri', 'maurist'], 'mauser': ['amuser', 'mauser'], 'mavis': ['amvis', 'mavis'], 'maw': ['maw', 'mwa'], 'mawp': ['mawp', 'wamp'], 'may': ['amy', 'may', 'mya', 'yam'], 'maybe': ['beamy', 'embay', 'maybe'], 'mayer': ['mayer', 'reamy'], 'maylike': ['maylike', 'yamilke'], 'mayo': ['amoy', 'mayo'], 'mayor': ['mayor', 'moray'], 'maypoling': ['maypoling', 'pygmalion'], 'maysin': ['maysin', 'minyas', 'mysian'], 'maytide': ['daytime', 'maytide'], 'mazer': ['mazer', 'zerma'], 'mazur': ['mazur', 'murza'], 'mbaya': ['ambay', 'mbaya'], 'me': ['em', 'me'], 'meable': ['bemeal', 'meable'], 'mead': ['dame', 'made', 'mead'], 'meader': ['meader', 'remade'], 'meager': ['graeme', 'meager', 'meagre'], 'meagre': ['graeme', 'meager', 'meagre'], 'meak': ['kame', 'make', 'meak'], 'meal': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'mealer': ['leamer', 'mealer'], 'mealiness': ['mealiness', 'messaline'], 'mealy': ['mealy', 'yamel'], 'mean': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'meander': ['amender', 'meander', 'reamend', 'reedman'], 'meandrite': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'meandrous': ['meandrous', 'roundseam'], 'meaned': ['amende', 'demean', 'meaned', 'nadeem'], 'meaner': ['enarme', 'meaner', 'rename'], 'meanly': ['meanly', 'namely'], 'meant': ['ament', 'meant', 'teman'], 'mease': ['emesa', 'mease'], 'measly': ['measly', 'samely'], 'measuration': ['aeronautism', 'measuration'], 'measure': ['measure', 'reamuse'], 'measured': ['madurese', 'measured'], 'meat': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'meatal': ['malate', 'meatal', 'tamale'], 'meatless': ['mateless', 'meatless', 'tameless', 'teamless'], 'meatman': ['meatman', 'teamman'], 'meatus': ['meatus', 'mutase'], 'meaty': ['matey', 'meaty'], 'mechanal': ['leachman', 'mechanal'], 'mechanicochemical': ['chemicomechanical', 'mechanicochemical'], 'mechanics': ['mechanics', 'mischance'], 'mechir': ['chimer', 'mechir', 'micher'], 'mecometry': ['cymometer', 'mecometry'], 'meconic': ['comenic', 'encomic', 'meconic'], 'meconin': ['ennomic', 'meconin'], 'meconioid': ['meconioid', 'monoeidic'], 'meconium': ['encomium', 'meconium'], 'mecopteron': ['mecopteron', 'protocneme'], 'medal': ['demal', 'medal'], 'medallary': ['alarmedly', 'medallary'], 'mede': ['deem', 'deme', 'mede', 'meed'], 'media': ['amide', 'damie', 'media'], 'mediacy': ['dicyema', 'mediacy'], 'mediad': ['diadem', 'mediad'], 'medial': ['aldime', 'mailed', 'medial'], 'median': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medianism': ['maidenism', 'medianism'], 'medianly': ['lymnaeid', 'maidenly', 'medianly'], 'mediator': ['mareotid', 'mediator'], 'mediatress': ['mediatress', 'streamside'], 'mediatrice': ['acidimeter', 'mediatrice'], 'medical': ['camelid', 'decimal', 'declaim', 'medical'], 'medically': ['decimally', 'medically'], 'medicate': ['decimate', 'medicate'], 'medication': ['decimation', 'medication'], 'medicator': ['decimator', 'medicator', 'mordicate'], 'medicatory': ['acidometry', 'medicatory', 'radiectomy'], 'medicinal': ['adminicle', 'medicinal'], 'medicophysical': ['medicophysical', 'physicomedical'], 'medimnos': ['demonism', 'medimnos', 'misnomed'], 'medina': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medino': ['domine', 'domnei', 'emodin', 'medino'], 'mediocrist': ['dosimetric', 'mediocrist'], 'mediocrity': ['iridectomy', 'mediocrity'], 'mediodorsal': ['dorsomedial', 'mediodorsal'], 'medioventral': ['medioventral', 'ventromedial'], 'meditate': ['admittee', 'meditate'], 'meditator': ['meditator', 'trematoid'], 'medlar': ['dermal', 'marled', 'medlar'], 'medusa': ['amused', 'masdeu', 'medusa'], 'medusan': ['medusan', 'sudamen'], 'meece': ['emcee', 'meece'], 'meed': ['deem', 'deme', 'mede', 'meed'], 'meeks': ['meeks', 'smeek'], 'meered': ['deemer', 'meered', 'redeem', 'remede'], 'meet': ['meet', 'mete', 'teem'], 'meeter': ['meeter', 'remeet', 'teemer'], 'meethelp': ['helpmeet', 'meethelp'], 'meeting': ['meeting', 'teeming', 'tegmine'], 'meg': ['gem', 'meg'], 'megabar': ['bergama', 'megabar'], 'megachiropteran': ['cinematographer', 'megachiropteran'], 'megadont': ['magnetod', 'megadont'], 'megadyne': ['ganymede', 'megadyne'], 'megaera': ['megaera', 'reamage'], 'megalodon': ['megalodon', 'moonglade'], 'megalohepatia': ['hepatomegalia', 'megalohepatia'], 'megalophonous': ['megalophonous', 'omphalogenous'], 'megalosplenia': ['megalosplenia', 'splenomegalia'], 'megapod': ['megapod', 'pagedom'], 'megapodius': ['megapodius', 'pseudimago'], 'megarian': ['germania', 'megarian'], 'megaric': ['gemaric', 'grimace', 'megaric'], 'megaron': ['marengo', 'megaron'], 'megaton': ['geomant', 'magneto', 'megaton', 'montage'], 'megmho': ['megmho', 'megohm'], 'megohm': ['megmho', 'megohm'], 'megrim': ['gimmer', 'grimme', 'megrim'], 'mehari': ['mehari', 'meriah'], 'meharist': ['arthemis', 'marshite', 'meharist'], 'meile': ['elemi', 'meile'], 'mein': ['mein', 'mien', 'mine'], 'meio': ['meio', 'oime'], 'mel': ['elm', 'mel'], 'mela': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'melaconite': ['colemanite', 'melaconite'], 'melalgia': ['gamaliel', 'melalgia'], 'melam': ['lemma', 'melam'], 'melamine': ['ammeline', 'melamine'], 'melange': ['gleeman', 'melange'], 'melania': ['laminae', 'melania'], 'melanian': ['alemanni', 'melanian'], 'melanic': ['cnemial', 'melanic'], 'melanilin': ['melanilin', 'millennia'], 'melanin': ['lemnian', 'lineman', 'melanin'], 'melanism': ['melanism', 'slimeman'], 'melanite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'melanitic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'melanochroi': ['chloroamine', 'melanochroi'], 'melanogen': ['melanogen', 'melongena'], 'melanoid': ['demonial', 'melanoid'], 'melanorrhea': ['amenorrheal', 'melanorrhea'], 'melanosis': ['loaminess', 'melanosis'], 'melanotic': ['entomical', 'melanotic'], 'melanuria': ['malurinae', 'melanuria'], 'melanuric': ['ceruminal', 'melanuric', 'numerical'], 'melas': ['amsel', 'melas', 'mesal', 'samel'], 'melastoma': ['melastoma', 'metasomal'], 'meldrop': ['meldrop', 'premold'], 'melena': ['enamel', 'melena'], 'melenic': ['celemin', 'melenic'], 'meletian': ['melanite', 'meletian', 'metaline', 'nemalite'], 'meletski': ['meletski', 'stemlike'], 'melian': ['limean', 'maline', 'melian', 'menial'], 'meliatin': ['meliatin', 'timaline'], 'melic': ['clime', 'melic'], 'melica': ['maleic', 'malice', 'melica'], 'melicerta': ['carmelite', 'melicerta'], 'melicraton': ['centimolar', 'melicraton'], 'melinda': ['idleman', 'melinda'], 'meline': ['elemin', 'meline'], 'melinite': ['ilmenite', 'melinite', 'menilite'], 'meliorant': ['meliorant', 'mentorial'], 'melissa': ['aimless', 'melissa', 'seismal'], 'melitose': ['melitose', 'mesolite'], 'mellay': ['lamely', 'mellay'], 'mellit': ['mellit', 'millet'], 'melodia': ['melodia', 'molidae'], 'melodica': ['cameloid', 'comedial', 'melodica'], 'melodicon': ['clinodome', 'melodicon', 'monocleid'], 'melodist': ['melodist', 'modelist'], 'melomanic': ['commelina', 'melomanic'], 'melon': ['lemon', 'melon', 'monel'], 'melongena': ['melanogen', 'melongena'], 'melonist': ['melonist', 'telonism'], 'melonites': ['limestone', 'melonites', 'milestone'], 'melonlike': ['lemonlike', 'melonlike'], 'meloplasty': ['meloplasty', 'myeloplast'], 'melosa': ['melosa', 'salome', 'semola'], 'melotragic': ['algometric', 'melotragic'], 'melotrope': ['melotrope', 'metropole'], 'melter': ['melter', 'remelt'], 'melters': ['melters', 'resmelt', 'smelter'], 'melton': ['loment', 'melton', 'molten'], 'melungeon': ['melungeon', 'nonlegume'], 'mem': ['emm', 'mem'], 'memnon': ['memnon', 'mennom'], 'memo': ['memo', 'mome'], 'memorandist': ['memorandist', 'moderantism', 'semidormant'], 'menage': ['gamene', 'manege', 'menage'], 'menald': ['lemnad', 'menald'], 'menaspis': ['menaspis', 'semispan'], 'mendaite': ['dementia', 'mendaite'], 'mende': ['emend', 'mende'], 'mender': ['mender', 'remend'], 'mendi': ['denim', 'mendi'], 'mendipite': ['impedient', 'mendipite'], 'menial': ['limean', 'maline', 'melian', 'menial'], 'menic': ['menic', 'mince'], 'menilite': ['ilmenite', 'melinite', 'menilite'], 'meningeal': ['enameling', 'malengine', 'meningeal'], 'meningocephalitis': ['cephalomeningitis', 'meningocephalitis'], 'meningocerebritis': ['cerebromeningitis', 'meningocerebritis'], 'meningoencephalitis': ['encephalomeningitis', 'meningoencephalitis'], 'meningoencephalocele': ['encephalomeningocele', 'meningoencephalocele'], 'meningomyelitis': ['meningomyelitis', 'myelomeningitis'], 'meningomyelocele': ['meningomyelocele', 'myelomeningocele'], 'mennom': ['memnon', 'mennom'], 'menostasia': ['anematosis', 'menostasia'], 'mensa': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'mensal': ['anselm', 'mensal'], 'mense': ['mense', 'mesne', 'semen'], 'menstrual': ['menstrual', 'ulsterman'], 'mensurable': ['lebensraum', 'mensurable'], 'mentagra': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mental': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'mentalis': ['mentalis', 'smaltine', 'stileman'], 'mentalize': ['mentalize', 'mentzelia'], 'mentation': ['mentation', 'montanite'], 'mentha': ['anthem', 'hetman', 'mentha'], 'menthane': ['enanthem', 'menthane'], 'mentigerous': ['mentigerous', 'tergeminous'], 'mentolabial': ['labiomental', 'mentolabial'], 'mentor': ['mentor', 'merton', 'termon', 'tormen'], 'mentorial': ['meliorant', 'mentorial'], 'mentzelia': ['mentalize', 'mentzelia'], 'menura': ['manure', 'menura'], 'menurae': ['maureen', 'menurae'], 'menyie': ['menyie', 'yemeni'], 'meo': ['meo', 'moe'], 'mephisto': ['mephisto', 'pithsome'], 'merak': ['maker', 'marek', 'merak'], 'merat': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'meratia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'mercal': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'mercator': ['cremator', 'mercator'], 'mercatorial': ['crematorial', 'mercatorial'], 'mercian': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'merciful': ['crimeful', 'merciful'], 'merciless': ['crimeless', 'merciless'], 'mercilessness': ['crimelessness', 'mercilessness'], 'mere': ['mere', 'reem'], 'merel': ['elmer', 'merel', 'merle'], 'merely': ['merely', 'yelmer'], 'merginae': ['ergamine', 'merginae'], 'mergus': ['gersum', 'mergus'], 'meriah': ['mehari', 'meriah'], 'merice': ['eremic', 'merice'], 'merida': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'meril': ['limer', 'meril', 'miler'], 'meriones': ['emersion', 'meriones'], 'merism': ['merism', 'mermis', 'simmer'], 'merist': ['merist', 'mister', 'smiter'], 'meristem': ['meristem', 'mimester'], 'meristic': ['meristic', 'trimesic', 'trisemic'], 'merit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'merited': ['demerit', 'dimeter', 'merited', 'mitered'], 'meriter': ['meriter', 'miterer', 'trireme'], 'merle': ['elmer', 'merel', 'merle'], 'merlin': ['limner', 'merlin', 'milner'], 'mermaid': ['demiram', 'mermaid'], 'mermis': ['merism', 'mermis', 'simmer'], 'mero': ['mero', 'more', 'omer', 'rome'], 'meroblastic': ['blastomeric', 'meroblastic'], 'merocyte': ['cytomere', 'merocyte'], 'merogony': ['gonomery', 'merogony'], 'meroistic': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'merop': ['merop', 'moper', 'proem', 'remop'], 'meropia': ['emporia', 'meropia'], 'meros': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'merosthenic': ['merosthenic', 'microsthene'], 'merostome': ['merostome', 'osmometer'], 'merrow': ['merrow', 'wormer'], 'merse': ['merse', 'smeer'], 'merton': ['mentor', 'merton', 'termon', 'tormen'], 'merula': ['mauler', 'merula', 'ramule'], 'meruline': ['lemurine', 'meruline', 'relumine'], 'mesa': ['asem', 'mesa', 'same', 'seam'], 'mesad': ['desma', 'mesad'], 'mesadenia': ['deaminase', 'mesadenia'], 'mesail': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesal': ['amsel', 'melas', 'mesal', 'samel'], 'mesalike': ['mesalike', 'seamlike'], 'mesaraic': ['cramasie', 'mesaraic'], 'mesaticephaly': ['hemicatalepsy', 'mesaticephaly'], 'mese': ['mese', 'seem', 'seme', 'smee'], 'meshech': ['meshech', 'shechem'], 'mesial': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesian': ['asimen', 'inseam', 'mesian'], 'mesic': ['mesic', 'semic'], 'mesion': ['eonism', 'mesion', 'oneism', 'simeon'], 'mesitae': ['amesite', 'mesitae', 'semitae'], 'mesne': ['mense', 'mesne', 'semen'], 'meso': ['meso', 'mose', 'some'], 'mesobar': ['ambrose', 'mesobar'], 'mesocephaly': ['elaphomyces', 'mesocephaly'], 'mesognathic': ['asthmogenic', 'mesognathic'], 'mesohepar': ['mesohepar', 'semaphore'], 'mesolite': ['melitose', 'mesolite'], 'mesolithic': ['homiletics', 'mesolithic'], 'mesological': ['mesological', 'semological'], 'mesology': ['mesology', 'semology'], 'mesomeric': ['mesomeric', 'microseme', 'semicrome'], 'mesonotum': ['mesonotum', 'momentous'], 'mesorectal': ['calotermes', 'mesorectal', 'metacresol'], 'mesotonic': ['economist', 'mesotonic'], 'mesoventral': ['mesoventral', 'ventromesal'], 'mespil': ['mespil', 'simple'], 'mesropian': ['mesropian', 'promnesia', 'spironema'], 'messalian': ['messalian', 'seminasal'], 'messaline': ['mealiness', 'messaline'], 'messan': ['enmass', 'maness', 'messan'], 'messelite': ['messelite', 'semisteel', 'teleseism'], 'messines': ['essenism', 'messines'], 'messor': ['messor', 'mosser', 'somers'], 'mestee': ['esteem', 'mestee'], 'mester': ['mester', 'restem', 'temser', 'termes'], 'mesua': ['amuse', 'mesua'], 'meta': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'metabular': ['maturable', 'metabular'], 'metaconid': ['comediant', 'metaconid'], 'metacresol': ['calotermes', 'mesorectal', 'metacresol'], 'metage': ['gamete', 'metage'], 'metaler': ['lameter', 'metaler', 'remetal'], 'metaline': ['melanite', 'meletian', 'metaline', 'nemalite'], 'metaling': ['ligament', 'metaling', 'tegminal'], 'metalist': ['metalist', 'smaltite'], 'metallism': ['metallism', 'smalltime'], 'metamer': ['ammeter', 'metamer'], 'metanilic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'metaphor': ['metaphor', 'trophema'], 'metaphoric': ['amphoteric', 'metaphoric'], 'metaphorical': ['metaphorical', 'pharmacolite'], 'metaphysical': ['lymphectasia', 'metaphysical'], 'metaplastic': ['metaplastic', 'palmatisect'], 'metapore': ['ametrope', 'metapore'], 'metasomal': ['melastoma', 'metasomal'], 'metatarse': ['masterate', 'metatarse'], 'metatheria': ['hemiterata', 'metatheria'], 'metatrophic': ['metatrophic', 'metropathic'], 'metaxenia': ['examinate', 'exanimate', 'metaxenia'], 'mete': ['meet', 'mete', 'teem'], 'meteor': ['meteor', 'remote'], 'meteorgraph': ['graphometer', 'meteorgraph'], 'meteorical': ['carmeloite', 'ectromelia', 'meteorical'], 'meteoristic': ['meteoristic', 'meteoritics'], 'meteoritics': ['meteoristic', 'meteoritics'], 'meteoroid': ['meteoroid', 'odiometer'], 'meter': ['meter', 'retem'], 'meterless': ['meterless', 'metreless'], 'metership': ['herpetism', 'metership', 'metreship', 'temperish'], 'methanal': ['latheman', 'methanal'], 'methanate': ['hetmanate', 'methanate'], 'methanoic': ['hematonic', 'methanoic'], 'mether': ['mether', 'themer'], 'method': ['method', 'mothed'], 'methylacetanilide': ['acetmethylanilide', 'methylacetanilide'], 'methylic': ['methylic', 'thymelic'], 'methylotic': ['lithectomy', 'methylotic'], 'metier': ['metier', 'retime', 'tremie'], 'metin': ['metin', 'temin', 'timne'], 'metis': ['metis', 'smite', 'stime', 'times'], 'metoac': ['comate', 'metoac', 'tecoma'], 'metol': ['metol', 'motel'], 'metonymical': ['laminectomy', 'metonymical'], 'metope': ['metope', 'poemet'], 'metopias': ['epistoma', 'metopias'], 'metosteon': ['metosteon', 'tomentose'], 'metra': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'metrectasia': ['metrectasia', 'remasticate'], 'metreless': ['meterless', 'metreless'], 'metreship': ['herpetism', 'metership', 'metreship', 'temperish'], 'metria': ['imaret', 'metria', 'mirate', 'rimate'], 'metrician': ['antimeric', 'carminite', 'criminate', 'metrician'], 'metrics': ['cretism', 'metrics'], 'metrocratic': ['cratometric', 'metrocratic'], 'metrological': ['logometrical', 'metrological'], 'metronome': ['metronome', 'monometer', 'monotreme'], 'metronomic': ['commorient', 'metronomic', 'monometric'], 'metronomical': ['metronomical', 'monometrical'], 'metropathic': ['metatrophic', 'metropathic'], 'metrophlebitis': ['metrophlebitis', 'phlebometritis'], 'metropole': ['melotrope', 'metropole'], 'metroptosia': ['metroptosia', 'prostomiate'], 'metrorrhea': ['arthromere', 'metrorrhea'], 'metrostyle': ['metrostyle', 'stylometer'], 'mettar': ['matter', 'mettar'], 'metusia': ['metusia', 'suimate', 'timaeus'], 'mew': ['mew', 'wem'], 'meward': ['meward', 'warmed'], 'mho': ['mho', 'ohm'], 'mhometer': ['mhometer', 'ohmmeter'], 'miamia': ['amimia', 'miamia'], 'mian': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'miaotse': ['miaotse', 'ostemia'], 'miaotze': ['atomize', 'miaotze'], 'mias': ['mias', 'saim', 'siam', 'sima'], 'miasmal': ['lamaism', 'miasmal'], 'miastor': ['amorist', 'aortism', 'miastor'], 'miaul': ['aumil', 'miaul'], 'miauler': ['lemuria', 'miauler'], 'mib': ['bim', 'mib'], 'mica': ['amic', 'mica'], 'micah': ['chiam', 'machi', 'micah'], 'micate': ['acmite', 'micate'], 'mication': ['amniotic', 'mication'], 'micellar': ['micellar', 'millrace'], 'michael': ['michael', 'micheal'], 'miche': ['chime', 'hemic', 'miche'], 'micheal': ['michael', 'micheal'], 'micher': ['chimer', 'mechir', 'micher'], 'micht': ['micht', 'mitch'], 'micranthropos': ['micranthropos', 'promonarchist'], 'micro': ['micro', 'moric', 'romic'], 'microcephal': ['microcephal', 'prochemical'], 'microcephaly': ['microcephaly', 'pyrochemical'], 'microcinema': ['microcinema', 'microcnemia'], 'microcnemia': ['microcinema', 'microcnemia'], 'microcrith': ['microcrith', 'trichromic'], 'micropetalous': ['micropetalous', 'somatopleuric'], 'microphagy': ['microphagy', 'myographic'], 'microphone': ['microphone', 'neomorphic'], 'microphot': ['microphot', 'morphotic'], 'microphotograph': ['microphotograph', 'photomicrograph'], 'microphotographic': ['microphotographic', 'photomicrographic'], 'microphotography': ['microphotography', 'photomicrography'], 'microphotoscope': ['microphotoscope', 'photomicroscope'], 'micropterous': ['micropterous', 'prosectorium'], 'micropyle': ['micropyle', 'polymeric'], 'microradiometer': ['microradiometer', 'radiomicrometer'], 'microseme': ['mesomeric', 'microseme', 'semicrome'], 'microspectroscope': ['microspectroscope', 'spectromicroscope'], 'microstat': ['microstat', 'stromatic'], 'microsthene': ['merosthenic', 'microsthene'], 'microstome': ['microstome', 'osmometric'], 'microtia': ['amoritic', 'microtia'], 'microtinae': ['marcionite', 'microtinae', 'remication'], 'mid': ['dim', 'mid'], 'midden': ['midden', 'minded'], 'middler': ['middler', 'mildred'], 'middy': ['didym', 'middy'], 'mide': ['demi', 'diem', 'dime', 'mide'], 'mider': ['dimer', 'mider'], 'mididae': ['amidide', 'diamide', 'mididae'], 'midrange': ['dirgeman', 'margined', 'midrange'], 'midstory': ['midstory', 'modistry'], 'miek': ['miek', 'mike'], 'mien': ['mein', 'mien', 'mine'], 'mig': ['gim', 'mig'], 'migraine': ['imaginer', 'migraine'], 'migrate': ['migrate', 'ragtime'], 'migratory': ['gyromitra', 'migratory'], 'mihrab': ['brahmi', 'mihrab'], 'mikael': ['kelima', 'mikael'], 'mike': ['miek', 'mike'], 'mil': ['lim', 'mil'], 'mila': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'milan': ['lamin', 'liman', 'milan'], 'milden': ['milden', 'mindel'], 'mildness': ['mildness', 'mindless'], 'mildred': ['middler', 'mildred'], 'mile': ['emil', 'lime', 'mile'], 'milepost': ['milepost', 'polemist'], 'miler': ['limer', 'meril', 'miler'], 'miles': ['limes', 'miles', 'slime', 'smile'], 'milesian': ['alienism', 'milesian'], 'milestone': ['limestone', 'melonites', 'milestone'], 'milicent': ['limnetic', 'milicent'], 'military': ['limitary', 'military'], 'militate': ['limitate', 'militate'], 'militation': ['limitation', 'militation'], 'milken': ['kimnel', 'milken'], 'millennia': ['melanilin', 'millennia'], 'miller': ['miller', 'remill'], 'millet': ['mellit', 'millet'], 'milliare': ['milliare', 'ramillie'], 'millrace': ['micellar', 'millrace'], 'milner': ['limner', 'merlin', 'milner'], 'milo': ['milo', 'moil'], 'milsie': ['milsie', 'simile'], 'miltonia': ['limation', 'miltonia'], 'mima': ['ammi', 'imam', 'maim', 'mima'], 'mime': ['emim', 'mime'], 'mimester': ['meristem', 'mimester'], 'mimi': ['immi', 'mimi'], 'mimidae': ['amimide', 'mimidae'], 'mimosa': ['amomis', 'mimosa'], 'min': ['min', 'nim'], 'mina': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'minacity': ['imitancy', 'intimacy', 'minacity'], 'minar': ['inarm', 'minar'], 'minaret': ['minaret', 'raiment', 'tireman'], 'minareted': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'minargent': ['germinant', 'minargent'], 'minatory': ['minatory', 'romanity'], 'mince': ['menic', 'mince'], 'minchiate': ['hematinic', 'minchiate'], 'mincopie': ['mincopie', 'poimenic'], 'minded': ['midden', 'minded'], 'mindel': ['milden', 'mindel'], 'mindelian': ['eliminand', 'mindelian'], 'minder': ['minder', 'remind'], 'mindless': ['mildness', 'mindless'], 'mine': ['mein', 'mien', 'mine'], 'miner': ['inerm', 'miner'], 'mineral': ['marline', 'mineral', 'ramline'], 'minerva': ['minerva', 'vermian'], 'minerval': ['minerval', 'verminal'], 'mingler': ['gremlin', 'mingler'], 'miniator': ['miniator', 'triamino'], 'minish': ['minish', 'nimshi'], 'minister': ['minister', 'misinter'], 'ministry': ['ministry', 'myristin'], 'minkish': ['minkish', 'nimkish'], 'minnetaree': ['minnetaree', 'nemertinea'], 'minoan': ['amnion', 'minoan', 'nomina'], 'minometer': ['minometer', 'omnimeter'], 'minor': ['minor', 'morin'], 'minorate': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'minorca': ['amicron', 'marconi', 'minorca', 'romanic'], 'minos': ['minos', 'osmin', 'simon'], 'minot': ['minot', 'timon', 'tomin'], 'mintage': ['mintage', 'teaming', 'tegmina'], 'minter': ['minter', 'remint', 'termin'], 'minuend': ['minuend', 'unmined'], 'minuet': ['minuet', 'minute'], 'minute': ['minuet', 'minute'], 'minutely': ['minutely', 'untimely'], 'minuter': ['minuter', 'unmiter'], 'minyas': ['maysin', 'minyas', 'mysian'], 'mir': ['mir', 'rim'], 'mira': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'mirabel': ['embrail', 'mirabel'], 'mirac': ['marci', 'mirac'], 'miracle': ['claimer', 'miracle', 'reclaim'], 'mirage': ['imager', 'maigre', 'margie', 'mirage'], 'mirana': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'miranha': ['ahriman', 'miranha'], 'mirate': ['imaret', 'metria', 'mirate', 'rimate'], 'mirbane': ['ambrein', 'mirbane'], 'mire': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'mirfak': ['marfik', 'mirfak'], 'mirounga': ['mirounga', 'moringua', 'origanum'], 'miry': ['miry', 'rimy', 'yirm'], 'mirza': ['mirza', 'mizar'], 'misact': ['mastic', 'misact'], 'misadvise': ['admissive', 'misadvise'], 'misagent': ['misagent', 'steaming'], 'misaim': ['misaim', 'misima'], 'misandry': ['misandry', 'myrsinad'], 'misassociation': ['associationism', 'misassociation'], 'misatone': ['masonite', 'misatone'], 'misattend': ['misattend', 'tandemist'], 'misaunter': ['antiserum', 'misaunter'], 'misbehavior': ['behaviorism', 'misbehavior'], 'mischance': ['mechanics', 'mischance'], 'misclass': ['classism', 'misclass'], 'miscoin': ['iconism', 'imsonic', 'miscoin'], 'misconfiguration': ['configurationism', 'misconfiguration'], 'misconstitutional': ['constitutionalism', 'misconstitutional'], 'misconstruction': ['constructionism', 'misconstruction'], 'miscreant': ['encratism', 'miscreant'], 'miscreation': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'miscue': ['cesium', 'miscue'], 'misdate': ['diastem', 'misdate'], 'misdaub': ['misdaub', 'submaid'], 'misdeal': ['misdeal', 'mislead'], 'misdealer': ['misdealer', 'misleader', 'misleared'], 'misdeclare': ['creedalism', 'misdeclare'], 'misdiet': ['misdiet', 'misedit', 'mistide'], 'misdivision': ['divisionism', 'misdivision'], 'misdread': ['disarmed', 'misdread'], 'mise': ['mise', 'semi', 'sime'], 'misease': ['misease', 'siamese'], 'misecclesiastic': ['ecclesiasticism', 'misecclesiastic'], 'misedit': ['misdiet', 'misedit', 'mistide'], 'misexpression': ['expressionism', 'misexpression'], 'mishmash': ['mishmash', 'shammish'], 'misima': ['misaim', 'misima'], 'misimpression': ['impressionism', 'misimpression'], 'misinter': ['minister', 'misinter'], 'mislabel': ['mislabel', 'semiball'], 'mislabor': ['laborism', 'mislabor'], 'mislead': ['misdeal', 'mislead'], 'misleader': ['misdealer', 'misleader', 'misleared'], 'mislear': ['mislear', 'realism'], 'misleared': ['misdealer', 'misleader', 'misleared'], 'misname': ['amenism', 'immanes', 'misname'], 'misniac': ['cainism', 'misniac'], 'misnomed': ['demonism', 'medimnos', 'misnomed'], 'misoneism': ['misoneism', 'simeonism'], 'mispage': ['impages', 'mispage'], 'misperception': ['misperception', 'perceptionism'], 'misperform': ['misperform', 'preformism'], 'misphrase': ['misphrase', 'seraphism'], 'misplay': ['impalsy', 'misplay'], 'misplead': ['misplead', 'pedalism'], 'misprisal': ['misprisal', 'spiralism'], 'misproud': ['disporum', 'misproud'], 'misprovide': ['disimprove', 'misprovide'], 'misput': ['misput', 'sumpit'], 'misquotation': ['antimosquito', 'misquotation'], 'misrate': ['artemis', 'maestri', 'misrate'], 'misread': ['misread', 'sidearm'], 'misreform': ['misreform', 'reformism'], 'misrelate': ['misrelate', 'salimeter'], 'misrelation': ['misrelation', 'orientalism', 'relationism'], 'misreliance': ['criminalese', 'misreliance'], 'misreporter': ['misreporter', 'reporterism'], 'misrepresentation': ['misrepresentation', 'representationism'], 'misrepresenter': ['misrepresenter', 'remisrepresent'], 'misrepute': ['misrepute', 'septerium'], 'misrhyme': ['misrhyme', 'shimmery'], 'misrule': ['misrule', 'simuler'], 'missal': ['missal', 'salmis'], 'missayer': ['emissary', 'missayer'], 'misset': ['misset', 'tmesis'], 'misshape': ['emphasis', 'misshape'], 'missioner': ['missioner', 'remission'], 'misspell': ['misspell', 'psellism'], 'missuggestion': ['missuggestion', 'suggestionism'], 'missy': ['missy', 'mysis'], 'mist': ['mist', 'smit', 'stim'], 'misteach': ['mastiche', 'misteach'], 'mister': ['merist', 'mister', 'smiter'], 'mistide': ['misdiet', 'misedit', 'mistide'], 'mistle': ['mistle', 'smilet'], 'mistone': ['mistone', 'moisten'], 'mistradition': ['mistradition', 'traditionism'], 'mistrain': ['marinist', 'mistrain'], 'mistreat': ['mistreat', 'teratism'], 'mistrial': ['mistrial', 'trialism'], 'mistutor': ['mistutor', 'tutorism'], 'misty': ['misty', 'stimy'], 'misunderstander': ['misunderstander', 'remisunderstand'], 'misura': ['misura', 'ramusi'], 'misuser': ['misuser', 'surmise'], 'mitannish': ['mitannish', 'sminthian'], 'mitch': ['micht', 'mitch'], 'mite': ['emit', 'item', 'mite', 'time'], 'mitella': ['mitella', 'tellima'], 'miteproof': ['miteproof', 'timeproof'], 'miter': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitered': ['demerit', 'dimeter', 'merited', 'mitered'], 'miterer': ['meriter', 'miterer', 'trireme'], 'mithraic': ['arithmic', 'mithraic', 'mithriac'], 'mithraicist': ['mithraicist', 'mithraistic'], 'mithraistic': ['mithraicist', 'mithraistic'], 'mithriac': ['arithmic', 'mithraic', 'mithriac'], 'mitra': ['mitra', 'tarmi', 'timar', 'tirma'], 'mitral': ['mitral', 'ramtil'], 'mitrate': ['martite', 'mitrate'], 'mitre': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitrer': ['mitrer', 'retrim', 'trimer'], 'mitridae': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'mixer': ['mixer', 'remix'], 'mizar': ['mirza', 'mizar'], 'mnesic': ['cnemis', 'mnesic'], 'mniaceous': ['acuminose', 'mniaceous'], 'mniotiltidae': ['delimitation', 'mniotiltidae'], 'mnium': ['mnium', 'nummi'], 'mo': ['mo', 'om'], 'moabitic': ['biatomic', 'moabitic'], 'moan': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'moarian': ['amanori', 'moarian'], 'moat': ['atmo', 'atom', 'moat', 'toma'], 'mob': ['bom', 'mob'], 'mobbable': ['bombable', 'mobbable'], 'mobber': ['bomber', 'mobber'], 'mobbish': ['hobbism', 'mobbish'], 'mobed': ['demob', 'mobed'], 'mobile': ['bemoil', 'mobile'], 'mobilian': ['binomial', 'mobilian'], 'mobocrat': ['mobocrat', 'motorcab'], 'mobship': ['mobship', 'phobism'], 'mobster': ['bestorm', 'mobster'], 'mocker': ['mocker', 'remock'], 'mocmain': ['ammonic', 'mocmain'], 'mod': ['dom', 'mod'], 'modal': ['domal', 'modal'], 'mode': ['dome', 'mode', 'moed'], 'modeler': ['demerol', 'modeler', 'remodel'], 'modelist': ['melodist', 'modelist'], 'modena': ['daemon', 'damone', 'modena'], 'modenese': ['modenese', 'needsome'], 'moderant': ['moderant', 'normated'], 'moderantism': ['memorandist', 'moderantism', 'semidormant'], 'modern': ['modern', 'morned'], 'modernistic': ['modernistic', 'monstricide'], 'modestly': ['modestly', 'styledom'], 'modesty': ['dystome', 'modesty'], 'modiste': ['distome', 'modiste'], 'modistry': ['midstory', 'modistry'], 'modius': ['modius', 'sodium'], 'moe': ['meo', 'moe'], 'moed': ['dome', 'mode', 'moed'], 'moerithere': ['heteromeri', 'moerithere'], 'mogdad': ['goddam', 'mogdad'], 'moha': ['ahom', 'moha'], 'mohair': ['homrai', 'mahori', 'mohair'], 'mohel': ['hemol', 'mohel'], 'mohican': ['mohican', 'monachi'], 'moho': ['homo', 'moho'], 'mohur': ['humor', 'mohur'], 'moider': ['dormie', 'moider'], 'moieter': ['moieter', 'romeite'], 'moiety': ['moiety', 'moyite'], 'moil': ['milo', 'moil'], 'moiles': ['lemosi', 'limose', 'moiles'], 'moineau': ['eunomia', 'moineau'], 'moira': ['maori', 'mario', 'moira'], 'moisten': ['mistone', 'moisten'], 'moistener': ['moistener', 'neoterism'], 'moisture': ['moisture', 'semitour'], 'moit': ['itmo', 'moit', 'omit', 'timo'], 'mojo': ['joom', 'mojo'], 'moke': ['kome', 'moke'], 'moki': ['komi', 'moki'], 'mola': ['loam', 'loma', 'malo', 'mola', 'olam'], 'molar': ['molar', 'moral', 'romal'], 'molarity': ['molarity', 'morality'], 'molary': ['amyrol', 'molary'], 'molder': ['dermol', 'molder', 'remold'], 'moler': ['moler', 'morel'], 'molge': ['glome', 'golem', 'molge'], 'molidae': ['melodia', 'molidae'], 'molinia': ['molinia', 'monilia'], 'mollusca': ['callosum', 'mollusca'], 'moloid': ['moloid', 'oildom'], 'molten': ['loment', 'melton', 'molten'], 'molybdena': ['baldmoney', 'molybdena'], 'molybdenic': ['combinedly', 'molybdenic'], 'mome': ['memo', 'mome'], 'moment': ['moment', 'montem'], 'momentary': ['manometry', 'momentary'], 'momentous': ['mesonotum', 'momentous'], 'momotinae': ['amniotome', 'momotinae'], 'mona': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'monachi': ['mohican', 'monachi'], 'monactin': ['monactin', 'montanic'], 'monad': ['damon', 'monad', 'nomad'], 'monadic': ['monadic', 'nomadic'], 'monadical': ['monadical', 'nomadical'], 'monadically': ['monadically', 'nomadically'], 'monadina': ['monadina', 'nomadian'], 'monadism': ['monadism', 'nomadism'], 'monaene': ['anemone', 'monaene'], 'monal': ['almon', 'monal'], 'monamniotic': ['commination', 'monamniotic'], 'monanthous': ['anthonomus', 'monanthous'], 'monarch': ['monarch', 'nomarch', 'onmarch'], 'monarchial': ['harmonical', 'monarchial'], 'monarchian': ['anharmonic', 'monarchian'], 'monarchistic': ['chiromancist', 'monarchistic'], 'monarchy': ['monarchy', 'nomarchy'], 'monarda': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'monas': ['manso', 'mason', 'monas'], 'monasa': ['monasa', 'samoan'], 'monase': ['monase', 'nosema'], 'monaster': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monastery': ['monastery', 'oysterman'], 'monastic': ['catonism', 'monastic'], 'monastical': ['catmalison', 'monastical'], 'monatomic': ['commation', 'monatomic'], 'monaural': ['anomural', 'monaural'], 'monday': ['dynamo', 'monday'], 'mone': ['mone', 'nome', 'omen'], 'monel': ['lemon', 'melon', 'monel'], 'moner': ['enorm', 'moner', 'morne'], 'monera': ['enamor', 'monera', 'oreman', 'romane'], 'moneral': ['almoner', 'moneral', 'nemoral'], 'monergist': ['gerontism', 'monergist'], 'moneric': ['incomer', 'moneric'], 'monesia': ['monesia', 'osamine', 'osmanie'], 'monetary': ['monetary', 'myronate', 'naometry'], 'money': ['money', 'moyen'], 'moneybag': ['bogeyman', 'moneybag'], 'moneyless': ['moneyless', 'moyenless'], 'monger': ['germon', 'monger', 'morgen'], 'mongler': ['mongler', 'mongrel'], 'mongoose': ['gonosome', 'mongoose'], 'mongrel': ['mongler', 'mongrel'], 'mongrelity': ['longimetry', 'mongrelity'], 'monial': ['monial', 'nomial', 'oilman'], 'monias': ['monias', 'osamin', 'osmina'], 'monica': ['camion', 'conima', 'manioc', 'monica'], 'monilated': ['antimodel', 'maldonite', 'monilated'], 'monilia': ['molinia', 'monilia'], 'monism': ['monism', 'nomism', 'simmon'], 'monist': ['inmost', 'monist', 'omnist'], 'monistic': ['monistic', 'nicotism', 'nomistic'], 'monitory': ['monitory', 'moronity'], 'monitress': ['monitress', 'sermonist'], 'mono': ['mono', 'moon'], 'monoacid': ['damonico', 'monoacid'], 'monoazo': ['monoazo', 'monozoa'], 'monocleid': ['clinodome', 'melodicon', 'monocleid'], 'monoclinous': ['monoclinous', 'monoclonius'], 'monoclonius': ['monoclinous', 'monoclonius'], 'monocracy': ['monocracy', 'nomocracy'], 'monocystidae': ['monocystidae', 'monocystidea'], 'monocystidea': ['monocystidae', 'monocystidea'], 'monodactylous': ['condylomatous', 'monodactylous'], 'monodactyly': ['dactylonomy', 'monodactyly'], 'monodelphia': ['amidophenol', 'monodelphia'], 'monodonta': ['anomodont', 'monodonta'], 'monodram': ['monodram', 'romandom'], 'monoecian': ['monoecian', 'neocomian'], 'monoecism': ['economism', 'monoecism', 'monosemic'], 'monoeidic': ['meconioid', 'monoeidic'], 'monogastric': ['gastronomic', 'monogastric'], 'monogenist': ['monogenist', 'nomogenist'], 'monogenous': ['monogenous', 'nomogenous'], 'monogeny': ['monogeny', 'nomogeny'], 'monogram': ['monogram', 'nomogram'], 'monograph': ['monograph', 'nomograph', 'phonogram'], 'monographer': ['geranomorph', 'monographer', 'nomographer'], 'monographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'monographical': ['gramophonical', 'monographical', 'nomographical'], 'monographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'monographist': ['gramophonist', 'monographist'], 'monography': ['monography', 'nomography'], 'monoid': ['domino', 'monoid'], 'monological': ['monological', 'nomological'], 'monologist': ['monologist', 'nomologist', 'ontologism'], 'monology': ['monology', 'nomology'], 'monometer': ['metronome', 'monometer', 'monotreme'], 'monometric': ['commorient', 'metronomic', 'monometric'], 'monometrical': ['metronomical', 'monometrical'], 'monomorphic': ['monomorphic', 'morphonomic'], 'monont': ['monont', 'monton'], 'monopathy': ['monopathy', 'pathonomy'], 'monopersulphuric': ['monopersulphuric', 'permonosulphuric'], 'monophote': ['monophote', 'motophone'], 'monophylite': ['entomophily', 'monophylite'], 'monophyllous': ['monophyllous', 'nomophyllous'], 'monoplanist': ['monoplanist', 'postnominal'], 'monopsychism': ['monopsychism', 'psychomonism'], 'monopteral': ['monopteral', 'protonemal'], 'monosemic': ['economism', 'monoecism', 'monosemic'], 'monosodium': ['monosodium', 'omnimodous', 'onosmodium'], 'monotheism': ['monotheism', 'nomotheism'], 'monotheist': ['monotheist', 'thomsonite'], 'monothetic': ['monothetic', 'nomothetic'], 'monotreme': ['metronome', 'monometer', 'monotreme'], 'monotypal': ['monotypal', 'toponymal'], 'monotypic': ['monotypic', 'toponymic'], 'monotypical': ['monotypical', 'toponymical'], 'monozoa': ['monoazo', 'monozoa'], 'monozoic': ['monozoic', 'zoonomic'], 'monroeism': ['monroeism', 'semimoron'], 'monsieur': ['inermous', 'monsieur'], 'monstera': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monstricide': ['modernistic', 'monstricide'], 'montage': ['geomant', 'magneto', 'megaton', 'montage'], 'montagnais': ['antagonism', 'montagnais'], 'montanic': ['monactin', 'montanic'], 'montanite': ['mentation', 'montanite'], 'montem': ['moment', 'montem'], 'montes': ['montes', 'ostmen'], 'montia': ['atimon', 'manito', 'montia'], 'monticule': ['ctenolium', 'monticule'], 'monton': ['monont', 'monton'], 'montu': ['montu', 'mount', 'notum'], 'monture': ['monture', 'mounter', 'remount'], 'monumentary': ['monumentary', 'unmomentary'], 'mood': ['doom', 'mood'], 'mooder': ['doomer', 'mooder', 'redoom', 'roomed'], 'mool': ['loom', 'mool'], 'mools': ['mools', 'sloom'], 'moon': ['mono', 'moon'], 'moonglade': ['megalodon', 'moonglade'], 'moonite': ['emotion', 'moonite'], 'moonja': ['majoon', 'moonja'], 'moonscape': ['manoscope', 'moonscape'], 'moonseed': ['endosome', 'moonseed'], 'moontide': ['demotion', 'entomoid', 'moontide'], 'moop': ['moop', 'pomo'], 'moor': ['moor', 'moro', 'room'], 'moorage': ['moorage', 'roomage'], 'moorball': ['ballroom', 'moorball'], 'moore': ['moore', 'romeo'], 'moorn': ['moorn', 'moron'], 'moorship': ['isomorph', 'moorship'], 'moorup': ['moorup', 'uproom'], 'moorwort': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'moory': ['moory', 'roomy'], 'moost': ['moost', 'smoot'], 'moot': ['moot', 'toom'], 'mooth': ['mooth', 'thoom'], 'mootstead': ['mootstead', 'stomatode'], 'mop': ['mop', 'pom'], 'mopane': ['mopane', 'pomane'], 'mope': ['mope', 'poem', 'pome'], 'moper': ['merop', 'moper', 'proem', 'remop'], 'mophead': ['hemapod', 'mophead'], 'mopish': ['mopish', 'ophism'], 'mopla': ['mopla', 'palmo'], 'mopsy': ['mopsy', 'myops'], 'mora': ['amor', 'maro', 'mora', 'omar', 'roam'], 'morainal': ['manorial', 'morainal'], 'moraine': ['moraine', 'romaine'], 'moral': ['molar', 'moral', 'romal'], 'morality': ['molarity', 'morality'], 'morals': ['morals', 'morsal'], 'moran': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'morat': ['amort', 'morat', 'torma'], 'morate': ['amoret', 'morate'], 'moray': ['mayor', 'moray'], 'morbid': ['dibrom', 'morbid'], 'mordancy': ['dormancy', 'mordancy'], 'mordant': ['dormant', 'mordant'], 'mordenite': ['interdome', 'mordenite', 'nemertoid'], 'mordicate': ['decimator', 'medicator', 'mordicate'], 'more': ['mero', 'more', 'omer', 'rome'], 'moreish': ['heroism', 'moreish'], 'morel': ['moler', 'morel'], 'morencite': ['entomeric', 'intercome', 'morencite'], 'morenita': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'moreote': ['moreote', 'oometer'], 'mores': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'morga': ['agrom', 'morga'], 'morganatic': ['actinogram', 'morganatic'], 'morgay': ['gyroma', 'morgay'], 'morgen': ['germon', 'monger', 'morgen'], 'moribund': ['moribund', 'unmorbid'], 'moric': ['micro', 'moric', 'romic'], 'moriche': ['homeric', 'moriche'], 'morin': ['minor', 'morin'], 'moringa': ['ingomar', 'moringa', 'roaming'], 'moringua': ['mirounga', 'moringua', 'origanum'], 'morn': ['morn', 'norm'], 'morne': ['enorm', 'moner', 'morne'], 'morned': ['modern', 'morned'], 'mornless': ['mornless', 'normless'], 'moro': ['moor', 'moro', 'room'], 'morocota': ['coatroom', 'morocota'], 'moron': ['moorn', 'moron'], 'moronic': ['moronic', 'omicron'], 'moronity': ['monitory', 'moronity'], 'morphea': ['amphore', 'morphea'], 'morphonomic': ['monomorphic', 'morphonomic'], 'morphotic': ['microphot', 'morphotic'], 'morphotropic': ['morphotropic', 'protomorphic'], 'morrisean': ['morrisean', 'rosmarine'], 'morsal': ['morals', 'morsal'], 'morse': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'mortacious': ['mortacious', 'urosomatic'], 'mortar': ['marrot', 'mortar'], 'mortician': ['martinico', 'mortician'], 'mortise': ['erotism', 'mortise', 'trisome'], 'morton': ['morton', 'tomorn'], 'mortuarian': ['mortuarian', 'muratorian'], 'mortuary': ['mortuary', 'outmarry'], 'mortuous': ['mortuous', 'tumorous'], 'morus': ['morus', 'mosur'], 'mosaic': ['aosmic', 'mosaic'], 'mosandrite': ['mosandrite', 'tarsonemid'], 'mosasauri': ['amaurosis', 'mosasauri'], 'moschate': ['chatsome', 'moschate'], 'mose': ['meso', 'mose', 'some'], 'mosker': ['mosker', 'smoker'], 'mosser': ['messor', 'mosser', 'somers'], 'moste': ['moste', 'smote'], 'mosting': ['gnomist', 'mosting'], 'mosul': ['mosul', 'mouls', 'solum'], 'mosur': ['morus', 'mosur'], 'mot': ['mot', 'tom'], 'mote': ['mote', 'tome'], 'motel': ['metol', 'motel'], 'motet': ['motet', 'motte', 'totem'], 'mothed': ['method', 'mothed'], 'mother': ['mother', 'thermo'], 'motherland': ['enthraldom', 'motherland'], 'motherward': ['motherward', 'threadworm'], 'motograph': ['motograph', 'photogram'], 'motographic': ['motographic', 'tomographic'], 'motophone': ['monophote', 'motophone'], 'motorcab': ['mobocrat', 'motorcab'], 'motte': ['motet', 'motte', 'totem'], 'moud': ['doum', 'moud', 'odum'], 'moudy': ['moudy', 'yomud'], 'moul': ['moul', 'ulmo'], 'mouls': ['mosul', 'mouls', 'solum'], 'mound': ['donum', 'mound'], 'mount': ['montu', 'mount', 'notum'], 'mountained': ['emundation', 'mountained'], 'mountaineer': ['enumeration', 'mountaineer'], 'mounted': ['demount', 'mounted'], 'mounter': ['monture', 'mounter', 'remount'], 'mousery': ['mousery', 'seymour'], 'mousoni': ['mousoni', 'ominous'], 'mousse': ['mousse', 'smouse'], 'moutan': ['amount', 'moutan', 'outman'], 'mouther': ['mouther', 'theorum'], 'mover': ['mover', 'vomer'], 'moy': ['moy', 'yom'], 'moyen': ['money', 'moyen'], 'moyenless': ['moneyless', 'moyenless'], 'moyite': ['moiety', 'moyite'], 'mru': ['mru', 'rum'], 'mu': ['mu', 'um'], 'muang': ['muang', 'munga'], 'much': ['chum', 'much'], 'mucic': ['cumic', 'mucic'], 'mucilage': ['glucemia', 'mucilage'], 'mucin': ['cumin', 'mucin'], 'mucinoid': ['conidium', 'mucinoid', 'oncidium'], 'mucofibrous': ['fibromucous', 'mucofibrous'], 'mucoid': ['codium', 'mucoid'], 'muconic': ['muconic', 'uncomic'], 'mucor': ['mucor', 'mucro'], 'mucoserous': ['mucoserous', 'seromucous'], 'mucro': ['mucor', 'mucro'], 'mucrones': ['consumer', 'mucrones'], 'mud': ['dum', 'mud'], 'mudar': ['mudar', 'mudra'], 'mudden': ['edmund', 'mudden'], 'mudir': ['mudir', 'murid'], 'mudra': ['mudar', 'mudra'], 'mudstone': ['mudstone', 'unmodest'], 'mug': ['gum', 'mug'], 'muga': ['gaum', 'muga'], 'muggles': ['muggles', 'smuggle'], 'mugweed': ['gumweed', 'mugweed'], 'muid': ['duim', 'muid'], 'muilla': ['allium', 'alulim', 'muilla'], 'muir': ['muir', 'rimu'], 'muishond': ['muishond', 'unmodish'], 'muist': ['muist', 'tuism'], 'mukri': ['kurmi', 'mukri'], 'muleta': ['amulet', 'muleta'], 'mulga': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'mulier': ['mulier', 'muriel'], 'mulita': ['mulita', 'ultima'], 'mulk': ['kulm', 'mulk'], 'multani': ['multani', 'talinum'], 'multinervose': ['multinervose', 'volunteerism'], 'multipole': ['impollute', 'multipole'], 'mumbler': ['bummler', 'mumbler'], 'munda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'mundane': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'munga': ['muang', 'munga'], 'mungo': ['mungo', 'muong'], 'munia': ['maniu', 'munia', 'unami'], 'munity': ['munity', 'mutiny'], 'muong': ['mungo', 'muong'], 'mura': ['arum', 'maru', 'mura'], 'murage': ['mauger', 'murage'], 'mural': ['mural', 'rumal'], 'muralist': ['altruism', 'muralist', 'traulism', 'ultraism'], 'muran': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'murat': ['martu', 'murat', 'turma'], 'muratorian': ['mortuarian', 'muratorian'], 'murderer': ['demurrer', 'murderer'], 'murdering': ['demurring', 'murdering'], 'murderingly': ['demurringly', 'murderingly'], 'murex': ['murex', 'rumex'], 'murga': ['garum', 'murga'], 'muricate': ['ceratium', 'muricate'], 'muricine': ['irenicum', 'muricine'], 'murid': ['mudir', 'murid'], 'muriel': ['mulier', 'muriel'], 'murine': ['murine', 'nerium'], 'murly': ['murly', 'rumly'], 'murmurer': ['murmurer', 'remurmur'], 'murrain': ['murrain', 'murrina'], 'murrina': ['murrain', 'murrina'], 'murut': ['murut', 'utrum'], 'murza': ['mazur', 'murza'], 'mus': ['mus', 'sum'], 'musa': ['masu', 'musa', 'saum'], 'musal': ['lamus', 'malus', 'musal', 'slaum'], 'musalmani': ['manualism', 'musalmani'], 'musang': ['magnus', 'musang'], 'musar': ['musar', 'ramus', 'rusma', 'surma'], 'musca': ['camus', 'musca', 'scaum', 'sumac'], 'muscade': ['camused', 'muscade'], 'muscarine': ['muscarine', 'sucramine'], 'musci': ['musci', 'music'], 'muscicole': ['leucocism', 'muscicole'], 'muscinae': ['muscinae', 'semuncia'], 'muscle': ['clumse', 'muscle'], 'muscly': ['clumsy', 'muscly'], 'muscone': ['consume', 'muscone'], 'muscot': ['custom', 'muscot'], 'mused': ['mused', 'sedum'], 'museography': ['hypergamous', 'museography'], 'muser': ['muser', 'remus', 'serum'], 'musha': ['hamus', 'musha'], 'music': ['musci', 'music'], 'musicate': ['autecism', 'musicate'], 'musico': ['musico', 'suomic'], 'musie': ['iseum', 'musie'], 'musing': ['musing', 'signum'], 'muslined': ['muslined', 'unmisled', 'unsmiled'], 'musophagine': ['amphigenous', 'musophagine'], 'mussaenda': ['mussaenda', 'unamassed'], 'must': ['must', 'smut', 'stum'], 'mustang': ['mustang', 'stagnum'], 'mustard': ['durmast', 'mustard'], 'muster': ['muster', 'sertum', 'stumer'], 'musterer': ['musterer', 'remuster'], 'mustily': ['mustily', 'mytilus'], 'muta': ['muta', 'taum'], 'mutable': ['atumble', 'mutable'], 'mutant': ['mutant', 'tantum', 'tutman'], 'mutase': ['meatus', 'mutase'], 'mute': ['mute', 'tume'], 'muteness': ['muteness', 'tenesmus'], 'mutescence': ['mutescence', 'tumescence'], 'mutilate': ['mutilate', 'ultimate'], 'mutilation': ['mutilation', 'ultimation'], 'mutiny': ['munity', 'mutiny'], 'mutism': ['mutism', 'summit'], 'mutual': ['mutual', 'umlaut'], 'mutulary': ['mutulary', 'tumulary'], 'muysca': ['cyamus', 'muysca'], 'mwa': ['maw', 'mwa'], 'my': ['my', 'ym'], 'mya': ['amy', 'may', 'mya', 'yam'], 'myal': ['amyl', 'lyam', 'myal'], 'myaria': ['amiray', 'myaria'], 'myatonic': ['cymation', 'myatonic', 'onymatic'], 'mycelia': ['amyelic', 'mycelia'], 'mycelian': ['clymenia', 'mycelian'], 'mycoid': ['cymoid', 'mycoid'], 'mycophagist': ['mycophagist', 'phagocytism'], 'mycose': ['cymose', 'mycose'], 'mycosterol': ['mycosterol', 'sclerotomy'], 'mycotrophic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'mycterism': ['mycterism', 'symmetric'], 'myctodera': ['myctodera', 'radectomy'], 'mydaleine': ['amylidene', 'mydaleine'], 'myeloencephalitis': ['encephalomyelitis', 'myeloencephalitis'], 'myelomeningitis': ['meningomyelitis', 'myelomeningitis'], 'myelomeningocele': ['meningomyelocele', 'myelomeningocele'], 'myelon': ['lemony', 'myelon'], 'myelonal': ['amylenol', 'myelonal'], 'myeloneuritis': ['myeloneuritis', 'neuromyelitis'], 'myeloplast': ['meloplasty', 'myeloplast'], 'mygale': ['gamely', 'gleamy', 'mygale'], 'myitis': ['myitis', 'simity'], 'myliobatid': ['bimodality', 'myliobatid'], 'mymar': ['mymar', 'rammy'], 'myna': ['many', 'myna'], 'myoatrophy': ['amyotrophy', 'myoatrophy'], 'myocolpitis': ['myocolpitis', 'polysomitic'], 'myofibroma': ['fibromyoma', 'myofibroma'], 'myoglobin': ['boomingly', 'myoglobin'], 'myographic': ['microphagy', 'myographic'], 'myographist': ['myographist', 'pythagorism'], 'myolipoma': ['lipomyoma', 'myolipoma'], 'myomohysterectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'myope': ['myope', 'pomey'], 'myoplastic': ['myoplastic', 'polymastic'], 'myoplasty': ['myoplasty', 'polymasty'], 'myopolar': ['myopolar', 'playroom'], 'myops': ['mopsy', 'myops'], 'myosin': ['isonym', 'myosin', 'simony'], 'myosote': ['myosote', 'toysome'], 'myotenotomy': ['myotenotomy', 'tenomyotomy'], 'myotic': ['comity', 'myotic'], 'myra': ['army', 'mary', 'myra', 'yarm'], 'myrcia': ['myrcia', 'myrica'], 'myrialiter': ['myrialiter', 'myrialitre'], 'myrialitre': ['myrialiter', 'myrialitre'], 'myriameter': ['myriameter', 'myriametre'], 'myriametre': ['myriameter', 'myriametre'], 'myrianida': ['dimyarian', 'myrianida'], 'myrica': ['myrcia', 'myrica'], 'myristate': ['myristate', 'tasimetry'], 'myristin': ['ministry', 'myristin'], 'myristone': ['myristone', 'smyrniote'], 'myronate': ['monetary', 'myronate', 'naometry'], 'myrsinad': ['misandry', 'myrsinad'], 'myrtales': ['masterly', 'myrtales'], 'myrtle': ['myrtle', 'termly'], 'mysell': ['mysell', 'smelly'], 'mysian': ['maysin', 'minyas', 'mysian'], 'mysis': ['missy', 'mysis'], 'mysterial': ['mysterial', 'salimetry'], 'mystes': ['mystes', 'system'], 'mythographer': ['mythographer', 'thermography'], 'mythogreen': ['mythogreen', 'thermogeny'], 'mythologer': ['mythologer', 'thermology'], 'mythopoeic': ['homeotypic', 'mythopoeic'], 'mythus': ['mythus', 'thymus'], 'mytilid': ['mytilid', 'timidly'], 'mytilus': ['mustily', 'mytilus'], 'myxochondroma': ['chondromyxoma', 'myxochondroma'], 'myxochondrosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'myxocystoma': ['cystomyxoma', 'myxocystoma'], 'myxofibroma': ['fibromyxoma', 'myxofibroma'], 'myxofibrosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'myxoinoma': ['inomyxoma', 'myxoinoma'], 'myxolipoma': ['lipomyxoma', 'myxolipoma'], 'myxotheca': ['chemotaxy', 'myxotheca'], 'na': ['an', 'na'], 'naa': ['ana', 'naa'], 'naam': ['anam', 'mana', 'naam', 'nama'], 'nab': ['ban', 'nab'], 'nabak': ['banak', 'nabak'], 'nabal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nabalism': ['bailsman', 'balanism', 'nabalism'], 'nabalite': ['albanite', 'balanite', 'nabalite'], 'nabalus': ['balanus', 'nabalus', 'subanal'], 'nabk': ['bank', 'knab', 'nabk'], 'nabla': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nable': ['leban', 'nable'], 'nabobishly': ['babylonish', 'nabobishly'], 'nabothian': ['bathonian', 'nabothian'], 'nabs': ['nabs', 'snab'], 'nabu': ['baun', 'buna', 'nabu', 'nuba'], 'nacarat': ['cantara', 'nacarat'], 'nace': ['acne', 'cane', 'nace'], 'nachitoch': ['chanchito', 'nachitoch'], 'nacre': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'nacred': ['cedarn', 'dancer', 'nacred'], 'nacreous': ['carneous', 'nacreous'], 'nacrite': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'nacrous': ['carnous', 'nacrous', 'narcous'], 'nadder': ['dander', 'darned', 'nadder'], 'nadeem': ['amende', 'demean', 'meaned', 'nadeem'], 'nadir': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'nadorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'nae': ['ean', 'nae', 'nea'], 'nael': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'naether': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'nag': ['gan', 'nag'], 'nagara': ['angara', 'aranga', 'nagara'], 'nagari': ['graian', 'nagari'], 'nagatelite': ['gelatinate', 'nagatelite'], 'nagger': ['ganger', 'grange', 'nagger'], 'nagging': ['ganging', 'nagging'], 'naggle': ['laggen', 'naggle'], 'naggly': ['gangly', 'naggly'], 'nagmaal': ['malanga', 'nagmaal'], 'nagnag': ['gangan', 'nagnag'], 'nagnail': ['alangin', 'anginal', 'anglian', 'nagnail'], 'nagor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'nagster': ['angster', 'garnets', 'nagster', 'strange'], 'nagual': ['angula', 'nagual'], 'nahani': ['hainan', 'nahani'], 'nahor': ['nahor', 'norah', 'rohan'], 'nahum': ['human', 'nahum'], 'naiad': ['danai', 'diana', 'naiad'], 'naiant': ['naiant', 'tainan'], 'naias': ['asian', 'naias', 'sanai'], 'naid': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'naif': ['fain', 'naif'], 'naifly': ['fainly', 'naifly'], 'naig': ['gain', 'inga', 'naig', 'ngai'], 'naik': ['akin', 'kina', 'naik'], 'nail': ['alin', 'anil', 'lain', 'lina', 'nail'], 'nailer': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'naileress': ['earliness', 'naileress'], 'nailery': ['inlayer', 'nailery'], 'nailless': ['nailless', 'sensilla'], 'nailrod': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'nailshop': ['nailshop', 'siphonal'], 'naily': ['inlay', 'naily'], 'naim': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'nain': ['nain', 'nina'], 'naio': ['aion', 'naio'], 'nair': ['arni', 'iran', 'nair', 'rain', 'rani'], 'nairy': ['nairy', 'rainy'], 'nais': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'naish': ['naish', 'shina'], 'naither': ['anither', 'inearth', 'naither'], 'naive': ['avine', 'naive', 'vinea'], 'naivete': ['naivete', 'nieveta'], 'nak': ['kan', 'nak'], 'naked': ['kande', 'knead', 'naked'], 'nakedish': ['headskin', 'nakedish', 'sinkhead'], 'naker': ['anker', 'karen', 'naker'], 'nakir': ['inkra', 'krina', 'nakir', 'rinka'], 'nako': ['kona', 'nako'], 'nalita': ['antlia', 'latian', 'nalita'], 'nallah': ['hallan', 'nallah'], 'nam': ['man', 'nam'], 'nama': ['anam', 'mana', 'naam', 'nama'], 'namaz': ['namaz', 'zaman'], 'nambe': ['beman', 'nambe'], 'namda': ['adman', 'daman', 'namda'], 'name': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nameability': ['amenability', 'nameability'], 'nameable': ['amenable', 'nameable'], 'nameless': ['lameness', 'maleness', 'maneless', 'nameless'], 'nameling': ['mangelin', 'nameling'], 'namely': ['meanly', 'namely'], 'namer': ['enarm', 'namer', 'reman'], 'nammad': ['madman', 'nammad'], 'nan': ['ann', 'nan'], 'nana': ['anan', 'anna', 'nana'], 'nanaimo': ['nanaimo', 'omniana'], 'nancy': ['canny', 'nancy'], 'nandi': ['indan', 'nandi'], 'nane': ['anne', 'nane'], 'nanes': ['nanes', 'senna'], 'nanoid': ['adonin', 'nanoid', 'nonaid'], 'nanosomia': ['nanosomia', 'nosomania'], 'nanpie': ['nanpie', 'pennia', 'pinnae'], 'naological': ['colonalgia', 'naological'], 'naometry': ['monetary', 'myronate', 'naometry'], 'naomi': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'naoto': ['naoto', 'toona'], 'nap': ['nap', 'pan'], 'napaean': ['anapnea', 'napaean'], 'nape': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'napead': ['napead', 'panade'], 'napery': ['napery', 'pyrena'], 'naphthalize': ['naphthalize', 'phthalazine'], 'naphtol': ['haplont', 'naphtol'], 'napkin': ['napkin', 'pankin'], 'napped': ['append', 'napped'], 'napper': ['napper', 'papern'], 'napron': ['napron', 'nonpar'], 'napthionic': ['antiphonic', 'napthionic'], 'napu': ['napu', 'puan', 'puna'], 'nar': ['arn', 'nar', 'ran'], 'narcaciontes': ['narcaciontes', 'transoceanic'], 'narcose': ['carnose', 'coarsen', 'narcose'], 'narcotia': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'narcoticism': ['intracosmic', 'narcoticism'], 'narcotina': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'narcotine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'narcotism': ['narcotism', 'romancist'], 'narcotist': ['narcotist', 'stratonic'], 'narcotize': ['narcotize', 'zirconate'], 'narcous': ['carnous', 'nacrous', 'narcous'], 'nard': ['darn', 'nard', 'rand'], 'nardine': ['adrenin', 'nardine'], 'nardus': ['nardus', 'sundar', 'sundra'], 'nares': ['anser', 'nares', 'rasen', 'snare'], 'nargil': ['nargil', 'raglin'], 'naric': ['cairn', 'crain', 'naric'], 'narica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'nariform': ['nariform', 'raniform'], 'narine': ['narine', 'ranine'], 'nark': ['knar', 'kran', 'nark', 'rank'], 'narration': ['narration', 'tornarian'], 'narthecium': ['anthericum', 'narthecium'], 'nary': ['nary', 'yarn'], 'nasab': ['nasab', 'saban'], 'nasal': ['alans', 'lanas', 'nasal'], 'nasalism': ['nasalism', 'sailsman'], 'nasard': ['nasard', 'sandra'], 'nascapi': ['capsian', 'caspian', 'nascapi', 'panisca'], 'nash': ['hans', 'nash', 'shan'], 'nashgab': ['bangash', 'nashgab'], 'nasi': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'nasial': ['anisal', 'nasial', 'salian', 'salina'], 'nasitis': ['nasitis', 'sistani'], 'nasoantral': ['antronasal', 'nasoantral'], 'nasobuccal': ['bucconasal', 'nasobuccal'], 'nasofrontal': ['frontonasal', 'nasofrontal'], 'nasolabial': ['labionasal', 'nasolabial'], 'nasolachrymal': ['lachrymonasal', 'nasolachrymal'], 'nasonite': ['estonian', 'nasonite'], 'nasoorbital': ['nasoorbital', 'orbitonasal'], 'nasopalatal': ['nasopalatal', 'palatonasal'], 'nasoseptal': ['nasoseptal', 'septonasal'], 'nassa': ['nassa', 'sasan'], 'nassidae': ['assidean', 'nassidae'], 'nast': ['nast', 'sant', 'stan'], 'nastic': ['incast', 'nastic'], 'nastily': ['nastily', 'saintly', 'staynil'], 'nasturtion': ['antrustion', 'nasturtion'], 'nasty': ['nasty', 'styan', 'tansy'], 'nasua': ['nasua', 'sauna'], 'nasus': ['nasus', 'susan'], 'nasute': ['nasute', 'nauset', 'unseat'], 'nat': ['ant', 'nat', 'tan'], 'nataka': ['nataka', 'tanaka'], 'natal': ['antal', 'natal'], 'natalia': ['altaian', 'latania', 'natalia'], 'natalie': ['laniate', 'natalie', 'taenial'], 'nataloin': ['latonian', 'nataloin', 'national'], 'natals': ['aslant', 'lansat', 'natals', 'santal'], 'natator': ['arnotta', 'natator'], 'natatorium': ['maturation', 'natatorium'], 'natch': ['chant', 'natch'], 'nate': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'nates': ['antes', 'nates', 'stane', 'stean'], 'nathan': ['nathan', 'thanan'], 'nathe': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'nather': ['anther', 'nather', 'tharen', 'thenar'], 'natica': ['actian', 'natica', 'tanica'], 'naticiform': ['actiniform', 'naticiform'], 'naticine': ['actinine', 'naticine'], 'natick': ['catkin', 'natick'], 'naticoid': ['actinoid', 'diatonic', 'naticoid'], 'nation': ['anoint', 'nation'], 'national': ['latonian', 'nataloin', 'national'], 'native': ['native', 'navite'], 'natively': ['natively', 'venality'], 'nativist': ['nativist', 'visitant'], 'natr': ['natr', 'rant', 'tarn', 'tran'], 'natricinae': ['natricinae', 'nectarinia'], 'natricine': ['crinanite', 'natricine'], 'natrolite': ['natrolite', 'tentorial'], 'natter': ['attern', 'natter', 'ratten', 'tarten'], 'nattered': ['attender', 'nattered', 'reattend'], 'nattily': ['nattily', 'titanyl'], 'nattle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'naturalistic': ['naturalistic', 'unartistical'], 'naturing': ['gainturn', 'naturing'], 'naturism': ['naturism', 'sturmian', 'turanism'], 'naturist': ['antirust', 'naturist'], 'naturistic': ['naturistic', 'unartistic'], 'naturistically': ['naturistically', 'unartistically'], 'nauger': ['nauger', 'raunge', 'ungear'], 'naumk': ['kuman', 'naumk'], 'naunt': ['naunt', 'tunna'], 'nauntle': ['annulet', 'nauntle'], 'nauplius': ['nauplius', 'paulinus'], 'nauset': ['nasute', 'nauset', 'unseat'], 'naut': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'nauther': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'nautic': ['anicut', 'nautic', 'ticuna', 'tunica'], 'nautical': ['actinula', 'nautical'], 'nautiloid': ['lutianoid', 'nautiloid'], 'nautilus': ['lutianus', 'nautilus', 'ustulina'], 'naval': ['alvan', 'naval'], 'navalist': ['navalist', 'salivant'], 'navar': ['navar', 'varan', 'varna'], 'nave': ['evan', 'nave', 'vane'], 'navel': ['elvan', 'navel', 'venal'], 'naviculare': ['naviculare', 'uncavalier'], 'navigant': ['navigant', 'vaginant'], 'navigate': ['navigate', 'vaginate'], 'navite': ['native', 'navite'], 'naw': ['awn', 'naw', 'wan'], 'nawt': ['nawt', 'tawn', 'want'], 'nay': ['any', 'nay', 'yan'], 'nayar': ['aryan', 'nayar', 'rayan'], 'nazarite': ['nazarite', 'nazirate', 'triazane'], 'nazi': ['nazi', 'zain'], 'nazim': ['nazim', 'nizam'], 'nazirate': ['nazarite', 'nazirate', 'triazane'], 'nazirite': ['nazirite', 'triazine'], 'ne': ['en', 'ne'], 'nea': ['ean', 'nae', 'nea'], 'neal': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'neanic': ['canine', 'encina', 'neanic'], 'neap': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'neapolitan': ['antelopian', 'neapolitan', 'panelation'], 'nearby': ['barney', 'nearby'], 'nearctic': ['acentric', 'encratic', 'nearctic'], 'nearest': ['earnest', 'eastern', 'nearest'], 'nearish': ['arshine', 'nearish', 'rhesian', 'sherani'], 'nearly': ['anerly', 'nearly'], 'nearmost': ['monaster', 'monstera', 'nearmost', 'storeman'], 'nearthrosis': ['enarthrosis', 'nearthrosis'], 'neat': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'neaten': ['etnean', 'neaten'], 'neath': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'neatherd': ['adherent', 'headrent', 'neatherd', 'threaden'], 'neatherdess': ['heartedness', 'neatherdess'], 'neb': ['ben', 'neb'], 'neback': ['backen', 'neback'], 'nebaioth': ['boethian', 'nebaioth'], 'nebalia': ['abelian', 'nebalia'], 'nebelist': ['nebelist', 'stilbene', 'tensible'], 'nebula': ['nebula', 'unable', 'unbale'], 'nebulose': ['bluenose', 'nebulose'], 'necator': ['enactor', 'necator', 'orcanet'], 'necessarian': ['necessarian', 'renaissance'], 'neckar': ['canker', 'neckar'], 'necrogenic': ['congeneric', 'necrogenic'], 'necrogenous': ['congenerous', 'necrogenous'], 'necrology': ['crenology', 'necrology'], 'necropoles': ['necropoles', 'preconsole'], 'necropolis': ['clinospore', 'necropolis'], 'necrotic': ['crocetin', 'necrotic'], 'necrotomic': ['necrotomic', 'oncometric'], 'necrotomy': ['necrotomy', 'normocyte', 'oncometry'], 'nectar': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'nectareal': ['lactarene', 'nectareal'], 'nectared': ['crenated', 'decanter', 'nectared'], 'nectareous': ['countersea', 'nectareous'], 'nectarial': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'nectarian': ['cratinean', 'incarnate', 'nectarian'], 'nectaried': ['nectaried', 'tridecane'], 'nectarine': ['inertance', 'nectarine'], 'nectarinia': ['natricinae', 'nectarinia'], 'nectarious': ['nectarious', 'recusation'], 'nectarlike': ['nectarlike', 'trancelike'], 'nectarous': ['acentrous', 'courtesan', 'nectarous'], 'nectary': ['encraty', 'nectary'], 'nectophore': ['ctenophore', 'nectophore'], 'nectria': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'ned': ['den', 'end', 'ned'], 'nedder': ['nedder', 'redden'], 'neebor': ['boreen', 'enrobe', 'neebor', 'rebone'], 'need': ['dene', 'eden', 'need'], 'needer': ['endere', 'needer', 'reeden'], 'needfire': ['needfire', 'redefine'], 'needily': ['needily', 'yielden'], 'needle': ['lendee', 'needle'], 'needless': ['needless', 'seldseen'], 'needs': ['dense', 'needs'], 'needsome': ['modenese', 'needsome'], 'neeger': ['neeger', 'reenge', 'renege'], 'neeld': ['leden', 'neeld'], 'neep': ['neep', 'peen'], 'neepour': ['neepour', 'neurope'], 'neer': ['erne', 'neer', 'reen'], 'neet': ['neet', 'nete', 'teen'], 'neetup': ['neetup', 'petune'], 'nef': ['fen', 'nef'], 'nefast': ['fasten', 'nefast', 'stefan'], 'neftgil': ['felting', 'neftgil'], 'negate': ['geneat', 'negate', 'tegean'], 'negation': ['antigone', 'negation'], 'negative': ['agentive', 'negative'], 'negativism': ['negativism', 'timesaving'], 'negator': ['negator', 'tronage'], 'negatron': ['argenton', 'negatron'], 'neger': ['genre', 'green', 'neger', 'reneg'], 'neglecter': ['neglecter', 'reneglect'], 'negritian': ['negritian', 'retaining'], 'negrito': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'negritoid': ['negritoid', 'rodingite'], 'negro': ['ergon', 'genro', 'goner', 'negro'], 'negroid': ['groined', 'negroid'], 'negroidal': ['girandole', 'negroidal'], 'negroize': ['genizero', 'negroize'], 'negroloid': ['gondolier', 'negroloid'], 'negrotic': ['gerontic', 'negrotic'], 'negundo': ['dungeon', 'negundo'], 'negus': ['genus', 'negus'], 'neif': ['enif', 'fine', 'neif', 'nife'], 'neigh': ['hinge', 'neigh'], 'neil': ['lien', 'line', 'neil', 'nile'], 'neiper': ['neiper', 'perine', 'pirene', 'repine'], 'neist': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'neither': ['enherit', 'etherin', 'neither', 'therein'], 'nekkar': ['kraken', 'nekkar'], 'nekton': ['kenton', 'nekton'], 'nelken': ['kennel', 'nelken'], 'nelsonite': ['nelsonite', 'solentine'], 'nelumbian': ['nelumbian', 'unminable'], 'nema': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nemalite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'nematoda': ['mantodea', 'nematoda'], 'nematoid': ['dominate', 'nematoid'], 'nematophyton': ['nematophyton', 'tenontophyma'], 'nemertinea': ['minnetaree', 'nemertinea'], 'nemertini': ['intermine', 'nemertini', 'terminine'], 'nemertoid': ['interdome', 'mordenite', 'nemertoid'], 'nemoral': ['almoner', 'moneral', 'nemoral'], 'nenta': ['anent', 'annet', 'nenta'], 'neo': ['eon', 'neo', 'one'], 'neoarctic': ['accretion', 'anorectic', 'neoarctic'], 'neocomian': ['monoecian', 'neocomian'], 'neocosmic': ['economics', 'neocosmic'], 'neocyte': ['enocyte', 'neocyte'], 'neogaea': ['eogaean', 'neogaea'], 'neogenesis': ['neogenesis', 'noegenesis'], 'neogenetic': ['neogenetic', 'noegenetic'], 'neognathous': ['anthogenous', 'neognathous'], 'neolatry': ['neolatry', 'ornately', 'tyrolean'], 'neolithic': ['ichnolite', 'neolithic'], 'neomiracle': ['ceremonial', 'neomiracle'], 'neomorphic': ['microphone', 'neomorphic'], 'neon': ['neon', 'none'], 'neophilism': ['neophilism', 'philoneism'], 'neophytic': ['hypnoetic', 'neophytic'], 'neoplasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'neoplastic': ['neoplastic', 'pleonastic'], 'neorama': ['neorama', 'romaean'], 'neornithes': ['neornithes', 'rhinestone'], 'neossin': ['neossin', 'sension'], 'neoteric': ['erection', 'neoteric', 'nocerite', 'renotice'], 'neoterism': ['moistener', 'neoterism'], 'neotragus': ['argentous', 'neotragus'], 'neotropic': ['ectropion', 'neotropic'], 'neotropical': ['neotropical', 'percolation'], 'neoza': ['neoza', 'ozena'], 'nep': ['nep', 'pen'], 'nepa': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'nepal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'nepali': ['alpine', 'nepali', 'penial', 'pineal'], 'neper': ['neper', 'preen', 'repen'], 'nepheloscope': ['nepheloscope', 'phonelescope'], 'nephite': ['heptine', 'nephite'], 'nephogram': ['gomphrena', 'nephogram'], 'nephological': ['nephological', 'phenological'], 'nephologist': ['nephologist', 'phenologist'], 'nephology': ['nephology', 'phenology'], 'nephria': ['heparin', 'nephria'], 'nephric': ['nephric', 'phrenic', 'pincher'], 'nephrite': ['nephrite', 'prehnite', 'trephine'], 'nephritic': ['nephritic', 'phrenitic', 'prehnitic'], 'nephritis': ['inspreith', 'nephritis', 'phrenitis'], 'nephrocardiac': ['nephrocardiac', 'phrenocardiac'], 'nephrocolic': ['nephrocolic', 'phrenocolic'], 'nephrocystosis': ['cystonephrosis', 'nephrocystosis'], 'nephrogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'nephrohydrosis': ['hydronephrosis', 'nephrohydrosis'], 'nephrolithotomy': ['lithonephrotomy', 'nephrolithotomy'], 'nephrologist': ['nephrologist', 'phrenologist'], 'nephrology': ['nephrology', 'phrenology'], 'nephropathic': ['nephropathic', 'phrenopathic'], 'nephropathy': ['nephropathy', 'phrenopathy'], 'nephropsidae': ['nephropsidae', 'praesphenoid'], 'nephroptosia': ['nephroptosia', 'prosiphonate'], 'nephropyelitis': ['nephropyelitis', 'pyelonephritis'], 'nephropyosis': ['nephropyosis', 'pyonephrosis'], 'nephrosis': ['nephrosis', 'phronesis'], 'nephrostoma': ['nephrostoma', 'strophomena'], 'nephrotome': ['nephrotome', 'phonometer'], 'nephrotomy': ['nephrotomy', 'phonometry'], 'nepman': ['nepman', 'penman'], 'nepotal': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'nepote': ['nepote', 'pontee', 'poteen'], 'nepotic': ['entopic', 'nepotic', 'pentoic'], 'nereid': ['denier', 'nereid'], 'nereis': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'neri': ['neri', 'rein', 'rine'], 'nerita': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'neritic': ['citrine', 'crinite', 'inciter', 'neritic'], 'neritina': ['neritina', 'retinian'], 'neritoid': ['neritoid', 'retinoid'], 'nerium': ['murine', 'nerium'], 'neroic': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'neronic': ['corinne', 'cornein', 'neronic'], 'nerval': ['nerval', 'vernal'], 'nervate': ['nervate', 'veteran'], 'nervation': ['nervation', 'vernation'], 'nerve': ['nerve', 'never'], 'nervid': ['driven', 'nervid', 'verdin'], 'nervine': ['innerve', 'nervine', 'vernine'], 'nerviness': ['inverness', 'nerviness'], 'nervish': ['nervish', 'shriven'], 'nervulose': ['nervulose', 'unresolve', 'vulnerose'], 'nese': ['ense', 'esne', 'nese', 'seen', 'snee'], 'nesh': ['nesh', 'shen'], 'nesiot': ['nesiot', 'ostein'], 'neskhi': ['kishen', 'neskhi'], 'neslia': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'nest': ['nest', 'sent', 'sten'], 'nester': ['ernest', 'nester', 'resent', 'streen'], 'nestiatria': ['intarsiate', 'nestiatria'], 'nestlike': ['nestlike', 'skeletin'], 'nestor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'net': ['net', 'ten'], 'netcha': ['entach', 'netcha'], 'nete': ['neet', 'nete', 'teen'], 'neter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'netful': ['fluent', 'netful', 'unfelt', 'unleft'], 'neth': ['hent', 'neth', 'then'], 'nether': ['erthen', 'henter', 'nether', 'threne'], 'neti': ['iten', 'neti', 'tien', 'tine'], 'netman': ['manent', 'netman'], 'netsuke': ['kuneste', 'netsuke'], 'nettable': ['nettable', 'tentable'], 'nettapus': ['nettapus', 'stepaunt'], 'netted': ['detent', 'netted', 'tented'], 'netter': ['netter', 'retent', 'tenter'], 'nettion': ['nettion', 'tention', 'tontine'], 'nettle': ['letten', 'nettle'], 'nettler': ['nettler', 'ternlet'], 'netty': ['netty', 'tenty'], 'neurad': ['endura', 'neurad', 'undear', 'unread'], 'neural': ['lunare', 'neural', 'ulnare', 'unreal'], 'neuralgic': ['genicular', 'neuralgic'], 'neuralist': ['neuralist', 'ulsterian', 'unrealist'], 'neurectopia': ['eucatropine', 'neurectopia'], 'neuric': ['curine', 'erucin', 'neuric'], 'neurilema': ['lemurinae', 'neurilema'], 'neurin': ['enruin', 'neurin', 'unrein'], 'neurism': ['neurism', 'semiurn'], 'neurite': ['neurite', 'retinue', 'reunite', 'uterine'], 'neuroblast': ['neuroblast', 'unsortable'], 'neurodermatosis': ['dermatoneurosis', 'neurodermatosis'], 'neurofibroma': ['fibroneuroma', 'neurofibroma'], 'neurofil': ['fluorine', 'neurofil'], 'neuroganglion': ['ganglioneuron', 'neuroganglion'], 'neurogenic': ['encoignure', 'neurogenic'], 'neuroid': ['dourine', 'neuroid'], 'neurolysis': ['neurolysis', 'resinously'], 'neuromast': ['anoestrum', 'neuromast'], 'neuromyelitis': ['myeloneuritis', 'neuromyelitis'], 'neuronal': ['enaluron', 'neuronal'], 'neurope': ['neepour', 'neurope'], 'neuropsychological': ['neuropsychological', 'psychoneurological'], 'neuropsychosis': ['neuropsychosis', 'psychoneurosis'], 'neuropteris': ['interposure', 'neuropteris'], 'neurosis': ['neurosis', 'resinous'], 'neurotic': ['eruction', 'neurotic'], 'neurotripsy': ['neurotripsy', 'tripyrenous'], 'neustrian': ['neustrian', 'saturnine', 'sturninae'], 'neuter': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'neuterly': ['neuterly', 'rutylene'], 'neutral': ['laurent', 'neutral', 'unalert'], 'neutralism': ['neutralism', 'trimensual'], 'neutrally': ['neutrally', 'unalertly'], 'neutralness': ['neutralness', 'unalertness'], 'nevada': ['nevada', 'vedana', 'venada'], 'neve': ['even', 'neve', 'veen'], 'never': ['nerve', 'never'], 'nevo': ['nevo', 'oven'], 'nevoy': ['envoy', 'nevoy', 'yoven'], 'nevus': ['nevus', 'venus'], 'new': ['new', 'wen'], 'newar': ['awner', 'newar'], 'newari': ['newari', 'wainer'], 'news': ['news', 'sewn', 'snew'], 'newt': ['newt', 'went'], 'nexus': ['nexus', 'unsex'], 'ngai': ['gain', 'inga', 'naig', 'ngai'], 'ngaio': ['gonia', 'ngaio', 'nogai'], 'ngapi': ['aping', 'ngapi', 'pangi'], 'ngoko': ['kongo', 'ngoko'], 'ni': ['in', 'ni'], 'niagara': ['agrania', 'angaria', 'niagara'], 'nias': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'niata': ['anita', 'niata', 'tania'], 'nib': ['bin', 'nib'], 'nibs': ['nibs', 'snib'], 'nibsome': ['nibsome', 'nimbose'], 'nicarao': ['aaronic', 'nicarao', 'ocarina'], 'niccolous': ['niccolous', 'occlusion'], 'nice': ['cine', 'nice'], 'nicene': ['cinene', 'nicene'], 'nicenist': ['inscient', 'nicenist'], 'nicesome': ['nicesome', 'semicone'], 'nichael': ['chilean', 'echinal', 'nichael'], 'niche': ['chien', 'chine', 'niche'], 'nicher': ['enrich', 'nicher', 'richen'], 'nicholas': ['lichanos', 'nicholas'], 'nickel': ['nickel', 'nickle'], 'nickle': ['nickel', 'nickle'], 'nicol': ['colin', 'nicol'], 'nicolas': ['nicolas', 'scaloni'], 'nicolette': ['lecontite', 'nicolette'], 'nicotian': ['aconitin', 'inaction', 'nicotian'], 'nicotianin': ['nicotianin', 'nicotinian'], 'nicotined': ['incondite', 'nicotined'], 'nicotinian': ['nicotianin', 'nicotinian'], 'nicotism': ['monistic', 'nicotism', 'nomistic'], 'nicotize': ['nicotize', 'tonicize'], 'nictate': ['nictate', 'tetanic'], 'nictation': ['antitonic', 'nictation'], 'nid': ['din', 'ind', 'nid'], 'nidal': ['danli', 'ladin', 'linda', 'nidal'], 'nidana': ['andian', 'danian', 'nidana'], 'nidation': ['nidation', 'notidani'], 'niddle': ['dindle', 'niddle'], 'nide': ['dine', 'enid', 'inde', 'nide'], 'nidge': ['deign', 'dinge', 'nidge'], 'nidget': ['nidget', 'tinged'], 'niding': ['dining', 'indign', 'niding'], 'nidologist': ['indologist', 'nidologist'], 'nidology': ['indology', 'nidology'], 'nidularia': ['nidularia', 'uniradial'], 'nidulate': ['nidulate', 'untailed'], 'nidus': ['dinus', 'indus', 'nidus'], 'niello': ['lionel', 'niello'], 'niels': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'nieve': ['nieve', 'venie'], 'nieveta': ['naivete', 'nieveta'], 'nievling': ['levining', 'nievling'], 'nife': ['enif', 'fine', 'neif', 'nife'], 'nifle': ['elfin', 'nifle'], 'nig': ['gin', 'ing', 'nig'], 'nigel': ['ingle', 'ligne', 'linge', 'nigel'], 'nigella': ['gallein', 'galline', 'nigella'], 'nigerian': ['arginine', 'nigerian'], 'niggard': ['grading', 'niggard'], 'nigger': ['ginger', 'nigger'], 'niggery': ['gingery', 'niggery'], 'nigh': ['hing', 'nigh'], 'night': ['night', 'thing'], 'nightless': ['lightness', 'nightless', 'thingless'], 'nightlike': ['nightlike', 'thinglike'], 'nightly': ['nightly', 'thingly'], 'nightman': ['nightman', 'thingman'], 'nignye': ['ginney', 'nignye'], 'nigori': ['nigori', 'origin'], 'nigre': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'nigrous': ['nigrous', 'rousing', 'souring'], 'nihal': ['linha', 'nihal'], 'nikau': ['kunai', 'nikau'], 'nil': ['lin', 'nil'], 'nile': ['lien', 'line', 'neil', 'nile'], 'nilgai': ['ailing', 'angili', 'nilgai'], 'nilometer': ['linometer', 'nilometer'], 'niloscope': ['niloscope', 'scopoline'], 'nilotic': ['clition', 'nilotic'], 'nilous': ['insoul', 'linous', 'nilous', 'unsoil'], 'nim': ['min', 'nim'], 'nimbed': ['embind', 'nimbed'], 'nimbose': ['nibsome', 'nimbose'], 'nimkish': ['minkish', 'nimkish'], 'nimshi': ['minish', 'nimshi'], 'nina': ['nain', 'nina'], 'ninescore': ['ninescore', 'recension'], 'nineted': ['dentine', 'nineted'], 'ninevite': ['ninevite', 'nivenite'], 'ningpo': ['ningpo', 'pignon'], 'nintu': ['nintu', 'ninut', 'untin'], 'ninut': ['nintu', 'ninut', 'untin'], 'niota': ['niota', 'taino'], 'nip': ['nip', 'pin'], 'nipa': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'nippers': ['nippers', 'snipper'], 'nipple': ['lippen', 'nipple'], 'nipter': ['nipter', 'terpin'], 'nisaean': ['nisaean', 'sinaean'], 'nisqualli': ['nisqualli', 'squillian'], 'nisus': ['nisus', 'sinus'], 'nit': ['nit', 'tin'], 'nitch': ['chint', 'nitch'], 'nitella': ['nitella', 'tellina'], 'nitently': ['intently', 'nitently'], 'niter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'nitered': ['nitered', 'redient', 'teinder'], 'nither': ['hinter', 'nither', 'theirn'], 'nito': ['into', 'nito', 'oint', 'tino'], 'niton': ['niton', 'noint'], 'nitrate': ['intreat', 'iterant', 'nitrate', 'tertian'], 'nitratine': ['itinerant', 'nitratine'], 'nitric': ['citrin', 'nitric'], 'nitride': ['inditer', 'nitride'], 'nitrifaction': ['antifriction', 'nitrifaction'], 'nitriot': ['introit', 'nitriot'], 'nitrobenzol': ['benzonitrol', 'nitrobenzol'], 'nitrogelatin': ['intolerating', 'nitrogelatin'], 'nitrosate': ['nitrosate', 'stationer'], 'nitrous': ['nitrous', 'trusion'], 'nitter': ['nitter', 'tinter'], 'nitty': ['nitty', 'tinty'], 'niue': ['niue', 'unie'], 'nival': ['alvin', 'anvil', 'nival', 'vinal'], 'nivenite': ['ninevite', 'nivenite'], 'niveous': ['envious', 'niveous', 'veinous'], 'nivosity': ['nivosity', 'vinosity'], 'nizam': ['nazim', 'nizam'], 'no': ['no', 'on'], 'noa': ['noa', 'ona'], 'noachite': ['inchoate', 'noachite'], 'noah': ['hano', 'noah'], 'noahic': ['chinoa', 'noahic'], 'noam': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nob': ['bon', 'nob'], 'nobleman': ['blennoma', 'nobleman'], 'noblesse': ['boneless', 'noblesse'], 'nobs': ['bosn', 'nobs', 'snob'], 'nocardia': ['nocardia', 'orcadian'], 'nocent': ['nocent', 'nocten'], 'nocerite': ['erection', 'neoteric', 'nocerite', 'renotice'], 'nock': ['conk', 'nock'], 'nocten': ['nocent', 'nocten'], 'noctiluca': ['ciclatoun', 'noctiluca'], 'noctuid': ['conduit', 'duction', 'noctuid'], 'noctuidae': ['coadunite', 'education', 'noctuidae'], 'nocturia': ['curation', 'nocturia'], 'nod': ['don', 'nod'], 'nodal': ['donal', 'nodal'], 'nodated': ['donated', 'nodated'], 'node': ['done', 'node'], 'nodi': ['dion', 'nodi', 'odin'], 'nodiak': ['daikon', 'nodiak'], 'nodical': ['dolcian', 'nodical'], 'nodicorn': ['corindon', 'nodicorn'], 'nodule': ['louden', 'nodule'], 'nodus': ['nodus', 'ounds', 'sound'], 'noegenesis': ['neogenesis', 'noegenesis'], 'noegenetic': ['neogenetic', 'noegenetic'], 'noel': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'noetic': ['eciton', 'noetic', 'notice', 'octine'], 'noetics': ['contise', 'noetics', 'section'], 'nog': ['gon', 'nog'], 'nogai': ['gonia', 'ngaio', 'nogai'], 'nogal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'noil': ['lino', 'lion', 'loin', 'noil'], 'noilage': ['goniale', 'noilage'], 'noiler': ['elinor', 'lienor', 'lorien', 'noiler'], 'noint': ['niton', 'noint'], 'noir': ['inro', 'iron', 'noir', 'nori'], 'noise': ['eosin', 'noise'], 'noiseless': ['noiseless', 'selenosis'], 'noisette': ['noisette', 'teosinte'], 'nolo': ['loon', 'nolo'], 'noma': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nomad': ['damon', 'monad', 'nomad'], 'nomadian': ['monadina', 'nomadian'], 'nomadic': ['monadic', 'nomadic'], 'nomadical': ['monadical', 'nomadical'], 'nomadically': ['monadically', 'nomadically'], 'nomadism': ['monadism', 'nomadism'], 'nomarch': ['monarch', 'nomarch', 'onmarch'], 'nomarchy': ['monarchy', 'nomarchy'], 'nome': ['mone', 'nome', 'omen'], 'nomeus': ['nomeus', 'unsome'], 'nomial': ['monial', 'nomial', 'oilman'], 'nomina': ['amnion', 'minoan', 'nomina'], 'nominate': ['antinome', 'nominate'], 'nominated': ['dentinoma', 'nominated'], 'nominature': ['nominature', 'numeration'], 'nomism': ['monism', 'nomism', 'simmon'], 'nomismata': ['anatomism', 'nomismata'], 'nomistic': ['monistic', 'nicotism', 'nomistic'], 'nomocracy': ['monocracy', 'nomocracy'], 'nomogenist': ['monogenist', 'nomogenist'], 'nomogenous': ['monogenous', 'nomogenous'], 'nomogeny': ['monogeny', 'nomogeny'], 'nomogram': ['monogram', 'nomogram'], 'nomograph': ['monograph', 'nomograph', 'phonogram'], 'nomographer': ['geranomorph', 'monographer', 'nomographer'], 'nomographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'nomographical': ['gramophonical', 'monographical', 'nomographical'], 'nomographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'nomography': ['monography', 'nomography'], 'nomological': ['monological', 'nomological'], 'nomologist': ['monologist', 'nomologist', 'ontologism'], 'nomology': ['monology', 'nomology'], 'nomophyllous': ['monophyllous', 'nomophyllous'], 'nomotheism': ['monotheism', 'nomotheism'], 'nomothetic': ['monothetic', 'nomothetic'], 'nona': ['anon', 'nona', 'onan'], 'nonaccession': ['connoissance', 'nonaccession'], 'nonact': ['cannot', 'canton', 'conant', 'nonact'], 'nonaction': ['connation', 'nonaction'], 'nonagent': ['nonagent', 'tannogen'], 'nonaid': ['adonin', 'nanoid', 'nonaid'], 'nonaltruistic': ['instructional', 'nonaltruistic'], 'nonanimal': ['nonanimal', 'nonmanila'], 'nonbilabiate': ['inobtainable', 'nonbilabiate'], 'noncaste': ['noncaste', 'tsonecan'], 'noncereal': ['aleconner', 'noncereal'], 'noncertified': ['noncertified', 'nonrectified'], 'nonclaim': ['cinnamol', 'nonclaim'], 'noncreation': ['noncreation', 'nonreaction'], 'noncreative': ['noncreative', 'nonreactive'], 'noncurantist': ['noncurantist', 'unconstraint'], 'nonda': ['donna', 'nonda'], 'nondesecration': ['nondesecration', 'recondensation'], 'none': ['neon', 'none'], 'nonempirical': ['nonempirical', 'prenominical'], 'nonerudite': ['nonerudite', 'unoriented'], 'nonesuch': ['nonesuch', 'unchosen'], 'nonet': ['nonet', 'tenon'], 'nonfertile': ['florentine', 'nonfertile'], 'nongeometrical': ['inconglomerate', 'nongeometrical'], 'nonglare': ['algernon', 'nonglare'], 'nongod': ['dongon', 'nongod'], 'nonhepatic': ['nonhepatic', 'pantheonic'], 'nonic': ['conin', 'nonic', 'oncin'], 'nonideal': ['anneloid', 'nonideal'], 'nonidealist': ['alstonidine', 'nonidealist'], 'nonirate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'nonius': ['nonius', 'unison'], 'nonlegato': ['nonlegato', 'ontogenal'], 'nonlegume': ['melungeon', 'nonlegume'], 'nonliable': ['bellonian', 'nonliable'], 'nonlicet': ['contline', 'nonlicet'], 'nonly': ['nonly', 'nonyl', 'nylon'], 'nonmanila': ['nonanimal', 'nonmanila'], 'nonmarital': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmartial': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmatter': ['nonmatter', 'remontant'], 'nonmetric': ['comintern', 'nonmetric'], 'nonmetrical': ['centinormal', 'conterminal', 'nonmetrical'], 'nonmolar': ['nonmolar', 'nonmoral'], 'nonmoral': ['nonmolar', 'nonmoral'], 'nonnat': ['nonnat', 'nontan'], 'nonoriental': ['nonoriental', 'nonrelation'], 'nonpaid': ['dipnoan', 'nonpaid', 'pandion'], 'nonpar': ['napron', 'nonpar'], 'nonparental': ['nonparental', 'nonpaternal'], 'nonpaternal': ['nonparental', 'nonpaternal'], 'nonpearlitic': ['nonpearlitic', 'pratincoline'], 'nonpenal': ['nonpenal', 'nonplane'], 'nonplane': ['nonpenal', 'nonplane'], 'nonracial': ['carniolan', 'nonracial'], 'nonrated': ['nonrated', 'nontrade'], 'nonreaction': ['noncreation', 'nonreaction'], 'nonreactive': ['noncreative', 'nonreactive'], 'nonrebel': ['ennobler', 'nonrebel'], 'nonrecital': ['interconal', 'nonrecital'], 'nonrectified': ['noncertified', 'nonrectified'], 'nonrelation': ['nonoriental', 'nonrelation'], 'nonreserve': ['nonreserve', 'nonreverse'], 'nonreverse': ['nonreserve', 'nonreverse'], 'nonrigid': ['girondin', 'nonrigid'], 'nonsanction': ['inconsonant', 'nonsanction'], 'nonscientist': ['inconsistent', 'nonscientist'], 'nonsecret': ['consenter', 'nonsecret', 'reconsent'], 'nontan': ['nonnat', 'nontan'], 'nontrade': ['nonrated', 'nontrade'], 'nonunited': ['nonunited', 'unintoned'], 'nonuse': ['nonuse', 'unnose'], 'nonvaginal': ['nonvaginal', 'novanglian'], 'nonvisitation': ['innovationist', 'nonvisitation'], 'nonya': ['annoy', 'nonya'], 'nonyl': ['nonly', 'nonyl', 'nylon'], 'nooking': ['kongoni', 'nooking'], 'noontide': ['noontide', 'notioned'], 'noontime': ['entomion', 'noontime'], 'noop': ['noop', 'poon'], 'noose': ['noose', 'osone'], 'nooser': ['nooser', 'seroon', 'sooner'], 'nopal': ['lapon', 'nopal'], 'nope': ['nope', 'open', 'peon', 'pone'], 'nor': ['nor', 'ron'], 'nora': ['nora', 'orna', 'roan'], 'norah': ['nahor', 'norah', 'rohan'], 'norate': ['atoner', 'norate', 'ornate'], 'noration': ['noration', 'ornation', 'orotinan'], 'nordic': ['dornic', 'nordic'], 'nordicity': ['nordicity', 'tyrocidin'], 'noreast': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'nori': ['inro', 'iron', 'noir', 'nori'], 'noria': ['arion', 'noria'], 'noric': ['corin', 'noric', 'orcin'], 'norie': ['irone', 'norie'], 'norite': ['norite', 'orient'], 'norm': ['morn', 'norm'], 'norma': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'normality': ['normality', 'trionymal'], 'normated': ['moderant', 'normated'], 'normless': ['mornless', 'normless'], 'normocyte': ['necrotomy', 'normocyte', 'oncometry'], 'norse': ['norse', 'noser', 'seron', 'snore'], 'norsk': ['norsk', 'snork'], 'north': ['north', 'thorn'], 'norther': ['horrent', 'norther'], 'northing': ['inthrong', 'northing'], 'nosairi': ['nosairi', 'osirian'], 'nose': ['enos', 'nose'], 'nosean': ['nosean', 'oannes'], 'noseless': ['noseless', 'soleness'], 'noselite': ['noselite', 'solenite'], 'nosema': ['monase', 'nosema'], 'noser': ['norse', 'noser', 'seron', 'snore'], 'nosesmart': ['nosesmart', 'storesman'], 'nosism': ['nosism', 'simson'], 'nosomania': ['nanosomia', 'nosomania'], 'nostalgia': ['analogist', 'nostalgia'], 'nostalgic': ['gnostical', 'nostalgic'], 'nostic': ['nostic', 'sintoc', 'tocsin'], 'nostoc': ['nostoc', 'oncost'], 'nosu': ['nosu', 'nous', 'onus'], 'not': ['not', 'ton'], 'notability': ['bitonality', 'notability'], 'notaeal': ['anatole', 'notaeal'], 'notaeum': ['notaeum', 'outname'], 'notal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'notalgia': ['galtonia', 'notalgia'], 'notalia': ['ailanto', 'alation', 'laotian', 'notalia'], 'notan': ['anton', 'notan', 'tonna'], 'notarial': ['notarial', 'rational', 'rotalian'], 'notarially': ['notarially', 'rationally'], 'notariate': ['notariate', 'rationate'], 'notation': ['notation', 'tonation'], 'notator': ['arnotto', 'notator'], 'notcher': ['chorten', 'notcher'], 'note': ['note', 'tone'], 'noted': ['donet', 'noted', 'toned'], 'notehead': ['headnote', 'notehead'], 'noteless': ['noteless', 'toneless'], 'notelessly': ['notelessly', 'tonelessly'], 'notelessness': ['notelessness', 'tonelessness'], 'noter': ['noter', 'tenor', 'toner', 'trone'], 'nother': ['hornet', 'nother', 'theron', 'throne'], 'nothous': ['hontous', 'nothous'], 'notice': ['eciton', 'noetic', 'notice', 'octine'], 'noticer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'notidani': ['nidation', 'notidani'], 'notify': ['notify', 'tonify'], 'notioned': ['noontide', 'notioned'], 'notochordal': ['chordotonal', 'notochordal'], 'notopterus': ['notopterus', 'portentous'], 'notorhizal': ['horizontal', 'notorhizal'], 'nototrema': ['antrotome', 'nototrema'], 'notour': ['notour', 'unroot'], 'notropis': ['notropis', 'positron', 'sorption'], 'notum': ['montu', 'mount', 'notum'], 'notus': ['notus', 'snout', 'stoun', 'tonus'], 'nought': ['hognut', 'nought'], 'noup': ['noup', 'puno', 'upon'], 'nourisher': ['nourisher', 'renourish'], 'nous': ['nosu', 'nous', 'onus'], 'novalia': ['novalia', 'valonia'], 'novanglian': ['nonvaginal', 'novanglian'], 'novem': ['novem', 'venom'], 'novitiate': ['evitation', 'novitiate'], 'now': ['now', 'own', 'won'], 'nowanights': ['nowanights', 'washington'], 'nowed': ['endow', 'nowed'], 'nowhere': ['nowhere', 'whereon'], 'nowise': ['nowise', 'snowie'], 'nowness': ['nowness', 'ownness'], 'nowt': ['nowt', 'town', 'wont'], 'noxa': ['axon', 'noxa', 'oxan'], 'noy': ['noy', 'yon'], 'nozi': ['nozi', 'zion'], 'nu': ['nu', 'un'], 'nub': ['bun', 'nub'], 'nuba': ['baun', 'buna', 'nabu', 'nuba'], 'nubian': ['nubian', 'unbain'], 'nubilate': ['antiblue', 'nubilate'], 'nubile': ['nubile', 'unible'], 'nucal': ['lucan', 'nucal'], 'nucellar': ['lucernal', 'nucellar', 'uncellar'], 'nuchal': ['chulan', 'launch', 'nuchal'], 'nuciferous': ['nuciferous', 'unciferous'], 'nuciform': ['nuciform', 'unciform'], 'nuclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'nucleator': ['nucleator', 'recountal'], 'nucleoid': ['nucleoid', 'uncoiled'], 'nuclide': ['include', 'nuclide'], 'nuculid': ['nuculid', 'unlucid'], 'nuculidae': ['duculinae', 'nuculidae'], 'nudate': ['nudate', 'undate'], 'nuddle': ['ludden', 'nuddle'], 'nude': ['dune', 'nude', 'unde'], 'nudeness': ['nudeness', 'unsensed'], 'nudger': ['dunger', 'gerund', 'greund', 'nudger'], 'nudist': ['dustin', 'nudist'], 'nudity': ['nudity', 'untidy'], 'nuisancer': ['insurance', 'nuisancer'], 'numa': ['maun', 'numa'], 'numberer': ['numberer', 'renumber'], 'numda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'numeration': ['nominature', 'numeration'], 'numerical': ['ceruminal', 'melanuric', 'numerical'], 'numerist': ['numerist', 'terminus'], 'numida': ['numida', 'unmaid'], 'numidae': ['numidae', 'unaimed'], 'nummi': ['mnium', 'nummi'], 'nunciate': ['nunciate', 'uncinate'], 'nuncio': ['nuncio', 'uncoin'], 'nuncioship': ['nuncioship', 'pincushion'], 'nunki': ['nunki', 'unkin'], 'nunlet': ['nunlet', 'tunnel', 'unlent'], 'nunlike': ['nunlike', 'unliken'], 'nunnated': ['nunnated', 'untanned'], 'nunni': ['nunni', 'uninn'], 'nuptial': ['nuptial', 'unplait'], 'nurse': ['nurse', 'resun'], 'nusfiah': ['faunish', 'nusfiah'], 'nut': ['nut', 'tun'], 'nutarian': ['nutarian', 'turanian'], 'nutate': ['attune', 'nutate', 'tauten'], 'nutgall': ['gallnut', 'nutgall'], 'nuthatch': ['nuthatch', 'unthatch'], 'nutlike': ['nutlike', 'tunlike'], 'nutmeg': ['gnetum', 'nutmeg'], 'nutramin': ['nutramin', 'ruminant'], 'nutrice': ['nutrice', 'teucrin'], 'nycteridae': ['encyrtidae', 'nycteridae'], 'nycterine': ['nycterine', 'renitency'], 'nycteris': ['nycteris', 'stycerin'], 'nycturia': ['nycturia', 'tunicary'], 'nye': ['eyn', 'nye', 'yen'], 'nylast': ['nylast', 'stanly'], 'nylon': ['nonly', 'nonyl', 'nylon'], 'nymphalidae': ['lymphadenia', 'nymphalidae'], 'nyroca': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'nystagmic': ['gymnastic', 'nystagmic'], 'oak': ['ako', 'koa', 'oak', 'oka'], 'oaky': ['kayo', 'oaky'], 'oam': ['mao', 'oam'], 'oannes': ['nosean', 'oannes'], 'oar': ['aro', 'oar', 'ora'], 'oared': ['adore', 'oared', 'oread'], 'oaric': ['cairo', 'oaric'], 'oaritis': ['isotria', 'oaritis'], 'oarium': ['mariou', 'oarium'], 'oarless': ['lassoer', 'oarless', 'rosales'], 'oarman': ['oarman', 'ramona'], 'oasal': ['alosa', 'loasa', 'oasal'], 'oasis': ['oasis', 'sosia'], 'oast': ['oast', 'stoa', 'taos'], 'oat': ['oat', 'tao', 'toa'], 'oatbin': ['batino', 'oatbin', 'obtain'], 'oaten': ['atone', 'oaten'], 'oatlike': ['keitloa', 'oatlike'], 'obclude': ['becloud', 'obclude'], 'obeah': ['bahoe', 'bohea', 'obeah'], 'obeisant': ['obeisant', 'sabotine'], 'obelial': ['bolelia', 'lobelia', 'obelial'], 'obeliscal': ['escobilla', 'obeliscal'], 'obelus': ['besoul', 'blouse', 'obelus'], 'oberon': ['borneo', 'oberon'], 'obi': ['ibo', 'obi'], 'obispo': ['boopis', 'obispo'], 'obit': ['bito', 'obit'], 'objectative': ['objectative', 'objectivate'], 'objectivate': ['objectative', 'objectivate'], 'oblate': ['lobate', 'oblate'], 'oblately': ['lobately', 'oblately'], 'oblation': ['boltonia', 'lobation', 'oblation'], 'obligant': ['bloating', 'obligant'], 'obliviality': ['obliviality', 'violability'], 'obol': ['bolo', 'bool', 'lobo', 'obol'], 'obscurant': ['obscurant', 'subcantor'], 'obscurantic': ['obscurantic', 'subnarcotic'], 'obscurantist': ['obscurantist', 'substraction'], 'obscure': ['bescour', 'buceros', 'obscure'], 'obscurer': ['crebrous', 'obscurer'], 'obsecrate': ['bracteose', 'obsecrate'], 'observe': ['observe', 'obverse', 'verbose'], 'obsessor': ['berossos', 'obsessor'], 'obstinate': ['bastionet', 'obstinate'], 'obtain': ['batino', 'oatbin', 'obtain'], 'obtainal': ['ablation', 'obtainal'], 'obtainer': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'obtrude': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'obtruncation': ['conturbation', 'obtruncation'], 'obturate': ['obturate', 'tabouret'], 'obverse': ['observe', 'obverse', 'verbose'], 'obversely': ['obversely', 'verbosely'], 'ocarina': ['aaronic', 'nicarao', 'ocarina'], 'occasioner': ['occasioner', 'reoccasion'], 'occipitofrontal': ['frontooccipital', 'occipitofrontal'], 'occipitotemporal': ['occipitotemporal', 'temporooccipital'], 'occlusion': ['niccolous', 'occlusion'], 'occurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'ocean': ['acone', 'canoe', 'ocean'], 'oceanet': ['acetone', 'oceanet'], 'oceanic': ['cocaine', 'oceanic'], 'ocellar': ['collare', 'corella', 'ocellar'], 'ocellate': ['collatee', 'ocellate'], 'ocellated': ['decollate', 'ocellated'], 'ocelli': ['collie', 'ocelli'], 'och': ['cho', 'och'], 'ocher': ['chore', 'ocher'], 'ocherous': ['ocherous', 'ochreous'], 'ochidore': ['choreoid', 'ochidore'], 'ochlesis': ['helcosis', 'ochlesis'], 'ochlesitic': ['cochleitis', 'ochlesitic'], 'ochletic': ['helcotic', 'lochetic', 'ochletic'], 'ochlocrat': ['colcothar', 'ochlocrat'], 'ochrea': ['chorea', 'ochrea', 'rochea'], 'ochreous': ['ocherous', 'ochreous'], 'ochroid': ['choroid', 'ochroid'], 'ochroma': ['amchoor', 'ochroma'], 'ocht': ['coth', 'ocht'], 'ocque': ['coque', 'ocque'], 'ocreated': ['decorate', 'ocreated'], 'octadic': ['cactoid', 'octadic'], 'octaeteric': ['ecorticate', 'octaeteric'], 'octakishexahedron': ['hexakisoctahedron', 'octakishexahedron'], 'octan': ['acton', 'canto', 'octan'], 'octandrian': ['dracontian', 'octandrian'], 'octarius': ['cotarius', 'octarius', 'suctoria'], 'octastrophic': ['octastrophic', 'postthoracic'], 'octave': ['avocet', 'octave', 'vocate'], 'octavian': ['octavian', 'octavina', 'vacation'], 'octavina': ['octavian', 'octavina', 'vacation'], 'octenary': ['enactory', 'octenary'], 'octet': ['cotte', 'octet'], 'octillion': ['cotillion', 'octillion'], 'octine': ['eciton', 'noetic', 'notice', 'octine'], 'octometer': ['octometer', 'rectotome', 'tocometer'], 'octonal': ['coolant', 'octonal'], 'octonare': ['coronate', 'octonare', 'otocrane'], 'octonarius': ['acutorsion', 'octonarius'], 'octoroon': ['coonroot', 'octoroon'], 'octuple': ['couplet', 'octuple'], 'ocularist': ['ocularist', 'suctorial'], 'oculate': ['caulote', 'colutea', 'oculate'], 'oculinid': ['lucinoid', 'oculinid'], 'ocypete': ['ecotype', 'ocypete'], 'od': ['do', 'od'], 'oda': ['ado', 'dao', 'oda'], 'odal': ['alod', 'dola', 'load', 'odal'], 'odalman': ['mandola', 'odalman'], 'odax': ['doxa', 'odax'], 'odd': ['dod', 'odd'], 'oddman': ['dodman', 'oddman'], 'ode': ['doe', 'edo', 'ode'], 'odel': ['dole', 'elod', 'lode', 'odel'], 'odin': ['dion', 'nodi', 'odin'], 'odinism': ['diosmin', 'odinism'], 'odinite': ['edition', 'odinite', 'otidine', 'tineoid'], 'odiometer': ['meteoroid', 'odiometer'], 'odious': ['iodous', 'odious'], 'odor': ['door', 'odor', 'oord', 'rood'], 'odorant': ['donator', 'odorant', 'tornado'], 'odored': ['doored', 'odored'], 'odorless': ['doorless', 'odorless'], 'ods': ['dos', 'ods', 'sod'], 'odum': ['doum', 'moud', 'odum'], 'odyl': ['loyd', 'odyl'], 'odylist': ['odylist', 'styloid'], 'oecanthus': ['ceanothus', 'oecanthus'], 'oecist': ['cotise', 'oecist'], 'oedipal': ['elapoid', 'oedipal'], 'oenin': ['inone', 'oenin'], 'oenocarpus': ['oenocarpus', 'uranoscope'], 'oer': ['oer', 'ore', 'roe'], 'oes': ['oes', 'ose', 'soe'], 'oestrian': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'oestrid': ['oestrid', 'steroid', 'storied'], 'oestridae': ['oestridae', 'ostreidae', 'sorediate'], 'oestrin': ['oestrin', 'tersion'], 'oestriol': ['oestriol', 'rosolite'], 'oestroid': ['oestroid', 'ordosite', 'ostreoid'], 'oestrual': ['oestrual', 'rosulate'], 'oestrum': ['oestrum', 'rosetum'], 'oestrus': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'of': ['fo', 'of'], 'ofer': ['fore', 'froe', 'ofer'], 'offcast': ['castoff', 'offcast'], 'offcut': ['cutoff', 'offcut'], 'offender': ['offender', 'reoffend'], 'offerer': ['offerer', 'reoffer'], 'offlet': ['letoff', 'offlet'], 'offset': ['offset', 'setoff'], 'offuscate': ['offuscate', 'suffocate'], 'offuscation': ['offuscation', 'suffocation'], 'offward': ['drawoff', 'offward'], 'ofo': ['foo', 'ofo'], 'oft': ['fot', 'oft'], 'oftens': ['oftens', 'soften'], 'ofter': ['fetor', 'forte', 'ofter'], 'oftly': ['lofty', 'oftly'], 'og': ['go', 'og'], 'ogam': ['goma', 'ogam'], 'ogeed': ['geode', 'ogeed'], 'ogle': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'ogler': ['glore', 'ogler'], 'ogpu': ['goup', 'ogpu', 'upgo'], 'ogre': ['goer', 'gore', 'ogre'], 'ogreism': ['ergoism', 'ogreism'], 'ogtiern': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'oh': ['ho', 'oh'], 'ohm': ['mho', 'ohm'], 'ohmage': ['homage', 'ohmage'], 'ohmmeter': ['mhometer', 'ohmmeter'], 'oilcan': ['alnico', 'cliona', 'oilcan'], 'oilcup': ['oilcup', 'upcoil'], 'oildom': ['moloid', 'oildom'], 'oiler': ['oiler', 'oriel', 'reoil'], 'oillet': ['elliot', 'oillet'], 'oilman': ['monial', 'nomial', 'oilman'], 'oilstone': ['leonotis', 'oilstone'], 'oime': ['meio', 'oime'], 'oinomania': ['oinomania', 'oniomania'], 'oint': ['into', 'nito', 'oint', 'tino'], 'oireachtas': ['oireachtas', 'theocrasia'], 'ok': ['ko', 'ok'], 'oka': ['ako', 'koa', 'oak', 'oka'], 'oket': ['keto', 'oket', 'toke'], 'oki': ['koi', 'oki'], 'okie': ['ekoi', 'okie'], 'okra': ['karo', 'kora', 'okra', 'roka'], 'olaf': ['foal', 'loaf', 'olaf'], 'olam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'olamic': ['colima', 'olamic'], 'olcha': ['chola', 'loach', 'olcha'], 'olchi': ['choil', 'choli', 'olchi'], 'old': ['dol', 'lod', 'old'], 'older': ['lored', 'older'], 'oldhamite': ['ethmoidal', 'oldhamite'], 'ole': ['leo', 'ole'], 'olea': ['aloe', 'olea'], 'olecranal': ['lanceolar', 'olecranal'], 'olecranoid': ['lecanoroid', 'olecranoid'], 'olecranon': ['encoronal', 'olecranon'], 'olefin': ['enfoil', 'olefin'], 'oleg': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'olein': ['enoil', 'ileon', 'olein'], 'olena': ['alone', 'anole', 'olena'], 'olenid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'olent': ['lento', 'olent'], 'olenus': ['ensoul', 'olenus', 'unsole'], 'oleosity': ['oleosity', 'otiosely'], 'olga': ['gaol', 'goal', 'gola', 'olga'], 'oliban': ['albino', 'albion', 'alboin', 'oliban'], 'olibanum': ['olibanum', 'umbonial'], 'olid': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'oligoclase': ['oligoclase', 'sociolegal'], 'oligomyoid': ['idiomology', 'oligomyoid'], 'oligonephria': ['oligonephria', 'oligophrenia'], 'oligonephric': ['oligonephric', 'oligophrenic'], 'oligophrenia': ['oligonephria', 'oligophrenia'], 'oligophrenic': ['oligonephric', 'oligophrenic'], 'oliprance': ['oliprance', 'porcelain'], 'oliva': ['oliva', 'viola'], 'olivaceous': ['olivaceous', 'violaceous'], 'olive': ['olive', 'ovile', 'voile'], 'olived': ['livedo', 'olived'], 'oliver': ['oliver', 'violer', 'virole'], 'olivescent': ['olivescent', 'violescent'], 'olivet': ['olivet', 'violet'], 'olivetan': ['olivetan', 'velation'], 'olivette': ['olivette', 'violette'], 'olivine': ['olivine', 'violine'], 'olla': ['lalo', 'lola', 'olla'], 'olof': ['fool', 'loof', 'olof'], 'olonets': ['enstool', 'olonets'], 'olor': ['loro', 'olor', 'orlo', 'rool'], 'olpe': ['lope', 'olpe', 'pole'], 'olson': ['olson', 'solon'], 'olympian': ['olympian', 'polymnia'], 'om': ['mo', 'om'], 'omaha': ['haoma', 'omaha'], 'oman': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'omani': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'omar': ['amor', 'maro', 'mora', 'omar', 'roam'], 'omasitis': ['amitosis', 'omasitis'], 'omber': ['brome', 'omber'], 'omelet': ['omelet', 'telome'], 'omen': ['mone', 'nome', 'omen'], 'omened': ['endome', 'omened'], 'omental': ['omental', 'telamon'], 'omentotomy': ['entomotomy', 'omentotomy'], 'omer': ['mero', 'more', 'omer', 'rome'], 'omicron': ['moronic', 'omicron'], 'omina': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'ominous': ['mousoni', 'ominous'], 'omit': ['itmo', 'moit', 'omit', 'timo'], 'omitis': ['itoism', 'omitis'], 'omniana': ['nanaimo', 'omniana'], 'omniarch': ['choirman', 'harmonic', 'omniarch'], 'omnigerent': ['ignorement', 'omnigerent'], 'omnilegent': ['eloignment', 'omnilegent'], 'omnimeter': ['minometer', 'omnimeter'], 'omnimodous': ['monosodium', 'omnimodous', 'onosmodium'], 'omnist': ['inmost', 'monist', 'omnist'], 'omnitenent': ['intonement', 'omnitenent'], 'omphalogenous': ['megalophonous', 'omphalogenous'], 'on': ['no', 'on'], 'ona': ['noa', 'ona'], 'onager': ['onager', 'orange'], 'onagra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'onan': ['anon', 'nona', 'onan'], 'onanism': ['mansion', 'onanism'], 'onanistic': ['anconitis', 'antiscion', 'onanistic'], 'onca': ['coan', 'onca'], 'once': ['cone', 'once'], 'oncetta': ['oncetta', 'tectona'], 'onchidiidae': ['chionididae', 'onchidiidae'], 'oncia': ['acoin', 'oncia'], 'oncidium': ['conidium', 'mucinoid', 'oncidium'], 'oncin': ['conin', 'nonic', 'oncin'], 'oncometric': ['necrotomic', 'oncometric'], 'oncometry': ['necrotomy', 'normocyte', 'oncometry'], 'oncoming': ['gnomonic', 'oncoming'], 'oncosimeter': ['oncosimeter', 'semicoronet'], 'oncost': ['nostoc', 'oncost'], 'ondagram': ['dragoman', 'garamond', 'ondagram'], 'ondameter': ['emendator', 'ondameter'], 'ondatra': ['adorant', 'ondatra'], 'ondine': ['donnie', 'indone', 'ondine'], 'ondy': ['ondy', 'yond'], 'one': ['eon', 'neo', 'one'], 'oneida': ['daoine', 'oneida'], 'oneiric': ['ironice', 'oneiric'], 'oneism': ['eonism', 'mesion', 'oneism', 'simeon'], 'oneness': ['oneness', 'senones'], 'oner': ['oner', 'rone'], 'onery': ['eryon', 'onery'], 'oniomania': ['oinomania', 'oniomania'], 'oniomaniac': ['iconomania', 'oniomaniac'], 'oniscidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'onisciform': ['onisciform', 'somnorific'], 'oniscoidea': ['iodocasein', 'oniscoidea'], 'onkos': ['onkos', 'snook'], 'onlepy': ['onlepy', 'openly'], 'onliest': ['leonist', 'onliest'], 'only': ['lyon', 'only'], 'onmarch': ['monarch', 'nomarch', 'onmarch'], 'onosmodium': ['monosodium', 'omnimodous', 'onosmodium'], 'ons': ['ons', 'son'], 'onset': ['onset', 'seton', 'steno', 'stone'], 'onshore': ['onshore', 'sorehon'], 'onside': ['deinos', 'donsie', 'inodes', 'onside'], 'onsight': ['hosting', 'onsight'], 'ontal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'ontaric': ['anticor', 'carotin', 'cortina', 'ontaric'], 'onto': ['onto', 'oont', 'toon'], 'ontogenal': ['nonlegato', 'ontogenal'], 'ontological': ['ontological', 'tonological'], 'ontologism': ['monologist', 'nomologist', 'ontologism'], 'ontology': ['ontology', 'tonology'], 'onus': ['nosu', 'nous', 'onus'], 'onymal': ['amylon', 'onymal'], 'onymatic': ['cymation', 'myatonic', 'onymatic'], 'onza': ['azon', 'onza', 'ozan'], 'oocyte': ['coyote', 'oocyte'], 'oodles': ['dolose', 'oodles', 'soodle'], 'ooid': ['iodo', 'ooid'], 'oolak': ['lokao', 'oolak'], 'oolite': ['lootie', 'oolite'], 'oometer': ['moreote', 'oometer'], 'oons': ['oons', 'soon'], 'oont': ['onto', 'oont', 'toon'], 'oopak': ['oopak', 'pooka'], 'oord': ['door', 'odor', 'oord', 'rood'], 'opacate': ['opacate', 'peacoat'], 'opacite': ['ectopia', 'opacite'], 'opah': ['opah', 'paho', 'poha'], 'opal': ['alop', 'opal'], 'opalina': ['opalina', 'pianola'], 'opalinine': ['opalinine', 'pleionian'], 'opalize': ['epizoal', 'lopezia', 'opalize'], 'opata': ['opata', 'patao', 'tapoa'], 'opdalite': ['opdalite', 'petaloid'], 'ope': ['ope', 'poe'], 'opelet': ['eelpot', 'opelet'], 'open': ['nope', 'open', 'peon', 'pone'], 'opencast': ['capstone', 'opencast'], 'opener': ['opener', 'reopen', 'repone'], 'openly': ['onlepy', 'openly'], 'openside': ['disponee', 'openside'], 'operable': ['operable', 'ropeable'], 'operae': ['aerope', 'operae'], 'operant': ['operant', 'pronate', 'protean'], 'operatic': ['aporetic', 'capriote', 'operatic'], 'operatical': ['aporetical', 'operatical'], 'operating': ['operating', 'pignorate'], 'operatrix': ['expirator', 'operatrix'], 'opercular': ['opercular', 'preocular'], 'ophidion': ['ophidion', 'ophionid'], 'ophionid': ['ophidion', 'ophionid'], 'ophism': ['mopish', 'ophism'], 'ophite': ['ethiop', 'ophite', 'peitho'], 'opinant': ['opinant', 'pintano'], 'opinator': ['opinator', 'tropaion'], 'opiner': ['opiner', 'orpine', 'ponier'], 'opiniaster': ['opiniaster', 'opiniastre'], 'opiniastre': ['opiniaster', 'opiniastre'], 'opiniatrety': ['opiniatrety', 'petitionary'], 'opisometer': ['opisometer', 'opsiometer'], 'opisthenar': ['opisthenar', 'spheration'], 'opisthorchis': ['chirosophist', 'opisthorchis'], 'oppian': ['oppian', 'papion', 'popian'], 'opposer': ['opposer', 'propose'], 'oppugn': ['oppugn', 'popgun'], 'opsiometer': ['opisometer', 'opsiometer'], 'opsonic': ['opsonic', 'pocosin'], 'opsy': ['opsy', 'posy'], 'opt': ['opt', 'pot', 'top'], 'optable': ['optable', 'potable'], 'optableness': ['optableness', 'potableness'], 'optate': ['aptote', 'optate', 'potate', 'teapot'], 'optation': ['optation', 'potation'], 'optative': ['optative', 'potative'], 'optic': ['optic', 'picot', 'topic'], 'optical': ['capitol', 'coalpit', 'optical', 'topical'], 'optically': ['optically', 'topically'], 'optics': ['copist', 'coptis', 'optics', 'postic'], 'optimal': ['optimal', 'palmito'], 'option': ['option', 'potion'], 'optional': ['antipolo', 'antipool', 'optional'], 'optography': ['optography', 'topography'], 'optological': ['optological', 'topological'], 'optologist': ['optologist', 'topologist'], 'optology': ['optology', 'topology'], 'optometer': ['optometer', 'potometer'], 'optophone': ['optophone', 'topophone'], 'optotype': ['optotype', 'topotype'], 'opulaster': ['opulaster', 'sportulae', 'sporulate'], 'opulus': ['lupous', 'opulus'], 'opuntia': ['opuntia', 'utopian'], 'opus': ['opus', 'soup'], 'opuscular': ['crapulous', 'opuscular'], 'or': ['or', 'ro'], 'ora': ['aro', 'oar', 'ora'], 'orach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'oracle': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'orad': ['dora', 'orad', 'road'], 'oral': ['lora', 'oral'], 'oralist': ['aristol', 'oralist', 'ortalis', 'striola'], 'orality': ['orality', 'tailory'], 'orang': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'orange': ['onager', 'orange'], 'orangeist': ['goniaster', 'orangeist'], 'oranger': ['groaner', 'oranger', 'organer'], 'orangism': ['orangism', 'organism', 'sinogram'], 'orangist': ['orangist', 'organist', 'roasting', 'signator'], 'orangize': ['agonizer', 'orangize', 'organize'], 'orant': ['orant', 'rotan', 'toran', 'trona'], 'oraon': ['aroon', 'oraon'], 'oratress': ['assertor', 'assorter', 'oratress', 'reassort'], 'orb': ['bor', 'orb', 'rob'], 'orbed': ['boder', 'orbed'], 'orbic': ['boric', 'cribo', 'orbic'], 'orbicle': ['bricole', 'corbeil', 'orbicle'], 'orbicular': ['courbaril', 'orbicular'], 'orbitale': ['betailor', 'laborite', 'orbitale'], 'orbitelar': ['liberator', 'orbitelar'], 'orbitelarian': ['irrationable', 'orbitelarian'], 'orbitofrontal': ['frontoorbital', 'orbitofrontal'], 'orbitonasal': ['nasoorbital', 'orbitonasal'], 'orblet': ['bolter', 'orblet', 'reblot', 'rebolt'], 'orbulina': ['orbulina', 'unilobar'], 'orc': ['cor', 'cro', 'orc', 'roc'], 'orca': ['acor', 'caro', 'cora', 'orca'], 'orcadian': ['nocardia', 'orcadian'], 'orcanet': ['enactor', 'necator', 'orcanet'], 'orcein': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'orchat': ['cathro', 'orchat'], 'orchel': ['chlore', 'choler', 'orchel'], 'orchester': ['orchester', 'orchestre'], 'orchestre': ['orchester', 'orchestre'], 'orchic': ['choric', 'orchic'], 'orchid': ['orchid', 'rhodic'], 'orchidist': ['chorditis', 'orchidist'], 'orchiocele': ['choriocele', 'orchiocele'], 'orchitis': ['historic', 'orchitis'], 'orcin': ['corin', 'noric', 'orcin'], 'orcinol': ['colorin', 'orcinol'], 'ordain': ['dorian', 'inroad', 'ordain'], 'ordainer': ['inroader', 'ordainer', 'reordain'], 'ordainment': ['antimodern', 'ordainment'], 'ordanchite': ['achondrite', 'ditrochean', 'ordanchite'], 'ordeal': ['loader', 'ordeal', 'reload'], 'orderer': ['orderer', 'reorder'], 'ordinable': ['bolderian', 'ordinable'], 'ordinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'ordinance': ['cerdonian', 'ordinance'], 'ordinate': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'ordinative': ['derivation', 'ordinative'], 'ordinator': ['ordinator', 'radiotron'], 'ordines': ['indorse', 'ordines', 'siredon', 'sordine'], 'ordosite': ['oestroid', 'ordosite', 'ostreoid'], 'ordu': ['dour', 'duro', 'ordu', 'roud'], 'ore': ['oer', 'ore', 'roe'], 'oread': ['adore', 'oared', 'oread'], 'oreas': ['arose', 'oreas'], 'orectic': ['cerotic', 'orectic'], 'oreman': ['enamor', 'monera', 'oreman', 'romane'], 'orenda': ['denaro', 'orenda'], 'orendite': ['enteroid', 'orendite'], 'orestean': ['orestean', 'resonate', 'stearone'], 'orf': ['for', 'fro', 'orf'], 'organ': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'organal': ['angolar', 'organal'], 'organer': ['groaner', 'oranger', 'organer'], 'organicism': ['organicism', 'organismic'], 'organicist': ['organicist', 'organistic'], 'organing': ['groaning', 'organing'], 'organism': ['orangism', 'organism', 'sinogram'], 'organismic': ['organicism', 'organismic'], 'organist': ['orangist', 'organist', 'roasting', 'signator'], 'organistic': ['organicist', 'organistic'], 'organity': ['gyration', 'organity', 'ortygian'], 'organize': ['agonizer', 'orangize', 'organize'], 'organized': ['dragonize', 'organized'], 'organoid': ['gordonia', 'organoid', 'rigadoon'], 'organonymic': ['craniognomy', 'organonymic'], 'organotin': ['gortonian', 'organotin'], 'organule': ['lagunero', 'organule', 'uroglena'], 'orgiasm': ['isogram', 'orgiasm'], 'orgiast': ['agistor', 'agrotis', 'orgiast'], 'orgic': ['corgi', 'goric', 'orgic'], 'orgue': ['orgue', 'rogue', 'rouge'], 'orgy': ['gory', 'gyro', 'orgy'], 'oriel': ['oiler', 'oriel', 'reoil'], 'orient': ['norite', 'orient'], 'oriental': ['oriental', 'relation', 'tirolean'], 'orientalism': ['misrelation', 'orientalism', 'relationism'], 'orientalist': ['orientalist', 'relationist'], 'orientate': ['anoterite', 'orientate'], 'origanum': ['mirounga', 'moringua', 'origanum'], 'origin': ['nigori', 'origin'], 'orle': ['lore', 'orle', 'role'], 'orlean': ['lenora', 'loaner', 'orlean', 'reloan'], 'orleanist': ['lairstone', 'orleanist', 'serotinal'], 'orleanistic': ['intersocial', 'orleanistic', 'sclerotinia'], 'orlet': ['lerot', 'orlet', 'relot'], 'orlo': ['loro', 'olor', 'orlo', 'rool'], 'orna': ['nora', 'orna', 'roan'], 'ornamenter': ['ornamenter', 'reornament'], 'ornate': ['atoner', 'norate', 'ornate'], 'ornately': ['neolatry', 'ornately', 'tyrolean'], 'ornation': ['noration', 'ornation', 'orotinan'], 'ornis': ['ornis', 'rosin'], 'orniscopic': ['orniscopic', 'scorpionic'], 'ornithomantic': ['ornithomantic', 'orthantimonic'], 'ornithoptera': ['ornithoptera', 'prototherian'], 'orogenetic': ['erotogenic', 'geocronite', 'orogenetic'], 'orographical': ['colporrhagia', 'orographical'], 'orography': ['gyrophora', 'orography'], 'orotinan': ['noration', 'ornation', 'orotinan'], 'orotund': ['orotund', 'rotundo'], 'orphanism': ['manorship', 'orphanism'], 'orpheon': ['orpheon', 'phorone'], 'orpheus': ['ephorus', 'orpheus', 'upshore'], 'orphical': ['orphical', 'rhopalic'], 'orphism': ['orphism', 'rompish'], 'orphize': ['orphize', 'phiroze'], 'orpine': ['opiner', 'orpine', 'ponier'], 'orsel': ['loser', 'orsel', 'rosel', 'soler'], 'orselle': ['orselle', 'roselle'], 'ort': ['ort', 'rot', 'tor'], 'ortalid': ['dilator', 'ortalid'], 'ortalis': ['aristol', 'oralist', 'ortalis', 'striola'], 'ortet': ['ortet', 'otter', 'toter'], 'orthal': ['harlot', 'orthal', 'thoral'], 'orthantimonic': ['ornithomantic', 'orthantimonic'], 'orthian': ['orthian', 'thorina'], 'orthic': ['chorti', 'orthic', 'thoric', 'trochi'], 'orthite': ['hortite', 'orthite', 'thorite'], 'ortho': ['ortho', 'thoro'], 'orthodromy': ['hydromotor', 'orthodromy'], 'orthogamy': ['orthogamy', 'othygroma'], 'orthogonial': ['orthogonial', 'orthologian'], 'orthologian': ['orthogonial', 'orthologian'], 'orthose': ['orthose', 'reshoot', 'shooter', 'soother'], 'ortiga': ['agrito', 'ortiga'], 'ortstein': ['ortstein', 'tenorist'], 'ortygian': ['gyration', 'organity', 'ortygian'], 'ortygine': ['genitory', 'ortygine'], 'ory': ['ory', 'roy', 'yor'], 'oryx': ['oryx', 'roxy'], 'os': ['os', 'so'], 'osamin': ['monias', 'osamin', 'osmina'], 'osamine': ['monesia', 'osamine', 'osmanie'], 'osc': ['cos', 'osc', 'soc'], 'oscan': ['ascon', 'canso', 'oscan'], 'oscar': ['arcos', 'crosa', 'oscar', 'sacro'], 'oscella': ['callose', 'oscella'], 'oscheal': ['oscheal', 'scholae'], 'oscillance': ['clinoclase', 'oscillance'], 'oscillaria': ['iliosacral', 'oscillaria'], 'oscillation': ['colonialist', 'oscillation'], 'oscin': ['oscin', 'scion', 'sonic'], 'oscine': ['cosine', 'oscine'], 'oscines': ['cession', 'oscines'], 'oscinian': ['oscinian', 'socinian'], 'oscinidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'oscitant': ['actinost', 'oscitant'], 'oscular': ['carolus', 'oscular'], 'osculate': ['lacteous', 'osculate'], 'osculatory': ['cotylosaur', 'osculatory'], 'oscule': ['coleus', 'oscule'], 'ose': ['oes', 'ose', 'soe'], 'osela': ['alose', 'osela', 'solea'], 'oshac': ['chaos', 'oshac'], 'oside': ['diose', 'idose', 'oside'], 'osier': ['osier', 'serio'], 'osirian': ['nosairi', 'osirian'], 'osiride': ['isidore', 'osiride'], 'oskar': ['krosa', 'oskar'], 'osmanie': ['monesia', 'osamine', 'osmanie'], 'osmanli': ['malison', 'manolis', 'osmanli', 'somnial'], 'osmatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'osmatism': ['osmatism', 'somatism'], 'osmerus': ['osmerus', 'smouser'], 'osmin': ['minos', 'osmin', 'simon'], 'osmina': ['monias', 'osamin', 'osmina'], 'osmiridium': ['iridosmium', 'osmiridium'], 'osmogene': ['gonesome', 'osmogene'], 'osmometer': ['merostome', 'osmometer'], 'osmometric': ['microstome', 'osmometric'], 'osmophore': ['osmophore', 'sophomore'], 'osmotactic': ['osmotactic', 'scotomatic'], 'osmunda': ['damnous', 'osmunda'], 'osone': ['noose', 'osone'], 'osprey': ['eryops', 'osprey'], 'ossal': ['lasso', 'ossal'], 'ossein': ['essoin', 'ossein'], 'osselet': ['osselet', 'sestole', 'toeless'], 'ossetian': ['assiento', 'ossetian'], 'ossetine': ['essonite', 'ossetine'], 'ossicle': ['loessic', 'ossicle'], 'ossiculate': ['acleistous', 'ossiculate'], 'ossicule': ['coulisse', 'leucosis', 'ossicule'], 'ossuary': ['ossuary', 'suasory'], 'ostara': ['aroast', 'ostara'], 'osteal': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'ostearthritis': ['arthrosteitis', 'ostearthritis'], 'ostectomy': ['cystotome', 'cytostome', 'ostectomy'], 'ostein': ['nesiot', 'ostein'], 'ostemia': ['miaotse', 'ostemia'], 'ostent': ['ostent', 'teston'], 'ostentation': ['ostentation', 'tionontates'], 'ostentous': ['ostentous', 'sostenuto'], 'osteometric': ['osteometric', 'stereotomic'], 'osteometrical': ['osteometrical', 'stereotomical'], 'osteometry': ['osteometry', 'stereotomy'], 'ostic': ['ostic', 'sciot', 'stoic'], 'ostmen': ['montes', 'ostmen'], 'ostracea': ['ceratosa', 'ostracea'], 'ostracean': ['ostracean', 'socratean'], 'ostracine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'ostracism': ['ostracism', 'socratism'], 'ostracize': ['ostracize', 'socratize'], 'ostracon': ['ostracon', 'socotran'], 'ostraite': ['astroite', 'ostraite', 'storiate'], 'ostreidae': ['oestridae', 'ostreidae', 'sorediate'], 'ostreiform': ['forritsome', 'ostreiform'], 'ostreoid': ['oestroid', 'ordosite', 'ostreoid'], 'ostrich': ['chorist', 'ostrich'], 'oswald': ['dowlas', 'oswald'], 'otalgy': ['goatly', 'otalgy'], 'otaria': ['atorai', 'otaria'], 'otarian': ['aration', 'otarian'], 'otarine': ['otarine', 'torenia'], 'other': ['other', 'thore', 'throe', 'toher'], 'otherism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'otherist': ['otherist', 'theorist'], 'othygroma': ['orthogamy', 'othygroma'], 'otiant': ['otiant', 'titano'], 'otidae': ['idotea', 'iodate', 'otidae'], 'otidine': ['edition', 'odinite', 'otidine', 'tineoid'], 'otiosely': ['oleosity', 'otiosely'], 'otitis': ['itoist', 'otitis'], 'oto': ['oto', 'too'], 'otocephalic': ['hepatocolic', 'otocephalic'], 'otocrane': ['coronate', 'octonare', 'otocrane'], 'otogenic': ['geotonic', 'otogenic'], 'otomian': ['amotion', 'otomian'], 'otomyces': ['cytosome', 'otomyces'], 'ottar': ['ottar', 'tarot', 'torta', 'troat'], 'otter': ['ortet', 'otter', 'toter'], 'otto': ['otto', 'toot', 'toto'], 'otus': ['otus', 'oust', 'suto'], 'otyak': ['otyak', 'tokay'], 'ouch': ['chou', 'ouch'], 'ouf': ['fou', 'ouf'], 'ough': ['hugo', 'ough'], 'ought': ['ought', 'tough'], 'oughtness': ['oughtness', 'toughness'], 'ounds': ['nodus', 'ounds', 'sound'], 'our': ['our', 'uro'], 'ours': ['ours', 'sour'], 'oust': ['otus', 'oust', 'suto'], 'ouster': ['ouster', 'souter', 'touser', 'trouse'], 'out': ['out', 'tou'], 'outarde': ['outarde', 'outdare', 'outread'], 'outban': ['outban', 'unboat'], 'outbar': ['outbar', 'rubato', 'tabour'], 'outbeg': ['bouget', 'outbeg'], 'outblow': ['blowout', 'outblow', 'outbowl'], 'outblunder': ['outblunder', 'untroubled'], 'outbowl': ['blowout', 'outblow', 'outbowl'], 'outbreak': ['breakout', 'outbreak'], 'outbred': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'outburn': ['burnout', 'outburn'], 'outburst': ['outburst', 'subtutor'], 'outbustle': ['outbustle', 'outsubtle'], 'outcarol': ['outcarol', 'taurocol'], 'outcarry': ['curatory', 'outcarry'], 'outcase': ['acetous', 'outcase'], 'outcharm': ['outcharm', 'outmarch'], 'outcrier': ['courtier', 'outcrier'], 'outcut': ['cutout', 'outcut'], 'outdance': ['outdance', 'uncoated'], 'outdare': ['outarde', 'outdare', 'outread'], 'outdraw': ['drawout', 'outdraw', 'outward'], 'outer': ['outer', 'outre', 'route'], 'outerness': ['outerness', 'outreness'], 'outferret': ['foreutter', 'outferret'], 'outfit': ['fitout', 'outfit'], 'outflare': ['fluorate', 'outflare'], 'outfling': ['flouting', 'outfling'], 'outfly': ['outfly', 'toyful'], 'outgoer': ['outgoer', 'rougeot'], 'outgrin': ['outgrin', 'outring', 'routing', 'touring'], 'outhire': ['outhire', 'routhie'], 'outhold': ['holdout', 'outhold'], 'outkick': ['kickout', 'outkick'], 'outlance': ['cleanout', 'outlance'], 'outlay': ['layout', 'lutayo', 'outlay'], 'outleap': ['outleap', 'outpeal'], 'outler': ['elutor', 'louter', 'outler'], 'outlet': ['outlet', 'tutelo'], 'outline': ['elution', 'outline'], 'outlinear': ['outlinear', 'uranolite'], 'outlined': ['outlined', 'untoiled'], 'outlook': ['lookout', 'outlook'], 'outly': ['louty', 'outly'], 'outman': ['amount', 'moutan', 'outman'], 'outmarch': ['outcharm', 'outmarch'], 'outmarry': ['mortuary', 'outmarry'], 'outmaster': ['outmaster', 'outstream'], 'outname': ['notaeum', 'outname'], 'outpaint': ['outpaint', 'putation'], 'outpass': ['outpass', 'passout'], 'outpay': ['outpay', 'tapuyo'], 'outpeal': ['outleap', 'outpeal'], 'outpitch': ['outpitch', 'pitchout'], 'outplace': ['copulate', 'outplace'], 'outprice': ['eutropic', 'outprice'], 'outpromise': ['outpromise', 'peritomous'], 'outrance': ['cornuate', 'courante', 'cuneator', 'outrance'], 'outrate': ['outrate', 'outtear', 'torteau'], 'outre': ['outer', 'outre', 'route'], 'outread': ['outarde', 'outdare', 'outread'], 'outremer': ['outremer', 'urometer'], 'outreness': ['outerness', 'outreness'], 'outring': ['outgrin', 'outring', 'routing', 'touring'], 'outrun': ['outrun', 'runout'], 'outsaint': ['outsaint', 'titanous'], 'outscream': ['castoreum', 'outscream'], 'outsell': ['outsell', 'sellout'], 'outset': ['outset', 'setout'], 'outshake': ['outshake', 'shakeout'], 'outshape': ['outshape', 'taphouse'], 'outshine': ['outshine', 'tinhouse'], 'outshut': ['outshut', 'shutout'], 'outside': ['outside', 'tedious'], 'outsideness': ['outsideness', 'tediousness'], 'outsigh': ['goutish', 'outsigh'], 'outsin': ['outsin', 'ustion'], 'outslide': ['outslide', 'solitude'], 'outsnore': ['outsnore', 'urosteon'], 'outsoler': ['outsoler', 'torulose'], 'outspend': ['outspend', 'unposted'], 'outspit': ['outspit', 'utopist'], 'outspring': ['outspring', 'sprouting'], 'outspurn': ['outspurn', 'portunus'], 'outstair': ['outstair', 'ratitous'], 'outstand': ['outstand', 'standout'], 'outstate': ['outstate', 'outtaste'], 'outstream': ['outmaster', 'outstream'], 'outstreet': ['outstreet', 'tetterous'], 'outsubtle': ['outbustle', 'outsubtle'], 'outtaste': ['outstate', 'outtaste'], 'outtear': ['outrate', 'outtear', 'torteau'], 'outthrough': ['outthrough', 'throughout'], 'outthrow': ['outthrow', 'outworth', 'throwout'], 'outtrail': ['outtrail', 'tutorial'], 'outturn': ['outturn', 'turnout'], 'outturned': ['outturned', 'untutored'], 'outwalk': ['outwalk', 'walkout'], 'outward': ['drawout', 'outdraw', 'outward'], 'outwash': ['outwash', 'washout'], 'outwatch': ['outwatch', 'watchout'], 'outwith': ['outwith', 'without'], 'outwork': ['outwork', 'workout'], 'outworth': ['outthrow', 'outworth', 'throwout'], 'ova': ['avo', 'ova'], 'ovaloid': ['ovaloid', 'ovoidal'], 'ovarial': ['ovarial', 'variola'], 'ovariotubal': ['ovariotubal', 'tuboovarial'], 'ovational': ['avolation', 'ovational'], 'oven': ['nevo', 'oven'], 'ovenly': ['lenvoy', 'ovenly'], 'ovenpeel': ['envelope', 'ovenpeel'], 'over': ['over', 'rove'], 'overaction': ['overaction', 'revocation'], 'overactive': ['overactive', 'revocative'], 'overall': ['allover', 'overall'], 'overblame': ['overblame', 'removable'], 'overblow': ['overblow', 'overbowl'], 'overboil': ['boilover', 'overboil'], 'overbowl': ['overblow', 'overbowl'], 'overbreak': ['breakover', 'overbreak'], 'overburden': ['overburden', 'overburned'], 'overburn': ['burnover', 'overburn'], 'overburned': ['overburden', 'overburned'], 'overcall': ['overcall', 'vocaller'], 'overcare': ['overcare', 'overrace'], 'overcirculate': ['overcirculate', 'uterocervical'], 'overcoat': ['evocator', 'overcoat'], 'overcross': ['crossover', 'overcross'], 'overcup': ['overcup', 'upcover'], 'overcurious': ['erucivorous', 'overcurious'], 'overcurtain': ['countervair', 'overcurtain', 'recurvation'], 'overcut': ['cutover', 'overcut'], 'overdamn': ['overdamn', 'ravendom'], 'overdare': ['overdare', 'overdear', 'overread'], 'overdeal': ['overdeal', 'overlade', 'overlead'], 'overdear': ['overdare', 'overdear', 'overread'], 'overdraw': ['overdraw', 'overward'], 'overdrawer': ['overdrawer', 'overreward'], 'overdrip': ['overdrip', 'provider'], 'overdure': ['devourer', 'overdure', 'overrude'], 'overdust': ['overdust', 'overstud'], 'overedit': ['overedit', 'overtide'], 'overfar': ['favorer', 'overfar', 'refavor'], 'overfile': ['forelive', 'overfile'], 'overfilm': ['overfilm', 'veliform'], 'overflower': ['overflower', 'reoverflow'], 'overforce': ['forecover', 'overforce'], 'overgaiter': ['overgaiter', 'revigorate'], 'overglint': ['overglint', 'revolting'], 'overgo': ['groove', 'overgo'], 'overgrain': ['granivore', 'overgrain'], 'overhate': ['overhate', 'overheat'], 'overheat': ['overhate', 'overheat'], 'overheld': ['overheld', 'verdelho'], 'overidle': ['evildoer', 'overidle'], 'overink': ['invoker', 'overink'], 'overinsist': ['overinsist', 'versionist'], 'overkeen': ['overkeen', 'overknee'], 'overknee': ['overkeen', 'overknee'], 'overlade': ['overdeal', 'overlade', 'overlead'], 'overlast': ['overlast', 'oversalt'], 'overlate': ['elevator', 'overlate'], 'overlay': ['layover', 'overlay'], 'overlead': ['overdeal', 'overlade', 'overlead'], 'overlean': ['overlean', 'valerone'], 'overleg': ['overleg', 'reglove'], 'overlie': ['overlie', 'relievo'], 'overling': ['lovering', 'overling'], 'overlisten': ['overlisten', 'oversilent'], 'overlive': ['overlive', 'overveil'], 'overly': ['overly', 'volery'], 'overmantel': ['overmantel', 'overmantle'], 'overmantle': ['overmantel', 'overmantle'], 'overmaster': ['overmaster', 'overstream'], 'overmean': ['overmean', 'overname'], 'overmerit': ['overmerit', 'overtimer'], 'overname': ['overmean', 'overname'], 'overneat': ['overneat', 'renovate'], 'overnew': ['overnew', 'rewoven'], 'overnigh': ['hovering', 'overnigh'], 'overpaint': ['overpaint', 'pronative'], 'overpass': ['overpass', 'passover'], 'overpet': ['overpet', 'preveto', 'prevote'], 'overpick': ['overpick', 'pickover'], 'overplain': ['overplain', 'parvoline'], 'overply': ['overply', 'plovery'], 'overpointed': ['overpointed', 'predevotion'], 'overpot': ['overpot', 'overtop'], 'overrace': ['overcare', 'overrace'], 'overrate': ['overrate', 'overtare'], 'overread': ['overdare', 'overdear', 'overread'], 'overreward': ['overdrawer', 'overreward'], 'overrude': ['devourer', 'overdure', 'overrude'], 'overrun': ['overrun', 'runover'], 'oversad': ['oversad', 'savored'], 'oversale': ['oversale', 'overseal'], 'oversalt': ['overlast', 'oversalt'], 'oversauciness': ['oversauciness', 'veraciousness'], 'overseal': ['oversale', 'overseal'], 'overseen': ['overseen', 'veronese'], 'overset': ['overset', 'setover'], 'oversilent': ['overlisten', 'oversilent'], 'overslip': ['overslip', 'slipover'], 'overspread': ['overspread', 'spreadover'], 'overstain': ['overstain', 'servation', 'versation'], 'overstir': ['overstir', 'servitor'], 'overstrain': ['overstrain', 'traversion'], 'overstream': ['overmaster', 'overstream'], 'overstrew': ['overstrew', 'overwrest'], 'overstud': ['overdust', 'overstud'], 'overt': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'overtare': ['overrate', 'overtare'], 'overthrow': ['overthrow', 'overwroth'], 'overthwart': ['overthwart', 'thwartover'], 'overtide': ['overedit', 'overtide'], 'overtime': ['overtime', 'remotive'], 'overtimer': ['overmerit', 'overtimer'], 'overtip': ['overtip', 'pivoter'], 'overtop': ['overpot', 'overtop'], 'overtrade': ['overtrade', 'overtread'], 'overtread': ['overtrade', 'overtread'], 'overtrue': ['overtrue', 'overture', 'trouvere'], 'overture': ['overtrue', 'overture', 'trouvere'], 'overturn': ['overturn', 'turnover'], 'overtwine': ['interwove', 'overtwine'], 'overveil': ['overlive', 'overveil'], 'overwalk': ['overwalk', 'walkover'], 'overward': ['overdraw', 'overward'], 'overwrest': ['overstrew', 'overwrest'], 'overwroth': ['overthrow', 'overwroth'], 'ovest': ['ovest', 'stove'], 'ovidae': ['evodia', 'ovidae'], 'ovidian': ['ovidian', 'vidonia'], 'ovile': ['olive', 'ovile', 'voile'], 'ovillus': ['ovillus', 'villous'], 'oviparous': ['apivorous', 'oviparous'], 'ovist': ['ovist', 'visto'], 'ovistic': ['covisit', 'ovistic'], 'ovoidal': ['ovaloid', 'ovoidal'], 'ovular': ['louvar', 'ovular'], 'ow': ['ow', 'wo'], 'owd': ['dow', 'owd', 'wod'], 'owe': ['owe', 'woe'], 'owen': ['enow', 'owen', 'wone'], 'owenism': ['owenism', 'winsome'], 'ower': ['ower', 'wore'], 'owerby': ['bowery', 'bowyer', 'owerby'], 'owl': ['low', 'lwo', 'owl'], 'owler': ['lower', 'owler', 'rowel'], 'owlery': ['lowery', 'owlery', 'rowley', 'yowler'], 'owlet': ['owlet', 'towel'], 'owlish': ['lowish', 'owlish'], 'owlishly': ['lowishly', 'owlishly', 'sillyhow'], 'owlishness': ['lowishness', 'owlishness'], 'owly': ['lowy', 'owly', 'yowl'], 'own': ['now', 'own', 'won'], 'owner': ['owner', 'reown', 'rowen'], 'ownership': ['ownership', 'shipowner'], 'ownness': ['nowness', 'ownness'], 'owser': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'oxalan': ['axonal', 'oxalan'], 'oxalite': ['aloxite', 'oxalite'], 'oxan': ['axon', 'noxa', 'oxan'], 'oxanic': ['anoxic', 'oxanic'], 'oxazine': ['azoxine', 'oxazine'], 'oxen': ['exon', 'oxen'], 'oxidic': ['ixodic', 'oxidic'], 'oximate': ['oximate', 'toxemia'], 'oxy': ['oxy', 'yox'], 'oxyntic': ['ictonyx', 'oxyntic'], 'oxyphenol': ['oxyphenol', 'xylophone'], 'oxyterpene': ['enteropexy', 'oxyterpene'], 'oyer': ['oyer', 'roey', 'yore'], 'oyster': ['oyster', 'rosety'], 'oysterish': ['oysterish', 'thyreosis'], 'oysterman': ['monastery', 'oysterman'], 'ozan': ['azon', 'onza', 'ozan'], 'ozena': ['neoza', 'ozena'], 'ozonate': ['entozoa', 'ozonate'], 'ozonic': ['ozonic', 'zoonic'], 'ozotype': ['ozotype', 'zootype'], 'paal': ['paal', 'pala'], 'paar': ['apar', 'paar', 'para'], 'pablo': ['pablo', 'polab'], 'pac': ['cap', 'pac'], 'pacable': ['capable', 'pacable'], 'pacation': ['copatain', 'pacation'], 'pacaya': ['cayapa', 'pacaya'], 'pace': ['cape', 'cepa', 'pace'], 'paced': ['caped', 'decap', 'paced'], 'pacer': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'pachnolite': ['pachnolite', 'phonetical'], 'pachometer': ['pachometer', 'phacometer'], 'pacht': ['chapt', 'pacht', 'patch'], 'pachylosis': ['pachylosis', 'phacolysis'], 'pacificist': ['pacificist', 'pacifistic'], 'pacifistic': ['pacificist', 'pacifistic'], 'packer': ['packer', 'repack'], 'paco': ['copa', 'paco'], 'pacolet': ['pacolet', 'polecat'], 'paction': ['caption', 'paction'], 'pactional': ['pactional', 'pactolian', 'placation'], 'pactionally': ['pactionally', 'polyactinal'], 'pactolian': ['pactional', 'pactolian', 'placation'], 'pad': ['dap', 'pad'], 'padda': ['dadap', 'padda'], 'padder': ['padder', 'parded'], 'padfoot': ['footpad', 'padfoot'], 'padle': ['padle', 'paled', 'pedal', 'plead'], 'padre': ['drape', 'padre'], 'padtree': ['padtree', 'predate', 'tapered'], 'paean': ['apnea', 'paean'], 'paeanism': ['paeanism', 'spanemia'], 'paegel': ['paegel', 'paegle', 'pelage'], 'paegle': ['paegel', 'paegle', 'pelage'], 'paga': ['gapa', 'paga'], 'page': ['gape', 'page', 'peag', 'pega'], 'pagedom': ['megapod', 'pagedom'], 'pager': ['gaper', 'grape', 'pager', 'parge'], 'pageship': ['pageship', 'shippage'], 'paginary': ['agrypnia', 'paginary'], 'paguridae': ['paguridae', 'paguridea'], 'paguridea': ['paguridae', 'paguridea'], 'pagurine': ['pagurine', 'perugian'], 'pah': ['hap', 'pah'], 'pahari': ['pahari', 'pariah', 'raphia'], 'pahi': ['hapi', 'pahi'], 'paho': ['opah', 'paho', 'poha'], 'paigle': ['paigle', 'pilage'], 'paik': ['paik', 'pika'], 'pail': ['lipa', 'pail', 'pali', 'pial'], 'paillasse': ['paillasse', 'palliasse'], 'pain': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'painless': ['painless', 'spinales'], 'paint': ['inapt', 'paint', 'pinta'], 'painted': ['depaint', 'inadept', 'painted', 'patined'], 'painter': ['painter', 'pertain', 'pterian', 'repaint'], 'painterly': ['interplay', 'painterly'], 'paintiness': ['antisepsin', 'paintiness'], 'paip': ['paip', 'pipa'], 'pair': ['pair', 'pari', 'pria', 'ripa'], 'paired': ['diaper', 'paired'], 'pairer': ['pairer', 'rapier', 'repair'], 'pairment': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'pais': ['apis', 'pais', 'pasi', 'saip'], 'pajonism': ['japonism', 'pajonism'], 'pal': ['alp', 'lap', 'pal'], 'pala': ['paal', 'pala'], 'palaeechinoid': ['deinocephalia', 'palaeechinoid'], 'palaemonid': ['anomaliped', 'palaemonid'], 'palaemonoid': ['adenolipoma', 'palaemonoid'], 'palaeornis': ['palaeornis', 'personalia'], 'palaestrics': ['palaestrics', 'paracelsist'], 'palaic': ['apical', 'palaic'], 'palaite': ['palaite', 'petalia', 'pileata'], 'palame': ['palame', 'palmae', 'pamela'], 'palamite': ['ampliate', 'palamite'], 'palas': ['palas', 'salpa'], 'palate': ['aletap', 'palate', 'platea'], 'palatial': ['palatial', 'palliata'], 'palatic': ['capital', 'palatic'], 'palation': ['palation', 'talapoin'], 'palatonasal': ['nasopalatal', 'palatonasal'], 'palau': ['palau', 'paula'], 'palay': ['palay', 'playa'], 'pale': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'paled': ['padle', 'paled', 'pedal', 'plead'], 'paleness': ['paleness', 'paneless'], 'paleolithy': ['paleolithy', 'polyhalite', 'polythelia'], 'paler': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'palermitan': ['palermitan', 'parliament'], 'palermo': ['leproma', 'palermo', 'pleroma', 'polearm'], 'pales': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'palestral': ['alpestral', 'palestral'], 'palestrian': ['alpestrian', 'palestrian', 'psalterian'], 'palet': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'palette': ['palette', 'peltate'], 'pali': ['lipa', 'pail', 'pali', 'pial'], 'palification': ['palification', 'pontificalia'], 'palinode': ['lapideon', 'palinode', 'pedalion'], 'palinodist': ['palinodist', 'plastinoid'], 'palisade': ['palisade', 'salpidae'], 'palish': ['palish', 'silpha'], 'pallasite': ['aliseptal', 'pallasite'], 'pallette': ['pallette', 'platelet'], 'palliasse': ['paillasse', 'palliasse'], 'palliata': ['palatial', 'palliata'], 'pallone': ['pallone', 'pleonal'], 'palluites': ['palluites', 'pulsatile'], 'palm': ['lamp', 'palm'], 'palmad': ['lampad', 'palmad'], 'palmae': ['palame', 'palmae', 'pamela'], 'palmary': ['palmary', 'palmyra'], 'palmatilobed': ['palmatilobed', 'palmilobated'], 'palmatisect': ['metaplastic', 'palmatisect'], 'palmer': ['lamper', 'palmer', 'relamp'], 'palmery': ['lamprey', 'palmery'], 'palmette': ['palmette', 'template'], 'palmful': ['lampful', 'palmful'], 'palmification': ['amplification', 'palmification'], 'palmilobated': ['palmatilobed', 'palmilobated'], 'palmipes': ['epiplasm', 'palmipes'], 'palmist': ['lampist', 'palmist'], 'palmister': ['palmister', 'prelatism'], 'palmistry': ['lampistry', 'palmistry'], 'palmite': ['implate', 'palmite'], 'palmito': ['optimal', 'palmito'], 'palmitone': ['emptional', 'palmitone'], 'palmo': ['mopla', 'palmo'], 'palmula': ['ampulla', 'palmula'], 'palmy': ['amply', 'palmy'], 'palmyra': ['palmary', 'palmyra'], 'palolo': ['apollo', 'palolo'], 'palp': ['lapp', 'palp', 'plap'], 'palpal': ['appall', 'palpal'], 'palpatory': ['palpatory', 'papolatry'], 'palped': ['dapple', 'lapped', 'palped'], 'palpi': ['palpi', 'pipal'], 'palster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'palsy': ['palsy', 'splay'], 'palt': ['palt', 'plat'], 'palta': ['aptal', 'palta', 'talpa'], 'palter': ['palter', 'plater'], 'palterer': ['palterer', 'platerer'], 'paltry': ['paltry', 'partly', 'raptly'], 'paludian': ['paludian', 'paludina'], 'paludic': ['paludic', 'pudical'], 'paludina': ['paludian', 'paludina'], 'palus': ['palus', 'pasul'], 'palustral': ['palustral', 'plaustral'], 'palustrine': ['lupinaster', 'palustrine'], 'paly': ['paly', 'play', 'pyal', 'pyla'], 'pam': ['map', 'pam'], 'pamela': ['palame', 'palmae', 'pamela'], 'pamir': ['impar', 'pamir', 'prima'], 'pamiri': ['impair', 'pamiri'], 'pamper': ['mapper', 'pamper', 'pampre'], 'pampre': ['mapper', 'pamper', 'pampre'], 'pan': ['nap', 'pan'], 'panace': ['canape', 'panace'], 'panaceist': ['antispace', 'panaceist'], 'panade': ['napead', 'panade'], 'panak': ['kanap', 'panak'], 'panamist': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'panary': ['panary', 'panyar'], 'panatela': ['panatela', 'plataean'], 'panatrophy': ['apanthropy', 'panatrophy'], 'pancreatoduodenectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'pandean': ['pandean', 'pannade'], 'pandemia': ['pandemia', 'pedimana'], 'pander': ['pander', 'repand'], 'panderly': ['panderly', 'repandly'], 'pandermite': ['pandermite', 'pentamerid'], 'panderous': ['panderous', 'repandous'], 'pandion': ['dipnoan', 'nonpaid', 'pandion'], 'pandour': ['pandour', 'poduran'], 'pane': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'paned': ['paned', 'penda'], 'panel': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'panela': ['apneal', 'panela'], 'panelation': ['antelopian', 'neapolitan', 'panelation'], 'paneler': ['paneler', 'repanel', 'replane'], 'paneless': ['paleness', 'paneless'], 'panelist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pangamic': ['campaign', 'pangamic'], 'pangane': ['pangane', 'pannage'], 'pangen': ['pangen', 'penang'], 'pangene': ['pangene', 'pennage'], 'pangi': ['aping', 'ngapi', 'pangi'], 'pani': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'panicle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'paniculitis': ['paniculitis', 'paulinistic'], 'panisca': ['capsian', 'caspian', 'nascapi', 'panisca'], 'panisic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pank': ['knap', 'pank'], 'pankin': ['napkin', 'pankin'], 'panman': ['panman', 'pannam'], 'panmug': ['panmug', 'pugman'], 'pannade': ['pandean', 'pannade'], 'pannage': ['pangane', 'pannage'], 'pannam': ['panman', 'pannam'], 'panne': ['panne', 'penna'], 'pannicle': ['pannicle', 'pinnacle'], 'pannus': ['pannus', 'sannup', 'unsnap', 'unspan'], 'panoche': ['copehan', 'panoche', 'phocean'], 'panoistic': ['panoistic', 'piscation'], 'panornithic': ['panornithic', 'rhaponticin'], 'panostitis': ['antiptosis', 'panostitis'], 'panplegia': ['appealing', 'lagniappe', 'panplegia'], 'pansciolist': ['costispinal', 'pansciolist'], 'panse': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'panside': ['ipseand', 'panside', 'pansied'], 'pansied': ['ipseand', 'panside', 'pansied'], 'pansy': ['pansy', 'snapy'], 'pantaleon': ['pantaleon', 'pantalone'], 'pantalone': ['pantaleon', 'pantalone'], 'pantarchy': ['pantarchy', 'pyracanth'], 'pantelis': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pantellerite': ['interpellate', 'pantellerite'], 'panter': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pantheic': ['haptenic', 'pantheic', 'pithecan'], 'pantheonic': ['nonhepatic', 'pantheonic'], 'pantie': ['pantie', 'patine'], 'panties': ['panties', 'sapient', 'spinate'], 'pantile': ['pantile', 'pentail', 'platine', 'talpine'], 'pantle': ['pantle', 'planet', 'platen'], 'pantler': ['pantler', 'planter', 'replant'], 'pantofle': ['felapton', 'pantofle'], 'pantry': ['pantry', 'trypan'], 'panyar': ['panary', 'panyar'], 'papabot': ['papabot', 'papboat'], 'papal': ['lappa', 'papal'], 'papalistic': ['papalistic', 'papistical'], 'papboat': ['papabot', 'papboat'], 'paper': ['paper', 'rappe'], 'papered': ['papered', 'pradeep'], 'paperer': ['paperer', 'perpera', 'prepare', 'repaper'], 'papern': ['napper', 'papern'], 'papery': ['papery', 'prepay', 'yapper'], 'papillote': ['papillote', 'popliteal'], 'papion': ['oppian', 'papion', 'popian'], 'papisher': ['papisher', 'sapphire'], 'papistical': ['papalistic', 'papistical'], 'papless': ['papless', 'sapples'], 'papolatry': ['palpatory', 'papolatry'], 'papule': ['papule', 'upleap'], 'par': ['par', 'rap'], 'para': ['apar', 'paar', 'para'], 'parablepsia': ['appraisable', 'parablepsia'], 'paracelsist': ['palaestrics', 'paracelsist'], 'parachor': ['chaparro', 'parachor'], 'paracolitis': ['paracolitis', 'piscatorial'], 'paradisaic': ['paradisaic', 'paradisiac'], 'paradisaically': ['paradisaically', 'paradisiacally'], 'paradise': ['paradise', 'sparidae'], 'paradisiac': ['paradisaic', 'paradisiac'], 'paradisiacally': ['paradisaically', 'paradisiacally'], 'parado': ['parado', 'pardao'], 'paraenetic': ['capernaite', 'paraenetic'], 'paragrapher': ['paragrapher', 'reparagraph'], 'parah': ['aphra', 'harpa', 'parah'], 'parale': ['earlap', 'parale'], 'param': ['param', 'parma', 'praam'], 'paramine': ['amperian', 'paramine', 'pearmain'], 'paranephric': ['paranephric', 'paraphrenic'], 'paranephritis': ['paranephritis', 'paraphrenitis'], 'paranosic': ['caparison', 'paranosic'], 'paraphrenic': ['paranephric', 'paraphrenic'], 'paraphrenitis': ['paranephritis', 'paraphrenitis'], 'parasita': ['aspirata', 'parasita'], 'parasite': ['aspirate', 'parasite'], 'parasol': ['asaprol', 'parasol'], 'parasuchian': ['parasuchian', 'unpharasaic'], 'parasyntheton': ['parasyntheton', 'thysanopteran'], 'parate': ['aptera', 'parate', 'patera'], 'parathion': ['parathion', 'phanariot'], 'parazoan': ['parazoan', 'zaparoan'], 'parboil': ['bipolar', 'parboil'], 'parcel': ['carpel', 'parcel', 'placer'], 'parcellary': ['carpellary', 'parcellary'], 'parcellate': ['carpellate', 'parcellate', 'prelacteal'], 'parchesi': ['parchesi', 'seraphic'], 'pard': ['pard', 'prad'], 'pardao': ['parado', 'pardao'], 'parded': ['padder', 'parded'], 'pardesi': ['despair', 'pardesi'], 'pardo': ['adrop', 'pardo'], 'pardoner': ['pardoner', 'preadorn'], 'pare': ['aper', 'pare', 'pear', 'rape', 'reap'], 'parel': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'paren': ['arpen', 'paren'], 'parent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'parental': ['parental', 'paternal', 'prenatal'], 'parentalia': ['parentalia', 'planetaria'], 'parentalism': ['parentalism', 'paternalism'], 'parentality': ['parentality', 'paternality'], 'parentally': ['parentally', 'paternally', 'prenatally'], 'parentelic': ['epicentral', 'parentelic'], 'parenticide': ['parenticide', 'preindicate'], 'parer': ['parer', 'raper'], 'paresis': ['paresis', 'serapis'], 'paretic': ['paretic', 'patrice', 'picrate'], 'parge': ['gaper', 'grape', 'pager', 'parge'], 'pari': ['pair', 'pari', 'pria', 'ripa'], 'pariah': ['pahari', 'pariah', 'raphia'], 'paridae': ['deipara', 'paridae'], 'paries': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'parietal': ['apterial', 'parietal'], 'parietes': ['asperite', 'parietes'], 'parietofrontal': ['frontoparietal', 'parietofrontal'], 'parietosquamosal': ['parietosquamosal', 'squamosoparietal'], 'parietotemporal': ['parietotemporal', 'temporoparietal'], 'parietovisceral': ['parietovisceral', 'visceroparietal'], 'parine': ['parine', 'rapine'], 'paring': ['paring', 'raping'], 'paris': ['paris', 'parsi', 'sarip'], 'parish': ['parish', 'raphis', 'rhapis'], 'parished': ['diphaser', 'parished', 'raphides', 'sephardi'], 'parison': ['parison', 'soprani'], 'parity': ['parity', 'piraty'], 'parkee': ['parkee', 'peaker'], 'parker': ['parker', 'repark'], 'parlatory': ['parlatory', 'portrayal'], 'parle': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'parley': ['parley', 'pearly', 'player', 'replay'], 'parliament': ['palermitan', 'parliament'], 'parly': ['parly', 'pylar', 'pyral'], 'parma': ['param', 'parma', 'praam'], 'parmesan': ['parmesan', 'spearman'], 'parnel': ['parnel', 'planer', 'replan'], 'paroch': ['carhop', 'paroch'], 'parochialism': ['aphorismical', 'parochialism'], 'parochine': ['canephroi', 'parochine'], 'parodic': ['parodic', 'picador'], 'paroecism': ['paroecism', 'premosaic'], 'parol': ['parol', 'polar', 'poral', 'proal'], 'parosela': ['parosela', 'psoralea'], 'parosteal': ['parosteal', 'pastorale'], 'parostotic': ['parostotic', 'postaortic'], 'parotia': ['apiator', 'atropia', 'parotia'], 'parotic': ['apricot', 'atropic', 'parotic', 'patrico'], 'parotid': ['dioptra', 'parotid'], 'parotitic': ['parotitic', 'patriotic'], 'parotitis': ['parotitis', 'topiarist'], 'parous': ['parous', 'upsoar'], 'parovarium': ['parovarium', 'vaporarium'], 'parrot': ['parrot', 'raptor'], 'parroty': ['parroty', 'portray', 'tropary'], 'parsable': ['parsable', 'prebasal', 'sparable'], 'parse': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'parsec': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'parsee': ['parsee', 'persae', 'persea', 'serape'], 'parser': ['parser', 'rasper', 'sparer'], 'parsi': ['paris', 'parsi', 'sarip'], 'parsley': ['parsley', 'pyrales', 'sparely', 'splayer'], 'parsoned': ['parsoned', 'spadrone'], 'parsonese': ['parsonese', 'preseason'], 'parsonic': ['parsonic', 'scoparin'], 'part': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'partan': ['partan', 'tarpan'], 'parted': ['depart', 'parted', 'petard'], 'partedness': ['depressant', 'partedness'], 'parter': ['parter', 'prater'], 'parthian': ['parthian', 'taphrina'], 'partial': ['partial', 'patrial'], 'partialistic': ['iatraliptics', 'partialistic'], 'particle': ['particle', 'plicater', 'prelatic'], 'particulate': ['catapultier', 'particulate'], 'partigen': ['partigen', 'tapering'], 'partile': ['partile', 'plaiter', 'replait'], 'partimen': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'partinium': ['impuritan', 'partinium'], 'partisan': ['aspirant', 'partisan', 'spartina'], 'partite': ['partite', 'tearpit'], 'partitioned': ['departition', 'partitioned', 'trepidation'], 'partitioner': ['partitioner', 'repartition'], 'partlet': ['partlet', 'platter', 'prattle'], 'partly': ['paltry', 'partly', 'raptly'], 'parto': ['aport', 'parto', 'porta'], 'parture': ['parture', 'rapture'], 'party': ['party', 'trypa'], 'parulis': ['parulis', 'spirula', 'uprisal'], 'parure': ['parure', 'uprear'], 'parvoline': ['overplain', 'parvoline'], 'pasan': ['pasan', 'sapan'], 'pasch': ['chaps', 'pasch'], 'pascha': ['pascha', 'scapha'], 'paschite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pascual': ['capsula', 'pascual', 'scapula'], 'pash': ['hasp', 'pash', 'psha', 'shap'], 'pasha': ['asaph', 'pasha'], 'pashm': ['pashm', 'phasm'], 'pashto': ['pashto', 'pathos', 'potash'], 'pasi': ['apis', 'pais', 'pasi', 'saip'], 'passer': ['passer', 'repass', 'sparse'], 'passional': ['passional', 'sponsalia'], 'passo': ['passo', 'psoas'], 'passout': ['outpass', 'passout'], 'passover': ['overpass', 'passover'], 'past': ['past', 'spat', 'stap', 'taps'], 'paste': ['paste', 'septa', 'spate'], 'pastel': ['pastel', 'septal', 'staple'], 'paster': ['paster', 'repast', 'trapes'], 'pasterer': ['pasterer', 'strepera'], 'pasteur': ['pasteur', 'pasture', 'upstare'], 'pastiche': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pasticheur': ['curateship', 'pasticheur'], 'pastil': ['alpist', 'pastil', 'spital'], 'pastile': ['aliptes', 'pastile', 'talipes'], 'pastime': ['impaste', 'pastime'], 'pastimer': ['maspiter', 'pastimer', 'primates'], 'pastophorium': ['amphitropous', 'pastophorium'], 'pastophorus': ['apostrophus', 'pastophorus'], 'pastor': ['asport', 'pastor', 'sproat'], 'pastoral': ['pastoral', 'proatlas'], 'pastorale': ['parosteal', 'pastorale'], 'pastose': ['pastose', 'petasos'], 'pastural': ['pastural', 'spatular'], 'pasture': ['pasteur', 'pasture', 'upstare'], 'pasty': ['pasty', 'patsy'], 'pasul': ['palus', 'pasul'], 'pat': ['apt', 'pat', 'tap'], 'pata': ['atap', 'pata', 'tapa'], 'patao': ['opata', 'patao', 'tapoa'], 'patarin': ['patarin', 'tarapin'], 'patarine': ['patarine', 'tarpeian'], 'patas': ['patas', 'tapas'], 'patch': ['chapt', 'pacht', 'patch'], 'patcher': ['chapter', 'patcher', 'repatch'], 'patchery': ['patchery', 'petchary'], 'pate': ['pate', 'peat', 'tape', 'teap'], 'patel': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'paten': ['enapt', 'paten', 'penta', 'tapen'], 'patener': ['patener', 'pearten', 'petrean', 'terpane'], 'patent': ['patent', 'patten', 'tapnet'], 'pater': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'patera': ['aptera', 'parate', 'patera'], 'paternal': ['parental', 'paternal', 'prenatal'], 'paternalism': ['parentalism', 'paternalism'], 'paternalist': ['intraseptal', 'paternalist', 'prenatalist'], 'paternality': ['parentality', 'paternality'], 'paternally': ['parentally', 'paternally', 'prenatally'], 'paternoster': ['paternoster', 'prosternate', 'transportee'], 'patesi': ['patesi', 'pietas'], 'pathed': ['heptad', 'pathed'], 'pathic': ['haptic', 'pathic'], 'pathlet': ['pathlet', 'telpath'], 'pathogen': ['heptagon', 'pathogen'], 'pathologicoanatomic': ['anatomicopathologic', 'pathologicoanatomic'], 'pathologicoanatomical': ['anatomicopathological', 'pathologicoanatomical'], 'pathologicoclinical': ['clinicopathological', 'pathologicoclinical'], 'pathonomy': ['monopathy', 'pathonomy'], 'pathophoric': ['haptophoric', 'pathophoric'], 'pathophorous': ['haptophorous', 'pathophorous'], 'pathos': ['pashto', 'pathos', 'potash'], 'pathy': ['pathy', 'typha'], 'patiently': ['patiently', 'platynite'], 'patina': ['aptian', 'patina', 'taipan'], 'patine': ['pantie', 'patine'], 'patined': ['depaint', 'inadept', 'painted', 'patined'], 'patio': ['patio', 'taipo', 'topia'], 'patly': ['aptly', 'patly', 'platy', 'typal'], 'patness': ['aptness', 'patness'], 'pato': ['atop', 'pato'], 'patola': ['patola', 'tapalo'], 'patrial': ['partial', 'patrial'], 'patriarch': ['patriarch', 'phratriac'], 'patrice': ['paretic', 'patrice', 'picrate'], 'patricide': ['dipicrate', 'patricide', 'pediatric'], 'patrico': ['apricot', 'atropic', 'parotic', 'patrico'], 'patrilocal': ['allopatric', 'patrilocal'], 'patriotic': ['parotitic', 'patriotic'], 'patroclinous': ['patroclinous', 'pratincolous'], 'patrol': ['patrol', 'portal', 'tropal'], 'patron': ['patron', 'tarpon'], 'patroness': ['patroness', 'transpose'], 'patronite': ['antitrope', 'patronite', 'tritanope'], 'patronymic': ['importancy', 'patronymic', 'pyromantic'], 'patsy': ['pasty', 'patsy'], 'patte': ['patte', 'tapet'], 'pattee': ['pattee', 'tapete'], 'patten': ['patent', 'patten', 'tapnet'], 'pattener': ['pattener', 'repatent'], 'patterer': ['patterer', 'pretreat'], 'pattern': ['pattern', 'reptant'], 'patterner': ['patterner', 'repattern'], 'patu': ['patu', 'paut', 'tapu'], 'patulent': ['patulent', 'petulant'], 'pau': ['pau', 'pua'], 'paul': ['paul', 'upla'], 'paula': ['palau', 'paula'], 'paulian': ['apulian', 'paulian', 'paulina'], 'paulie': ['alpieu', 'paulie'], 'paulin': ['paulin', 'pulian'], 'paulina': ['apulian', 'paulian', 'paulina'], 'paulinistic': ['paniculitis', 'paulinistic'], 'paulinus': ['nauplius', 'paulinus'], 'paulist': ['paulist', 'stipula'], 'paup': ['paup', 'pupa'], 'paut': ['patu', 'paut', 'tapu'], 'paver': ['paver', 'verpa'], 'pavid': ['pavid', 'vapid'], 'pavidity': ['pavidity', 'vapidity'], 'pavier': ['pavier', 'vipera'], 'pavisor': ['pavisor', 'proavis'], 'paw': ['paw', 'wap'], 'pawner': ['enwrap', 'pawner', 'repawn'], 'pay': ['pay', 'pya', 'yap'], 'payer': ['apery', 'payer', 'repay'], 'payroll': ['payroll', 'polarly'], 'pea': ['ape', 'pea'], 'peach': ['chape', 'cheap', 'peach'], 'peachen': ['cheapen', 'peachen'], 'peachery': ['cheapery', 'peachery'], 'peachlet': ['chapelet', 'peachlet'], 'peacoat': ['opacate', 'peacoat'], 'peag': ['gape', 'page', 'peag', 'pega'], 'peaker': ['parkee', 'peaker'], 'peal': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pealike': ['apelike', 'pealike'], 'pean': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'pear': ['aper', 'pare', 'pear', 'rape', 'reap'], 'pearl': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'pearled': ['pearled', 'pedaler', 'pleader', 'replead'], 'pearlet': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pearlin': ['pearlin', 'plainer', 'praline'], 'pearlish': ['earlship', 'pearlish'], 'pearlsides': ['displeaser', 'pearlsides'], 'pearly': ['parley', 'pearly', 'player', 'replay'], 'pearmain': ['amperian', 'paramine', 'pearmain'], 'peart': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'pearten': ['patener', 'pearten', 'petrean', 'terpane'], 'peartly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'peartness': ['apertness', 'peartness', 'taperness'], 'peasantry': ['peasantry', 'synaptera'], 'peat': ['pate', 'peat', 'tape', 'teap'], 'peatman': ['peatman', 'tapeman'], 'peatship': ['happiest', 'peatship'], 'peccation': ['acception', 'peccation'], 'peckerwood': ['peckerwood', 'woodpecker'], 'pecos': ['copse', 'pecos', 'scope'], 'pectin': ['incept', 'pectin'], 'pectinate': ['pectinate', 'pencatite'], 'pectination': ['antinepotic', 'pectination'], 'pectinatopinnate': ['pectinatopinnate', 'pinnatopectinate'], 'pectinoid': ['depiction', 'pectinoid'], 'pectora': ['coperta', 'pectora', 'porcate'], 'pecunious': ['pecunious', 'puniceous'], 'peda': ['depa', 'peda'], 'pedal': ['padle', 'paled', 'pedal', 'plead'], 'pedaler': ['pearled', 'pedaler', 'pleader', 'replead'], 'pedalier': ['pedalier', 'perlidae'], 'pedalion': ['lapideon', 'palinode', 'pedalion'], 'pedalism': ['misplead', 'pedalism'], 'pedalist': ['dispetal', 'pedalist'], 'pedaliter': ['pedaliter', 'predetail'], 'pedant': ['pedant', 'pentad'], 'pedantess': ['adeptness', 'pedantess'], 'pedantic': ['pedantic', 'pentacid'], 'pedary': ['pedary', 'preday'], 'pederastic': ['discrepate', 'pederastic'], 'pedes': ['pedes', 'speed'], 'pedesis': ['despise', 'pedesis'], 'pedestrial': ['pedestrial', 'pilastered'], 'pediatric': ['dipicrate', 'patricide', 'pediatric'], 'pedicel': ['pedicel', 'pedicle'], 'pedicle': ['pedicel', 'pedicle'], 'pedicular': ['crepidula', 'pedicular'], 'pediculi': ['lupicide', 'pediculi', 'pulicide'], 'pedimana': ['pandemia', 'pedimana'], 'pedocal': ['lacepod', 'pedocal', 'placode'], 'pedometrician': ['pedometrician', 'premedication'], 'pedrail': ['pedrail', 'predial'], 'pedro': ['doper', 'pedro', 'pored'], 'peed': ['deep', 'peed'], 'peek': ['keep', 'peek'], 'peel': ['leep', 'peel', 'pele'], 'peelman': ['empanel', 'emplane', 'peelman'], 'peen': ['neep', 'peen'], 'peerly': ['peerly', 'yelper'], 'pega': ['gape', 'page', 'peag', 'pega'], 'peho': ['hope', 'peho'], 'peiser': ['espier', 'peiser'], 'peitho': ['ethiop', 'ophite', 'peitho'], 'peixere': ['expiree', 'peixere'], 'pekan': ['knape', 'pekan'], 'pelage': ['paegel', 'paegle', 'pelage'], 'pelasgoi': ['pelasgoi', 'spoilage'], 'pele': ['leep', 'peel', 'pele'], 'pelean': ['alpeen', 'lenape', 'pelean'], 'pelecani': ['capeline', 'pelecani'], 'pelecanus': ['encapsule', 'pelecanus'], 'pelias': ['espial', 'lipase', 'pelias'], 'pelican': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pelick': ['pelick', 'pickle'], 'pelides': ['pelides', 'seedlip'], 'pelidnota': ['pelidnota', 'planetoid'], 'pelike': ['kelpie', 'pelike'], 'pelisse': ['pelisse', 'pieless'], 'pelite': ['leepit', 'pelite', 'pielet'], 'pellation': ['pellation', 'pollinate'], 'pellotine': ['pellotine', 'pollenite'], 'pelmet': ['pelmet', 'temple'], 'pelon': ['pelon', 'pleon'], 'pelops': ['pelops', 'peplos'], 'pelorian': ['pelorian', 'peronial', 'proalien'], 'peloric': ['peloric', 'precoil'], 'pelorus': ['leprous', 'pelorus', 'sporule'], 'pelota': ['alepot', 'pelota'], 'pelta': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'peltandra': ['leptandra', 'peltandra'], 'peltast': ['peltast', 'spattle'], 'peltate': ['palette', 'peltate'], 'peltation': ['peltation', 'potential'], 'pelter': ['pelter', 'petrel'], 'peltiform': ['leptiform', 'peltiform'], 'pelting': ['pelting', 'petling'], 'peltry': ['peltry', 'pertly'], 'pelu': ['lupe', 'pelu', 'peul', 'pule'], 'pelusios': ['epulosis', 'pelusios'], 'pelycography': ['pelycography', 'pyrgocephaly'], 'pemican': ['campine', 'pemican'], 'pen': ['nep', 'pen'], 'penal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'penalist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'penalty': ['aplenty', 'penalty'], 'penang': ['pangen', 'penang'], 'penates': ['penates', 'septane'], 'pencatite': ['pectinate', 'pencatite'], 'penciled': ['depencil', 'penciled', 'pendicle'], 'pencilry': ['pencilry', 'princely'], 'penda': ['paned', 'penda'], 'pendicle': ['depencil', 'penciled', 'pendicle'], 'pendulant': ['pendulant', 'unplanted'], 'pendular': ['pendular', 'underlap', 'uplander'], 'pendulate': ['pendulate', 'unpleated'], 'pendulation': ['pendulation', 'pennatuloid'], 'pendulum': ['pendulum', 'unlumped', 'unplumed'], 'penetrable': ['penetrable', 'repentable'], 'penetrance': ['penetrance', 'repentance'], 'penetrant': ['penetrant', 'repentant'], 'penial': ['alpine', 'nepali', 'penial', 'pineal'], 'penis': ['penis', 'snipe', 'spine'], 'penitencer': ['penitencer', 'pertinence'], 'penman': ['nepman', 'penman'], 'penna': ['panne', 'penna'], 'pennage': ['pangene', 'pennage'], 'pennate': ['pennate', 'pentane'], 'pennatulid': ['pennatulid', 'pinnulated'], 'pennatuloid': ['pendulation', 'pennatuloid'], 'pennia': ['nanpie', 'pennia', 'pinnae'], 'pennisetum': ['pennisetum', 'septennium'], 'pensioner': ['pensioner', 'repension'], 'pensive': ['pensive', 'vespine'], 'penster': ['penster', 'present', 'serpent', 'strepen'], 'penta': ['enapt', 'paten', 'penta', 'tapen'], 'pentace': ['pentace', 'tepanec'], 'pentacid': ['pedantic', 'pentacid'], 'pentad': ['pedant', 'pentad'], 'pentadecoic': ['adenectopic', 'pentadecoic'], 'pentail': ['pantile', 'pentail', 'platine', 'talpine'], 'pentamerid': ['pandermite', 'pentamerid'], 'pentameroid': ['pentameroid', 'predominate'], 'pentane': ['pennate', 'pentane'], 'pentaploid': ['deoppilant', 'pentaploid'], 'pentathionic': ['antiphonetic', 'pentathionic'], 'pentatomic': ['camptonite', 'pentatomic'], 'pentitol': ['pentitol', 'pointlet'], 'pentoic': ['entopic', 'nepotic', 'pentoic'], 'pentol': ['lepton', 'pentol'], 'pentose': ['pentose', 'posteen'], 'pentyl': ['pentyl', 'plenty'], 'penult': ['penult', 'punlet', 'puntel'], 'peon': ['nope', 'open', 'peon', 'pone'], 'peony': ['peony', 'poney'], 'peopler': ['peopler', 'popeler'], 'peorian': ['apeiron', 'peorian'], 'peplos': ['pelops', 'peplos'], 'peplum': ['peplum', 'pumple'], 'peplus': ['peplus', 'supple'], 'pepo': ['pepo', 'pope'], 'per': ['per', 'rep'], 'peracid': ['epacrid', 'peracid', 'preacid'], 'peract': ['carpet', 'peract', 'preact'], 'peracute': ['peracute', 'preacute'], 'peradventure': ['peradventure', 'preadventure'], 'perakim': ['perakim', 'permiak', 'rampike'], 'peramble': ['peramble', 'preamble'], 'perambulate': ['perambulate', 'preambulate'], 'perambulation': ['perambulation', 'preambulation'], 'perambulatory': ['perambulatory', 'preambulatory'], 'perates': ['perates', 'repaste', 'sperate'], 'perbend': ['perbend', 'prebend'], 'perborate': ['perborate', 'prorebate', 'reprobate'], 'perca': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'percale': ['percale', 'replace'], 'percaline': ['percaline', 'periclean'], 'percent': ['percent', 'precent'], 'percept': ['percept', 'precept'], 'perception': ['perception', 'preception'], 'perceptionism': ['misperception', 'perceptionism'], 'perceptive': ['perceptive', 'preceptive'], 'perceptively': ['perceptively', 'preceptively'], 'perceptual': ['perceptual', 'preceptual'], 'perceptually': ['perceptually', 'preceptually'], 'percha': ['aperch', 'eparch', 'percha', 'preach'], 'perchloric': ['perchloric', 'prechloric'], 'percid': ['percid', 'priced'], 'perclose': ['perclose', 'preclose'], 'percoidea': ['adipocere', 'percoidea'], 'percolate': ['percolate', 'prelocate'], 'percolation': ['neotropical', 'percolation'], 'percompound': ['percompound', 'precompound'], 'percontation': ['percontation', 'pernoctation'], 'perculsion': ['perculsion', 'preclusion'], 'perculsive': ['perculsive', 'preclusive'], 'percurrent': ['percurrent', 'precurrent'], 'percursory': ['percursory', 'precursory'], 'percussion': ['croupiness', 'percussion', 'supersonic'], 'percussioner': ['percussioner', 'repercussion'], 'percussor': ['percussor', 'procuress'], 'percy': ['crepy', 'cypre', 'percy'], 'perdicine': ['perdicine', 'recipiend'], 'perdition': ['direption', 'perdition', 'tropidine'], 'perdu': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'peregrina': ['peregrina', 'pregainer'], 'pereion': ['pereion', 'pioneer'], 'perendure': ['perendure', 'underpeer'], 'peres': ['peres', 'perse', 'speer', 'spree'], 'perfect': ['perfect', 'prefect'], 'perfected': ['perfected', 'predefect'], 'perfection': ['frontpiece', 'perfection'], 'perfectly': ['perfectly', 'prefectly'], 'perfervid': ['perfervid', 'prefervid'], 'perfoliation': ['perfoliation', 'prefoliation'], 'perforative': ['perforative', 'prefavorite'], 'perform': ['perform', 'preform'], 'performant': ['performant', 'preformant'], 'performative': ['performative', 'preformative'], 'performer': ['performer', 'prereform', 'reperform'], 'pergamic': ['crimpage', 'pergamic'], 'perhaps': ['perhaps', 'prehaps'], 'perhazard': ['perhazard', 'prehazard'], 'peri': ['peri', 'pier', 'ripe'], 'periacinal': ['epicranial', 'periacinal'], 'perianal': ['airplane', 'perianal'], 'perianth': ['perianth', 'triphane'], 'periapt': ['periapt', 'rappite'], 'periaster': ['periaster', 'sparterie'], 'pericardiacophrenic': ['pericardiacophrenic', 'phrenicopericardiac'], 'pericardiopleural': ['pericardiopleural', 'pleuropericardial'], 'perichete': ['perichete', 'perithece'], 'periclase': ['episclera', 'periclase'], 'periclean': ['percaline', 'periclean'], 'pericles': ['eclipser', 'pericles', 'resplice'], 'pericopal': ['pericopal', 'periploca'], 'periculant': ['periculant', 'unprelatic'], 'peridental': ['interplead', 'peridental'], 'peridiastolic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'peridot': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'perigone': ['perigone', 'pigeoner'], 'peril': ['peril', 'piler', 'plier'], 'perilous': ['perilous', 'uropsile'], 'perimeter': ['perimeter', 'peritreme'], 'perine': ['neiper', 'perine', 'pirene', 'repine'], 'perineovaginal': ['perineovaginal', 'vaginoperineal'], 'periodate': ['periodate', 'proetidae', 'proteidae'], 'periodicalist': ['peridiastolic', 'periodicalist', 'proidealistic'], 'periodontal': ['deploration', 'periodontal'], 'periost': ['periost', 'porites', 'reposit', 'riposte'], 'periosteal': ['periosteal', 'praseolite'], 'periotic': ['epirotic', 'periotic'], 'peripatetic': ['peripatetic', 'precipitate'], 'peripatidae': ['peripatidae', 'peripatidea'], 'peripatidea': ['peripatidae', 'peripatidea'], 'periplaneta': ['periplaneta', 'prepalatine'], 'periploca': ['pericopal', 'periploca'], 'periplus': ['periplus', 'supplier'], 'periportal': ['periportal', 'peritropal'], 'periproct': ['cotripper', 'periproct'], 'peripterous': ['peripterous', 'prepositure'], 'perique': ['perique', 'repique'], 'perirectal': ['perirectal', 'prerecital'], 'periscian': ['periscian', 'precisian'], 'periscopal': ['periscopal', 'sapropelic'], 'perish': ['perish', 'reship'], 'perished': ['hesperid', 'perished'], 'perishment': ['perishment', 'reshipment'], 'perisomal': ['perisomal', 'semipolar'], 'perisome': ['perisome', 'promisee', 'reimpose'], 'perispome': ['perispome', 'preimpose'], 'peristole': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'peristoma': ['epistroma', 'peristoma'], 'peristomal': ['peristomal', 'prestomial'], 'peristylos': ['peristylos', 'pterylosis'], 'perit': ['perit', 'retip', 'tripe'], 'perite': ['perite', 'petrie', 'pieter'], 'peritenon': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'perithece': ['perichete', 'perithece'], 'peritomize': ['epitomizer', 'peritomize'], 'peritomous': ['outpromise', 'peritomous'], 'peritreme': ['perimeter', 'peritreme'], 'peritrichous': ['courtiership', 'peritrichous'], 'peritroch': ['chiropter', 'peritroch'], 'peritropal': ['periportal', 'peritropal'], 'peritropous': ['peritropous', 'proprietous'], 'perkin': ['perkin', 'pinker'], 'perknite': ['perknite', 'peterkin'], 'perla': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'perle': ['leper', 'perle', 'repel'], 'perlection': ['perlection', 'prelection'], 'perlidae': ['pedalier', 'perlidae'], 'perlingual': ['perlingual', 'prelingual'], 'perlite': ['perlite', 'reptile'], 'perlitic': ['perlitic', 'triplice'], 'permeameter': ['amperemeter', 'permeameter'], 'permeance': ['permeance', 'premenace'], 'permeant': ['permeant', 'peterman'], 'permeation': ['permeation', 'preominate'], 'permiak': ['perakim', 'permiak', 'rampike'], 'permissibility': ['impressibility', 'permissibility'], 'permissible': ['impressible', 'permissible'], 'permissibleness': ['impressibleness', 'permissibleness'], 'permissibly': ['impressibly', 'permissibly'], 'permission': ['impression', 'permission'], 'permissive': ['impressive', 'permissive'], 'permissively': ['impressively', 'permissively'], 'permissiveness': ['impressiveness', 'permissiveness'], 'permitter': ['permitter', 'pretermit'], 'permixture': ['permixture', 'premixture'], 'permonosulphuric': ['monopersulphuric', 'permonosulphuric'], 'permutation': ['importunate', 'permutation'], 'pernasal': ['pernasal', 'prenasal'], 'pernis': ['pernis', 'respin', 'sniper'], 'pernoctation': ['percontation', 'pernoctation'], 'pernor': ['pernor', 'perron'], 'pernyi': ['pernyi', 'pinery'], 'peronial': ['pelorian', 'peronial', 'proalien'], 'peropus': ['peropus', 'purpose'], 'peroral': ['peroral', 'preoral'], 'perorally': ['perorally', 'preorally'], 'perorate': ['perorate', 'retepora'], 'perosmate': ['perosmate', 'sematrope'], 'perosmic': ['comprise', 'perosmic'], 'perotic': ['perotic', 'proteic', 'tropeic'], 'perpera': ['paperer', 'perpera', 'prepare', 'repaper'], 'perpetualist': ['perpetualist', 'pluriseptate'], 'perplexer': ['perplexer', 'reperplex'], 'perron': ['pernor', 'perron'], 'perry': ['perry', 'pryer'], 'persae': ['parsee', 'persae', 'persea', 'serape'], 'persalt': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'perscribe': ['perscribe', 'prescribe'], 'perse': ['peres', 'perse', 'speer', 'spree'], 'persea': ['parsee', 'persae', 'persea', 'serape'], 'perseid': ['perseid', 'preside'], 'perseitol': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'perseity': ['perseity', 'speerity'], 'persian': ['persian', 'prasine', 'saprine'], 'persic': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'persico': ['ceriops', 'persico'], 'persism': ['impress', 'persism', 'premiss'], 'persist': ['persist', 'spriest'], 'persistent': ['persistent', 'presentist', 'prettiness'], 'personalia': ['palaeornis', 'personalia'], 'personalistic': ['personalistic', 'pictorialness'], 'personate': ['esperanto', 'personate'], 'personed': ['personed', 'responde'], 'pert': ['pert', 'petr', 'terp'], 'pertain': ['painter', 'pertain', 'pterian', 'repaint'], 'perten': ['perten', 'repent'], 'perthite': ['perthite', 'tephrite'], 'perthitic': ['perthitic', 'tephritic'], 'pertinacity': ['antipyretic', 'pertinacity'], 'pertinence': ['penitencer', 'pertinence'], 'pertly': ['peltry', 'pertly'], 'perturbational': ['perturbational', 'protuberantial'], 'pertussal': ['pertussal', 'supersalt'], 'perty': ['perty', 'typer'], 'peru': ['peru', 'prue', 'pure'], 'perugian': ['pagurine', 'perugian'], 'peruke': ['keuper', 'peruke'], 'perula': ['epural', 'perula', 'pleura'], 'perun': ['perun', 'prune'], 'perusable': ['perusable', 'superable'], 'perusal': ['perusal', 'serpula'], 'peruse': ['peruse', 'respue'], 'pervade': ['deprave', 'pervade'], 'pervader': ['depraver', 'pervader'], 'pervadingly': ['depravingly', 'pervadingly'], 'perverse': ['perverse', 'preserve'], 'perversion': ['perversion', 'preversion'], 'pervious': ['pervious', 'previous', 'viperous'], 'perviously': ['perviously', 'previously', 'viperously'], 'perviousness': ['perviousness', 'previousness', 'viperousness'], 'pesa': ['apse', 'pesa', 'spae'], 'pesach': ['cephas', 'pesach'], 'pesah': ['heaps', 'pesah', 'phase', 'shape'], 'peseta': ['asteep', 'peseta'], 'peso': ['epos', 'peso', 'pose', 'sope'], 'pess': ['pess', 'seps'], 'pessoner': ['pessoner', 'response'], 'pest': ['pest', 'sept', 'spet', 'step'], 'peste': ['peste', 'steep'], 'pester': ['pester', 'preset', 'restep', 'streep'], 'pesthole': ['heelpost', 'pesthole'], 'pesticidal': ['pesticidal', 'septicidal'], 'pestiferous': ['pestiferous', 'septiferous'], 'pestle': ['pestle', 'spleet'], 'petal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'petalia': ['palaite', 'petalia', 'pileata'], 'petaline': ['petaline', 'tapeline'], 'petalism': ['petalism', 'septimal'], 'petalless': ['petalless', 'plateless', 'pleatless'], 'petallike': ['petallike', 'platelike'], 'petaloid': ['opdalite', 'petaloid'], 'petalon': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'petard': ['depart', 'parted', 'petard'], 'petary': ['petary', 'pratey'], 'petasos': ['pastose', 'petasos'], 'petchary': ['patchery', 'petchary'], 'petechial': ['epithecal', 'petechial', 'phacelite'], 'petechiate': ['epithecate', 'petechiate'], 'peteman': ['peteman', 'tempean'], 'peter': ['erept', 'peter', 'petre'], 'peterkin': ['perknite', 'peterkin'], 'peterman': ['permeant', 'peterman'], 'petiolary': ['epilatory', 'petiolary'], 'petiole': ['petiole', 'pilotee'], 'petioled': ['lepidote', 'petioled'], 'petitionary': ['opiniatrety', 'petitionary'], 'petitioner': ['petitioner', 'repetition'], 'petiveria': ['aperitive', 'petiveria'], 'petling': ['pelting', 'petling'], 'peto': ['peto', 'poet', 'pote', 'tope'], 'petr': ['pert', 'petr', 'terp'], 'petre': ['erept', 'peter', 'petre'], 'petrea': ['petrea', 'repeat', 'retape'], 'petrean': ['patener', 'pearten', 'petrean', 'terpane'], 'petrel': ['pelter', 'petrel'], 'petricola': ['carpolite', 'petricola'], 'petrie': ['perite', 'petrie', 'pieter'], 'petrine': ['petrine', 'terpine'], 'petrochemical': ['cephalometric', 'petrochemical'], 'petrogale': ['petrogale', 'petrolage', 'prolegate'], 'petrographer': ['petrographer', 'pterographer'], 'petrographic': ['petrographic', 'pterographic'], 'petrographical': ['petrographical', 'pterographical'], 'petrographically': ['petrographically', 'pterylographical'], 'petrography': ['petrography', 'pterography', 'typographer'], 'petrol': ['petrol', 'replot'], 'petrolage': ['petrogale', 'petrolage', 'prolegate'], 'petrolean': ['petrolean', 'rantepole'], 'petrolic': ['petrolic', 'plerotic'], 'petrologically': ['petrologically', 'pterylological'], 'petrosa': ['esparto', 'petrosa', 'seaport'], 'petrosal': ['petrosal', 'polestar'], 'petrosquamosal': ['petrosquamosal', 'squamopetrosal'], 'petrous': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'petticoated': ['depetticoat', 'petticoated'], 'petulant': ['patulent', 'petulant'], 'petune': ['neetup', 'petune'], 'peul': ['lupe', 'pelu', 'peul', 'pule'], 'pewy': ['pewy', 'wype'], 'peyote': ['peyote', 'poteye'], 'peyotl': ['peyotl', 'poetly'], 'phacelia': ['acephali', 'phacelia'], 'phacelite': ['epithecal', 'petechial', 'phacelite'], 'phacoid': ['dapicho', 'phacoid'], 'phacolite': ['hopcalite', 'phacolite'], 'phacolysis': ['pachylosis', 'phacolysis'], 'phacometer': ['pachometer', 'phacometer'], 'phaethonic': ['phaethonic', 'theophanic'], 'phaeton': ['phaeton', 'phonate'], 'phagocytism': ['mycophagist', 'phagocytism'], 'phalaecian': ['acephalina', 'phalaecian'], 'phalangium': ['gnaphalium', 'phalangium'], 'phalera': ['phalera', 'raphael'], 'phanariot': ['parathion', 'phanariot'], 'phanerogam': ['anemograph', 'phanerogam'], 'phanerogamic': ['anemographic', 'phanerogamic'], 'phanerogamy': ['anemography', 'phanerogamy'], 'phanic': ['apinch', 'chapin', 'phanic'], 'phano': ['phano', 'pohna'], 'pharaonic': ['anaphoric', 'pharaonic'], 'pharaonical': ['anaphorical', 'pharaonical'], 'phare': ['hepar', 'phare', 'raphe'], 'pharian': ['pharian', 'piranha'], 'pharisaic': ['chirapsia', 'pharisaic'], 'pharisean': ['pharisean', 'seraphina'], 'pharisee': ['hesperia', 'pharisee'], 'phariseeism': ['hemiparesis', 'phariseeism'], 'pharmacolite': ['metaphorical', 'pharmacolite'], 'pharyngolaryngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'pharyngolaryngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'pharyngorhinitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'phase': ['heaps', 'pesah', 'phase', 'shape'], 'phaseless': ['phaseless', 'shapeless'], 'phaseolin': ['esiphonal', 'phaseolin'], 'phasis': ['aspish', 'phasis'], 'phasm': ['pashm', 'phasm'], 'phasmid': ['dampish', 'madship', 'phasmid'], 'phasmoid': ['phasmoid', 'shopmaid'], 'pheal': ['aleph', 'pheal'], 'pheasant': ['pheasant', 'stephana'], 'phecda': ['chaped', 'phecda'], 'phemie': ['imphee', 'phemie'], 'phenacite': ['phenacite', 'phenicate'], 'phenate': ['haptene', 'heptane', 'phenate'], 'phenetole': ['phenetole', 'telephone'], 'phenic': ['phenic', 'pinche'], 'phenicate': ['phenacite', 'phenicate'], 'phenolic': ['phenolic', 'pinochle'], 'phenological': ['nephological', 'phenological'], 'phenologist': ['nephologist', 'phenologist'], 'phenology': ['nephology', 'phenology'], 'phenosal': ['alphonse', 'phenosal'], 'pheon': ['pheon', 'phone'], 'phi': ['hip', 'phi'], 'phialide': ['hepialid', 'phialide'], 'philobotanist': ['botanophilist', 'philobotanist'], 'philocynic': ['cynophilic', 'philocynic'], 'philohela': ['halophile', 'philohela'], 'philoneism': ['neophilism', 'philoneism'], 'philopoet': ['philopoet', 'photopile'], 'philotheist': ['philotheist', 'theophilist'], 'philotherian': ['lithonephria', 'philotherian'], 'philozoic': ['philozoic', 'zoophilic'], 'philozoist': ['philozoist', 'zoophilist'], 'philter': ['philter', 'thripel'], 'phineas': ['inphase', 'phineas'], 'phiroze': ['orphize', 'phiroze'], 'phit': ['phit', 'pith'], 'phlebometritis': ['metrophlebitis', 'phlebometritis'], 'phleum': ['phleum', 'uphelm'], 'phloretic': ['phloretic', 'plethoric'], 'pho': ['hop', 'pho', 'poh'], 'phobism': ['mobship', 'phobism'], 'phoca': ['chopa', 'phoca', 'poach'], 'phocaean': ['phocaean', 'phocaena'], 'phocaena': ['phocaean', 'phocaena'], 'phocaenine': ['phocaenine', 'phoenicean'], 'phocean': ['copehan', 'panoche', 'phocean'], 'phocian': ['aphonic', 'phocian'], 'phocine': ['chopine', 'phocine'], 'phoenicean': ['phocaenine', 'phoenicean'], 'pholad': ['adolph', 'pholad'], 'pholas': ['alphos', 'pholas'], 'pholcidae': ['cephaloid', 'pholcidae'], 'pholcoid': ['chilopod', 'pholcoid'], 'phonate': ['phaeton', 'phonate'], 'phone': ['pheon', 'phone'], 'phonelescope': ['nepheloscope', 'phonelescope'], 'phonetical': ['pachnolite', 'phonetical'], 'phonetics': ['phonetics', 'sphenotic'], 'phoniatry': ['phoniatry', 'thiopyran'], 'phonic': ['chopin', 'phonic'], 'phonogram': ['monograph', 'nomograph', 'phonogram'], 'phonogramic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'phonogramically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'phonographic': ['graphophonic', 'phonographic'], 'phonolite': ['lithopone', 'phonolite'], 'phonometer': ['nephrotome', 'phonometer'], 'phonometry': ['nephrotomy', 'phonometry'], 'phonophote': ['phonophote', 'photophone'], 'phonotyper': ['hypopteron', 'phonotyper'], 'phoo': ['hoop', 'phoo', 'pooh'], 'phorone': ['orpheon', 'phorone'], 'phoronidea': ['phoronidea', 'radiophone'], 'phos': ['phos', 'posh', 'shop', 'soph'], 'phosphatide': ['diphosphate', 'phosphatide'], 'phosphoglycerate': ['glycerophosphate', 'phosphoglycerate'], 'phossy': ['hyssop', 'phossy', 'sposhy'], 'phot': ['phot', 'toph'], 'photechy': ['hypothec', 'photechy'], 'photochromography': ['chromophotography', 'photochromography'], 'photochromolithograph': ['chromophotolithograph', 'photochromolithograph'], 'photochronograph': ['chronophotograph', 'photochronograph'], 'photochronographic': ['chronophotographic', 'photochronographic'], 'photochronography': ['chronophotography', 'photochronography'], 'photogram': ['motograph', 'photogram'], 'photographer': ['photographer', 'rephotograph'], 'photoheliography': ['heliophotography', 'photoheliography'], 'photolithography': ['lithophotography', 'photolithography'], 'photomacrograph': ['macrophotograph', 'photomacrograph'], 'photometer': ['photometer', 'prototheme'], 'photomicrograph': ['microphotograph', 'photomicrograph'], 'photomicrographic': ['microphotographic', 'photomicrographic'], 'photomicrography': ['microphotography', 'photomicrography'], 'photomicroscope': ['microphotoscope', 'photomicroscope'], 'photophone': ['phonophote', 'photophone'], 'photopile': ['philopoet', 'photopile'], 'photostereograph': ['photostereograph', 'stereophotograph'], 'phototelegraph': ['phototelegraph', 'telephotograph'], 'phototelegraphic': ['phototelegraphic', 'telephotographic'], 'phototelegraphy': ['phototelegraphy', 'telephotography'], 'phototypography': ['phototypography', 'phytotopography'], 'phrase': ['phrase', 'seraph', 'shaper', 'sherpa'], 'phraser': ['phraser', 'sharper'], 'phrasing': ['harpings', 'phrasing'], 'phrasy': ['phrasy', 'sharpy'], 'phratriac': ['patriarch', 'phratriac'], 'phreatic': ['chapiter', 'phreatic'], 'phrenesia': ['hesperian', 'phrenesia', 'seraphine'], 'phrenic': ['nephric', 'phrenic', 'pincher'], 'phrenicopericardiac': ['pericardiacophrenic', 'phrenicopericardiac'], 'phrenics': ['phrenics', 'pinscher'], 'phrenitic': ['nephritic', 'phrenitic', 'prehnitic'], 'phrenitis': ['inspreith', 'nephritis', 'phrenitis'], 'phrenocardiac': ['nephrocardiac', 'phrenocardiac'], 'phrenocolic': ['nephrocolic', 'phrenocolic'], 'phrenocostal': ['phrenocostal', 'plastochrone'], 'phrenogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'phrenohepatic': ['hepatonephric', 'phrenohepatic'], 'phrenologist': ['nephrologist', 'phrenologist'], 'phrenology': ['nephrology', 'phrenology'], 'phrenopathic': ['nephropathic', 'phrenopathic'], 'phrenopathy': ['nephropathy', 'phrenopathy'], 'phrenosplenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'phronesis': ['nephrosis', 'phronesis'], 'phronimidae': ['diamorphine', 'phronimidae'], 'phthalazine': ['naphthalize', 'phthalazine'], 'phu': ['hup', 'phu'], 'phycitol': ['cytophil', 'phycitol'], 'phycocyanin': ['cyanophycin', 'phycocyanin'], 'phyla': ['haply', 'phyla'], 'phyletic': ['heptylic', 'phyletic'], 'phylloceras': ['hyposcleral', 'phylloceras'], 'phylloclad': ['cladophyll', 'phylloclad'], 'phyllodial': ['phyllodial', 'phylloidal'], 'phylloerythrin': ['erythrophyllin', 'phylloerythrin'], 'phylloidal': ['phyllodial', 'phylloidal'], 'phyllopodous': ['phyllopodous', 'podophyllous'], 'phyma': ['phyma', 'yamph'], 'phymatodes': ['desmopathy', 'phymatodes'], 'phymosia': ['hyposmia', 'phymosia'], 'physa': ['physa', 'shapy'], 'physalite': ['physalite', 'styphelia'], 'physic': ['physic', 'scyphi'], 'physicochemical': ['chemicophysical', 'physicochemical'], 'physicomedical': ['medicophysical', 'physicomedical'], 'physiocrat': ['physiocrat', 'psychotria'], 'physiologicoanatomic': ['anatomicophysiologic', 'physiologicoanatomic'], 'physiopsychological': ['physiopsychological', 'psychophysiological'], 'physiopsychology': ['physiopsychology', 'psychophysiology'], 'phytic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'phytogenesis': ['phytogenesis', 'pythogenesis'], 'phytogenetic': ['phytogenetic', 'pythogenetic'], 'phytogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'phytogenous': ['phytogenous', 'pythogenous'], 'phytoid': ['phytoid', 'typhoid'], 'phytologist': ['hypoglottis', 'phytologist'], 'phytometer': ['phytometer', 'thermotype'], 'phytometric': ['phytometric', 'thermotypic'], 'phytometry': ['phytometry', 'thermotypy'], 'phytomonas': ['phytomonas', 'somnopathy'], 'phyton': ['phyton', 'python'], 'phytonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'phytosis': ['phytosis', 'typhosis'], 'phytotopography': ['phototypography', 'phytotopography'], 'phytozoa': ['phytozoa', 'zoopathy', 'zoophyta'], 'piacle': ['epical', 'piacle', 'plaice'], 'piacular': ['apicular', 'piacular'], 'pial': ['lipa', 'pail', 'pali', 'pial'], 'pialyn': ['alypin', 'pialyn'], 'pian': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pianiste': ['pianiste', 'pisanite'], 'piannet': ['piannet', 'pinnate'], 'pianola': ['opalina', 'pianola'], 'piaroa': ['aporia', 'piaroa'], 'piast': ['piast', 'stipa', 'tapis'], 'piaster': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'piastre': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'picador': ['parodic', 'picador'], 'picae': ['picae', 'picea'], 'pical': ['pical', 'plica'], 'picard': ['caprid', 'carpid', 'picard'], 'picarel': ['caliper', 'picarel', 'replica'], 'picary': ['cypria', 'picary', 'piracy'], 'pice': ['epic', 'pice'], 'picea': ['picae', 'picea'], 'picene': ['picene', 'piecen'], 'picker': ['picker', 'repick'], 'pickle': ['pelick', 'pickle'], 'pickler': ['pickler', 'prickle'], 'pickover': ['overpick', 'pickover'], 'picktooth': ['picktooth', 'toothpick'], 'pico': ['cipo', 'pico'], 'picot': ['optic', 'picot', 'topic'], 'picotah': ['aphotic', 'picotah'], 'picra': ['capri', 'picra', 'rapic'], 'picrate': ['paretic', 'patrice', 'picrate'], 'pictography': ['graphotypic', 'pictography', 'typographic'], 'pictorialness': ['personalistic', 'pictorialness'], 'picture': ['cuprite', 'picture'], 'picudilla': ['picudilla', 'pulicidal'], 'pidan': ['pidan', 'pinda'], 'piebald': ['bipedal', 'piebald'], 'piebaldness': ['dispensable', 'piebaldness'], 'piecen': ['picene', 'piecen'], 'piecer': ['piecer', 'pierce', 'recipe'], 'piecework': ['piecework', 'workpiece'], 'piecrust': ['crepitus', 'piecrust'], 'piedness': ['dispense', 'piedness'], 'piegan': ['genipa', 'piegan'], 'pieless': ['pelisse', 'pieless'], 'pielet': ['leepit', 'pelite', 'pielet'], 'piemag': ['magpie', 'piemag'], 'pieman': ['impane', 'pieman'], 'pien': ['pien', 'pine'], 'piend': ['piend', 'pined'], 'pier': ['peri', 'pier', 'ripe'], 'pierce': ['piecer', 'pierce', 'recipe'], 'piercent': ['piercent', 'prentice'], 'piercer': ['piercer', 'reprice'], 'pierlike': ['pierlike', 'ripelike'], 'piet': ['piet', 'tipe'], 'pietas': ['patesi', 'pietas'], 'pieter': ['perite', 'petrie', 'pieter'], 'pig': ['gip', 'pig'], 'pigeoner': ['perigone', 'pigeoner'], 'pigeontail': ['pigeontail', 'plagionite'], 'pigly': ['gilpy', 'pigly'], 'pignon': ['ningpo', 'pignon'], 'pignorate': ['operating', 'pignorate'], 'pigskin': ['pigskin', 'spiking'], 'pigsney': ['gypsine', 'pigsney'], 'pik': ['kip', 'pik'], 'pika': ['paik', 'pika'], 'pike': ['kepi', 'kipe', 'pike'], 'pikel': ['pikel', 'pikle'], 'piker': ['krepi', 'piker'], 'pikle': ['pikel', 'pikle'], 'pilage': ['paigle', 'pilage'], 'pilar': ['april', 'pilar', 'ripal'], 'pilaster': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'pilastered': ['pedestrial', 'pilastered'], 'pilastric': ['pilastric', 'triplasic'], 'pilate': ['aplite', 'pilate'], 'pileata': ['palaite', 'petalia', 'pileata'], 'pileate': ['epilate', 'epitela', 'pileate'], 'pileated': ['depilate', 'leptidae', 'pileated'], 'piled': ['piled', 'plied'], 'piler': ['peril', 'piler', 'plier'], 'piles': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'pileus': ['epulis', 'pileus'], 'pili': ['ipil', 'pili'], 'pilin': ['lipin', 'pilin'], 'pillarist': ['pillarist', 'pistillar'], 'pillet': ['liplet', 'pillet'], 'pilm': ['limp', 'pilm', 'plim'], 'pilmy': ['imply', 'limpy', 'pilmy'], 'pilosis': ['liposis', 'pilosis'], 'pilotee': ['petiole', 'pilotee'], 'pilpai': ['lippia', 'pilpai'], 'pilus': ['lupis', 'pilus'], 'pim': ['imp', 'pim'], 'pimelate': ['ampelite', 'pimelate'], 'pimento': ['emption', 'pimento'], 'pimenton': ['imponent', 'pimenton'], 'pimola': ['lipoma', 'pimola', 'ploima'], 'pimpish': ['impship', 'pimpish'], 'pimplous': ['pimplous', 'pompilus', 'populism'], 'pin': ['nip', 'pin'], 'pina': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pinaces': ['pinaces', 'pincase'], 'pinachrome': ['epharmonic', 'pinachrome'], 'pinacle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pinacoid': ['diapnoic', 'pinacoid'], 'pinal': ['lipan', 'pinal', 'plain'], 'pinales': ['espinal', 'pinales', 'spaniel'], 'pinaster': ['pinaster', 'pristane'], 'pincase': ['pinaces', 'pincase'], 'pincer': ['pincer', 'prince'], 'pincerlike': ['pincerlike', 'princelike'], 'pincers': ['encrisp', 'pincers'], 'pinchbelly': ['bellypinch', 'pinchbelly'], 'pinche': ['phenic', 'pinche'], 'pincher': ['nephric', 'phrenic', 'pincher'], 'pincushion': ['nuncioship', 'pincushion'], 'pinda': ['pidan', 'pinda'], 'pindari': ['pindari', 'pridian'], 'pine': ['pien', 'pine'], 'pineal': ['alpine', 'nepali', 'penial', 'pineal'], 'pined': ['piend', 'pined'], 'piner': ['piner', 'prine', 'repin', 'ripen'], 'pinery': ['pernyi', 'pinery'], 'pingler': ['pingler', 'pringle'], 'pinhold': ['dolphin', 'pinhold'], 'pinhole': ['lophine', 'pinhole'], 'pinite': ['pinite', 'tiepin'], 'pinker': ['perkin', 'pinker'], 'pinking': ['kingpin', 'pinking'], 'pinkish': ['kinship', 'pinkish'], 'pinlock': ['lockpin', 'pinlock'], 'pinnacle': ['pannicle', 'pinnacle'], 'pinnae': ['nanpie', 'pennia', 'pinnae'], 'pinnate': ['piannet', 'pinnate'], 'pinnatopectinate': ['pectinatopinnate', 'pinnatopectinate'], 'pinnet': ['pinnet', 'tenpin'], 'pinnitarsal': ['intraspinal', 'pinnitarsal'], 'pinnotere': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'pinnothere': ['interphone', 'pinnothere'], 'pinnula': ['pinnula', 'unplain'], 'pinnulated': ['pennatulid', 'pinnulated'], 'pinochle': ['phenolic', 'pinochle'], 'pinole': ['pinole', 'pleion'], 'pinolia': ['apiolin', 'pinolia'], 'pinscher': ['phrenics', 'pinscher'], 'pinta': ['inapt', 'paint', 'pinta'], 'pintail': ['pintail', 'tailpin'], 'pintano': ['opinant', 'pintano'], 'pinte': ['inept', 'pinte'], 'pinto': ['pinto', 'point'], 'pintura': ['pintura', 'puritan', 'uptrain'], 'pinulus': ['lupinus', 'pinulus'], 'piny': ['piny', 'pyin'], 'pinyl': ['pinyl', 'pliny'], 'pioneer': ['pereion', 'pioneer'], 'pioted': ['pioted', 'podite'], 'pipa': ['paip', 'pipa'], 'pipal': ['palpi', 'pipal'], 'piperno': ['piperno', 'propine'], 'pique': ['equip', 'pique'], 'pir': ['pir', 'rip'], 'piracy': ['cypria', 'picary', 'piracy'], 'piranha': ['pharian', 'piranha'], 'piratess': ['piratess', 'serapist', 'tarsipes'], 'piratically': ['capillarity', 'piratically'], 'piraty': ['parity', 'piraty'], 'pirene': ['neiper', 'perine', 'pirene', 'repine'], 'pirssonite': ['pirssonite', 'trispinose'], 'pisaca': ['capias', 'pisaca'], 'pisan': ['pisan', 'sapin', 'spina'], 'pisanite': ['pianiste', 'pisanite'], 'piscation': ['panoistic', 'piscation'], 'piscatorial': ['paracolitis', 'piscatorial'], 'piscian': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisciferous': ['pisciferous', 'spiciferous'], 'pisciform': ['pisciform', 'spiciform'], 'piscina': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisco': ['copis', 'pisco'], 'pise': ['pise', 'sipe'], 'pish': ['pish', 'ship'], 'pisk': ['pisk', 'skip'], 'pisky': ['pisky', 'spiky'], 'pismire': ['pismire', 'primsie'], 'pisonia': ['pisonia', 'sinopia'], 'pist': ['pist', 'spit'], 'pistache': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pistacite': ['epistatic', 'pistacite'], 'pistareen': ['pistareen', 'sparteine'], 'pistillar': ['pillarist', 'pistillar'], 'pistillary': ['pistillary', 'spiritally'], 'pistle': ['pistle', 'stipel'], 'pistol': ['pistol', 'postil', 'spoilt'], 'pistoleer': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'pit': ['pit', 'tip'], 'pita': ['atip', 'pita'], 'pitapat': ['apitpat', 'pitapat'], 'pitarah': ['pitarah', 'taphria'], 'pitcher': ['pitcher', 'repitch'], 'pitchout': ['outpitch', 'pitchout'], 'pitchy': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pith': ['phit', 'pith'], 'pithecan': ['haptenic', 'pantheic', 'pithecan'], 'pithole': ['hoplite', 'pithole'], 'pithsome': ['mephisto', 'pithsome'], 'pitless': ['pitless', 'tipless'], 'pitman': ['pitman', 'tampin', 'tipman'], 'pittancer': ['crepitant', 'pittancer'], 'pittoid': ['pittoid', 'poditti'], 'pityroid': ['pityroid', 'pyritoid'], 'pivoter': ['overtip', 'pivoter'], 'placate': ['epactal', 'placate'], 'placation': ['pactional', 'pactolian', 'placation'], 'place': ['capel', 'place'], 'placebo': ['copable', 'placebo'], 'placentalia': ['analeptical', 'placentalia'], 'placentoma': ['complanate', 'placentoma'], 'placer': ['carpel', 'parcel', 'placer'], 'placode': ['lacepod', 'pedocal', 'placode'], 'placoid': ['placoid', 'podalic', 'podical'], 'placus': ['cuspal', 'placus'], 'plagionite': ['pigeontail', 'plagionite'], 'plague': ['plague', 'upgale'], 'plaguer': ['earplug', 'graupel', 'plaguer'], 'plaice': ['epical', 'piacle', 'plaice'], 'plaid': ['alpid', 'plaid'], 'plaidy': ['adipyl', 'plaidy'], 'plain': ['lipan', 'pinal', 'plain'], 'plainer': ['pearlin', 'plainer', 'praline'], 'plaint': ['plaint', 'pliant'], 'plaister': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'plaited': ['plaited', 'taliped'], 'plaiter': ['partile', 'plaiter', 'replait'], 'planate': ['planate', 'planeta', 'plantae', 'platane'], 'planation': ['planation', 'platonian'], 'plancheite': ['elephantic', 'plancheite'], 'plane': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'planer': ['parnel', 'planer', 'replan'], 'planera': ['planera', 'preanal'], 'planet': ['pantle', 'planet', 'platen'], 'planeta': ['planate', 'planeta', 'plantae', 'platane'], 'planetabler': ['planetabler', 'replantable'], 'planetaria': ['parentalia', 'planetaria'], 'planetoid': ['pelidnota', 'planetoid'], 'planity': ['inaptly', 'planity', 'ptyalin'], 'planker': ['planker', 'prankle'], 'planta': ['planta', 'platan'], 'plantae': ['planate', 'planeta', 'plantae', 'platane'], 'planter': ['pantler', 'planter', 'replant'], 'plap': ['lapp', 'palp', 'plap'], 'plasher': ['plasher', 'spheral'], 'plasm': ['plasm', 'psalm', 'slamp'], 'plasma': ['lampas', 'plasma'], 'plasmation': ['aminoplast', 'plasmation'], 'plasmic': ['plasmic', 'psalmic'], 'plasmode': ['malposed', 'plasmode'], 'plasmodial': ['plasmodial', 'psalmodial'], 'plasmodic': ['plasmodic', 'psalmodic'], 'plasson': ['plasson', 'sponsal'], 'plastein': ['panelist', 'pantelis', 'penalist', 'plastein'], 'plaster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'plasterer': ['plasterer', 'replaster'], 'plastery': ['plastery', 'psaltery'], 'plasticine': ['cisplatine', 'plasticine'], 'plastidome': ['plastidome', 'postmedial'], 'plastinoid': ['palinodist', 'plastinoid'], 'plastochrone': ['phrenocostal', 'plastochrone'], 'plat': ['palt', 'plat'], 'plataean': ['panatela', 'plataean'], 'platan': ['planta', 'platan'], 'platane': ['planate', 'planeta', 'plantae', 'platane'], 'plate': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'platea': ['aletap', 'palate', 'platea'], 'plateless': ['petalless', 'plateless', 'pleatless'], 'platelet': ['pallette', 'platelet'], 'platelike': ['petallike', 'platelike'], 'platen': ['pantle', 'planet', 'platen'], 'plater': ['palter', 'plater'], 'platerer': ['palterer', 'platerer'], 'platery': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'platine': ['pantile', 'pentail', 'platine', 'talpine'], 'platinochloric': ['chloroplatinic', 'platinochloric'], 'platinous': ['platinous', 'pulsation'], 'platode': ['platode', 'tadpole'], 'platoid': ['platoid', 'talpoid'], 'platonian': ['planation', 'platonian'], 'platter': ['partlet', 'platter', 'prattle'], 'platy': ['aptly', 'patly', 'platy', 'typal'], 'platynite': ['patiently', 'platynite'], 'platysternal': ['platysternal', 'transeptally'], 'plaud': ['dupla', 'plaud'], 'plaustral': ['palustral', 'plaustral'], 'play': ['paly', 'play', 'pyal', 'pyla'], 'playa': ['palay', 'playa'], 'player': ['parley', 'pearly', 'player', 'replay'], 'playgoer': ['playgoer', 'pylagore'], 'playroom': ['myopolar', 'playroom'], 'plea': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pleach': ['chapel', 'lepcha', 'pleach'], 'plead': ['padle', 'paled', 'pedal', 'plead'], 'pleader': ['pearled', 'pedaler', 'pleader', 'replead'], 'please': ['asleep', 'elapse', 'please'], 'pleaser': ['pleaser', 'preseal', 'relapse'], 'pleasure': ['pleasure', 'serpulae'], 'pleasurer': ['pleasurer', 'reperusal'], 'pleasurous': ['asperulous', 'pleasurous'], 'pleat': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'pleater': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pleatless': ['petalless', 'plateless', 'pleatless'], 'plectre': ['plectre', 'prelect'], 'pleion': ['pinole', 'pleion'], 'pleionian': ['opalinine', 'pleionian'], 'plenilunar': ['plenilunar', 'plurennial'], 'plenty': ['pentyl', 'plenty'], 'pleomorph': ['pleomorph', 'prophloem'], 'pleon': ['pelon', 'pleon'], 'pleonal': ['pallone', 'pleonal'], 'pleonasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'pleonast': ['lapstone', 'pleonast'], 'pleonastic': ['neoplastic', 'pleonastic'], 'pleroma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'plerosis': ['leprosis', 'plerosis'], 'plerotic': ['petrolic', 'plerotic'], 'plessor': ['plessor', 'preloss'], 'plethora': ['plethora', 'traphole'], 'plethoric': ['phloretic', 'plethoric'], 'pleura': ['epural', 'perula', 'pleura'], 'pleuric': ['luperci', 'pleuric'], 'pleuropericardial': ['pericardiopleural', 'pleuropericardial'], 'pleurotoma': ['pleurotoma', 'tropaeolum'], 'pleurovisceral': ['pleurovisceral', 'visceropleural'], 'pliancy': ['pliancy', 'pycnial'], 'pliant': ['plaint', 'pliant'], 'plica': ['pical', 'plica'], 'plicately': ['callitype', 'plicately'], 'plicater': ['particle', 'plicater', 'prelatic'], 'plicator': ['plicator', 'tropical'], 'plied': ['piled', 'plied'], 'plier': ['peril', 'piler', 'plier'], 'pliers': ['lisper', 'pliers', 'sirple', 'spiler'], 'plies': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'plighter': ['plighter', 'replight'], 'plim': ['limp', 'pilm', 'plim'], 'pliny': ['pinyl', 'pliny'], 'pliosaur': ['liparous', 'pliosaur'], 'pliosauridae': ['lepidosauria', 'pliosauridae'], 'ploceidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ploceus': ['culpose', 'ploceus', 'upclose'], 'plodder': ['plodder', 'proddle'], 'ploima': ['lipoma', 'pimola', 'ploima'], 'ploration': ['ploration', 'portional', 'prolation'], 'plot': ['plot', 'polt'], 'plotful': ['plotful', 'topfull'], 'plotted': ['plotted', 'pottled'], 'plotter': ['plotter', 'portlet'], 'plousiocracy': ['plousiocracy', 'procaciously'], 'plout': ['plout', 'pluto', 'poult'], 'plouter': ['plouter', 'poulter'], 'plovery': ['overply', 'plovery'], 'plower': ['plower', 'replow'], 'ploy': ['ploy', 'poly'], 'plucker': ['plucker', 'puckrel'], 'plug': ['gulp', 'plug'], 'plum': ['lump', 'plum'], 'pluma': ['ampul', 'pluma'], 'plumbagine': ['impugnable', 'plumbagine'], 'plumbic': ['plumbic', 'upclimb'], 'plumed': ['dumple', 'plumed'], 'plumeous': ['eumolpus', 'plumeous'], 'plumer': ['lumper', 'plumer', 'replum', 'rumple'], 'plumet': ['lumpet', 'plumet'], 'pluminess': ['lumpiness', 'pluminess'], 'plumy': ['lumpy', 'plumy'], 'plunderer': ['plunderer', 'replunder'], 'plunge': ['plunge', 'pungle'], 'plup': ['plup', 'pulp'], 'plurennial': ['plenilunar', 'plurennial'], 'pluriseptate': ['perpetualist', 'pluriseptate'], 'plutean': ['plutean', 'unpetal', 'unpleat'], 'pluteus': ['pluteus', 'pustule'], 'pluto': ['plout', 'pluto', 'poult'], 'pluvine': ['pluvine', 'vulpine'], 'plyer': ['plyer', 'reply'], 'pneumatophony': ['pneumatophony', 'pneumonopathy'], 'pneumohemothorax': ['hemopneumothorax', 'pneumohemothorax'], 'pneumohydropericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'pneumohydrothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'pneumonopathy': ['pneumatophony', 'pneumonopathy'], 'pneumopyothorax': ['pneumopyothorax', 'pyopneumothorax'], 'poach': ['chopa', 'phoca', 'poach'], 'poachy': ['poachy', 'pochay'], 'poales': ['aslope', 'poales'], 'pob': ['bop', 'pob'], 'pochay': ['poachy', 'pochay'], 'poche': ['epoch', 'poche'], 'pocketer': ['pocketer', 'repocket'], 'poco': ['coop', 'poco'], 'pocosin': ['opsonic', 'pocosin'], 'poculation': ['copulation', 'poculation'], 'pod': ['dop', 'pod'], 'podalic': ['placoid', 'podalic', 'podical'], 'podarthritis': ['podarthritis', 'traditorship'], 'podial': ['podial', 'poliad'], 'podical': ['placoid', 'podalic', 'podical'], 'podiceps': ['podiceps', 'scopiped'], 'podite': ['pioted', 'podite'], 'poditti': ['pittoid', 'poditti'], 'podler': ['podler', 'polder', 'replod'], 'podley': ['deploy', 'podley'], 'podobranchia': ['branchiopoda', 'podobranchia'], 'podocephalous': ['cephalopodous', 'podocephalous'], 'podophyllous': ['phyllopodous', 'podophyllous'], 'podoscaph': ['podoscaph', 'scaphopod'], 'podostomata': ['podostomata', 'stomatopoda'], 'podostomatous': ['podostomatous', 'stomatopodous'], 'podotheca': ['chaetopod', 'podotheca'], 'podura': ['podura', 'uproad'], 'poduran': ['pandour', 'poduran'], 'poe': ['ope', 'poe'], 'poem': ['mope', 'poem', 'pome'], 'poemet': ['metope', 'poemet'], 'poemlet': ['leptome', 'poemlet'], 'poesy': ['poesy', 'posey', 'sepoy'], 'poet': ['peto', 'poet', 'pote', 'tope'], 'poetastrical': ['poetastrical', 'spectatorial'], 'poetical': ['copalite', 'poetical'], 'poeticism': ['impeticos', 'poeticism'], 'poetics': ['poetics', 'septoic'], 'poetly': ['peyotl', 'poetly'], 'poetryless': ['poetryless', 'presystole'], 'pogo': ['goop', 'pogo'], 'poh': ['hop', 'pho', 'poh'], 'poha': ['opah', 'paho', 'poha'], 'pohna': ['phano', 'pohna'], 'poiana': ['anopia', 'aponia', 'poiana'], 'poietic': ['epiotic', 'poietic'], 'poimenic': ['mincopie', 'poimenic'], 'poinder': ['poinder', 'ponerid'], 'point': ['pinto', 'point'], 'pointel': ['pointel', 'pontile', 'topline'], 'pointer': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pointlet': ['pentitol', 'pointlet'], 'pointrel': ['pointrel', 'terpinol'], 'poisonless': ['poisonless', 'solenopsis'], 'poker': ['poker', 'proke'], 'pol': ['lop', 'pol'], 'polab': ['pablo', 'polab'], 'polacre': ['capreol', 'polacre'], 'polander': ['polander', 'ponderal', 'prenodal'], 'polar': ['parol', 'polar', 'poral', 'proal'], 'polarid': ['dipolar', 'polarid'], 'polarimetry': ['polarimetry', 'premorality', 'temporarily'], 'polaristic': ['polaristic', 'poristical', 'saprolitic'], 'polarly': ['payroll', 'polarly'], 'polder': ['podler', 'polder', 'replod'], 'pole': ['lope', 'olpe', 'pole'], 'polearm': ['leproma', 'palermo', 'pleroma', 'polearm'], 'polecat': ['pacolet', 'polecat'], 'polemic': ['compile', 'polemic'], 'polemics': ['clipsome', 'polemics'], 'polemist': ['milepost', 'polemist'], 'polenta': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'poler': ['loper', 'poler'], 'polesman': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'polestar': ['petrosal', 'polestar'], 'poliad': ['podial', 'poliad'], 'polianite': ['epilation', 'polianite'], 'policyholder': ['policyholder', 'polychloride'], 'polio': ['polio', 'pooli'], 'polis': ['polis', 'spoil'], 'polished': ['depolish', 'polished'], 'polisher': ['polisher', 'repolish'], 'polistes': ['polistes', 'telopsis'], 'politarch': ['carpolith', 'politarch', 'trophical'], 'politicly': ['lipolytic', 'politicly'], 'politics': ['colpitis', 'politics', 'psilotic'], 'polk': ['klop', 'polk'], 'pollenite': ['pellotine', 'pollenite'], 'poller': ['poller', 'repoll'], 'pollinate': ['pellation', 'pollinate'], 'polo': ['loop', 'polo', 'pool'], 'poloist': ['loopist', 'poloist', 'topsoil'], 'polonia': ['apionol', 'polonia'], 'polos': ['polos', 'sloop', 'spool'], 'polt': ['plot', 'polt'], 'poly': ['ploy', 'poly'], 'polyacid': ['polyacid', 'polyadic'], 'polyactinal': ['pactionally', 'polyactinal'], 'polyadic': ['polyacid', 'polyadic'], 'polyarchist': ['chiroplasty', 'polyarchist'], 'polychloride': ['policyholder', 'polychloride'], 'polychroism': ['polychroism', 'polyorchism'], 'polycitral': ['polycitral', 'tropically'], 'polycodium': ['lycopodium', 'polycodium'], 'polycotyl': ['collotypy', 'polycotyl'], 'polyeidic': ['polyeidic', 'polyideic'], 'polyeidism': ['polyeidism', 'polyideism'], 'polyester': ['polyester', 'proselyte'], 'polygamodioecious': ['dioeciopolygamous', 'polygamodioecious'], 'polyhalite': ['paleolithy', 'polyhalite', 'polythelia'], 'polyideic': ['polyeidic', 'polyideic'], 'polyideism': ['polyeidism', 'polyideism'], 'polymastic': ['myoplastic', 'polymastic'], 'polymasty': ['myoplasty', 'polymasty'], 'polymere': ['employer', 'polymere'], 'polymeric': ['micropyle', 'polymeric'], 'polymetochia': ['homeotypical', 'polymetochia'], 'polymnia': ['olympian', 'polymnia'], 'polymyodi': ['polymyodi', 'polymyoid'], 'polymyoid': ['polymyodi', 'polymyoid'], 'polyorchism': ['polychroism', 'polyorchism'], 'polyp': ['loppy', 'polyp'], 'polyphemian': ['lymphopenia', 'polyphemian'], 'polyphonist': ['polyphonist', 'psilophyton'], 'polypite': ['lipotype', 'polypite'], 'polyprene': ['polyprene', 'propylene'], 'polypterus': ['polypterus', 'suppletory'], 'polysomitic': ['myocolpitis', 'polysomitic'], 'polyspore': ['polyspore', 'prosopyle'], 'polythelia': ['paleolithy', 'polyhalite', 'polythelia'], 'polythene': ['polythene', 'telephony'], 'polyuric': ['croupily', 'polyuric'], 'pom': ['mop', 'pom'], 'pomade': ['apedom', 'pomade'], 'pomane': ['mopane', 'pomane'], 'pome': ['mope', 'poem', 'pome'], 'pomeranian': ['pomeranian', 'praenomina'], 'pomerium': ['emporium', 'pomerium', 'proemium'], 'pomey': ['myope', 'pomey'], 'pomo': ['moop', 'pomo'], 'pomonal': ['lampoon', 'pomonal'], 'pompilus': ['pimplous', 'pompilus', 'populism'], 'pomster': ['pomster', 'stomper'], 'ponca': ['capon', 'ponca'], 'ponce': ['copen', 'ponce'], 'ponchoed': ['chenopod', 'ponchoed'], 'poncirus': ['coprinus', 'poncirus'], 'ponderal': ['polander', 'ponderal', 'prenodal'], 'ponderate': ['ponderate', 'predonate'], 'ponderation': ['ponderation', 'predonation'], 'ponderer': ['ponderer', 'reponder'], 'pondfish': ['fishpond', 'pondfish'], 'pone': ['nope', 'open', 'peon', 'pone'], 'ponerid': ['poinder', 'ponerid'], 'poneroid': ['poneroid', 'porodine'], 'poney': ['peony', 'poney'], 'ponica': ['aponic', 'ponica'], 'ponier': ['opiner', 'orpine', 'ponier'], 'pontederia': ['pontederia', 'proteidean'], 'pontee': ['nepote', 'pontee', 'poteen'], 'pontes': ['pontes', 'posnet'], 'ponticular': ['ponticular', 'untropical'], 'pontificalia': ['palification', 'pontificalia'], 'pontile': ['pointel', 'pontile', 'topline'], 'pontonier': ['entropion', 'pontonier', 'prenotion'], 'pontus': ['pontus', 'unspot', 'unstop'], 'pooch': ['choop', 'pooch'], 'pooh': ['hoop', 'phoo', 'pooh'], 'pooka': ['oopak', 'pooka'], 'pool': ['loop', 'polo', 'pool'], 'pooler': ['looper', 'pooler'], 'pooli': ['polio', 'pooli'], 'pooly': ['loopy', 'pooly'], 'poon': ['noop', 'poon'], 'poonac': ['acopon', 'poonac'], 'poonga': ['apogon', 'poonga'], 'poor': ['poor', 'proo'], 'poot': ['poot', 'toop', 'topo'], 'pope': ['pepo', 'pope'], 'popeler': ['peopler', 'popeler'], 'popery': ['popery', 'pyrope'], 'popgun': ['oppugn', 'popgun'], 'popian': ['oppian', 'papion', 'popian'], 'popish': ['popish', 'shippo'], 'popliteal': ['papillote', 'popliteal'], 'poppel': ['poppel', 'popple'], 'popple': ['poppel', 'popple'], 'populism': ['pimplous', 'pompilus', 'populism'], 'populus': ['populus', 'pulpous'], 'poral': ['parol', 'polar', 'poral', 'proal'], 'porcate': ['coperta', 'pectora', 'porcate'], 'porcelain': ['oliprance', 'porcelain'], 'porcelanite': ['porcelanite', 'praelection'], 'porcula': ['copular', 'croupal', 'cupolar', 'porcula'], 'pore': ['pore', 'rope'], 'pored': ['doper', 'pedro', 'pored'], 'porelike': ['porelike', 'ropelike'], 'porer': ['porer', 'prore', 'roper'], 'porge': ['grope', 'porge'], 'porger': ['groper', 'porger'], 'poriness': ['poriness', 'pression', 'ropiness'], 'poring': ['poring', 'roping'], 'poristical': ['polaristic', 'poristical', 'saprolitic'], 'porites': ['periost', 'porites', 'reposit', 'riposte'], 'poritidae': ['poritidae', 'triopidae'], 'porker': ['porker', 'proker'], 'pornerastic': ['cotranspire', 'pornerastic'], 'porodine': ['poneroid', 'porodine'], 'poros': ['poros', 'proso', 'sopor', 'spoor'], 'porosity': ['isotropy', 'porosity'], 'porotic': ['porotic', 'portico'], 'porpentine': ['porpentine', 'prepontine'], 'porphine': ['hornpipe', 'porphine'], 'porphyrous': ['porphyrous', 'pyrophorus'], 'porrection': ['correption', 'porrection'], 'porret': ['porret', 'porter', 'report', 'troper'], 'porta': ['aport', 'parto', 'porta'], 'portail': ['portail', 'toprail'], 'portal': ['patrol', 'portal', 'tropal'], 'portance': ['coparent', 'portance'], 'ported': ['deport', 'ported', 'redtop'], 'portend': ['portend', 'protend'], 'porteno': ['porteno', 'protone'], 'portension': ['portension', 'protension'], 'portent': ['portent', 'torpent'], 'portentous': ['notopterus', 'portentous'], 'porter': ['porret', 'porter', 'report', 'troper'], 'porterage': ['porterage', 'reportage'], 'portership': ['portership', 'pretorship'], 'portfire': ['portfire', 'profiter'], 'portia': ['portia', 'tapiro'], 'portico': ['porotic', 'portico'], 'portify': ['portify', 'torpify'], 'portional': ['ploration', 'portional', 'prolation'], 'portioner': ['portioner', 'reportion'], 'portlet': ['plotter', 'portlet'], 'portly': ['portly', 'protyl', 'tropyl'], 'porto': ['porto', 'proto', 'troop'], 'portoise': ['isotrope', 'portoise'], 'portolan': ['portolan', 'pronotal'], 'portor': ['portor', 'torpor'], 'portray': ['parroty', 'portray', 'tropary'], 'portrayal': ['parlatory', 'portrayal'], 'portside': ['dipteros', 'portside'], 'portsider': ['portsider', 'postrider'], 'portunidae': ['depuration', 'portunidae'], 'portunus': ['outspurn', 'portunus'], 'pory': ['pory', 'pyro', 'ropy'], 'posca': ['posca', 'scopa'], 'pose': ['epos', 'peso', 'pose', 'sope'], 'poser': ['poser', 'prose', 'ropes', 'spore'], 'poseur': ['poseur', 'pouser', 'souper', 'uprose'], 'posey': ['poesy', 'posey', 'sepoy'], 'posh': ['phos', 'posh', 'shop', 'soph'], 'posingly': ['posingly', 'spongily'], 'position': ['position', 'sopition'], 'positional': ['positional', 'spoilation', 'spoliation'], 'positioned': ['deposition', 'positioned'], 'positioner': ['positioner', 'reposition'], 'positron': ['notropis', 'positron', 'sorption'], 'positum': ['positum', 'utopism'], 'posnet': ['pontes', 'posnet'], 'posse': ['posse', 'speos'], 'possessioner': ['possessioner', 'repossession'], 'post': ['post', 'spot', 'stop', 'tops'], 'postage': ['gestapo', 'postage'], 'postaortic': ['parostotic', 'postaortic'], 'postdate': ['despotat', 'postdate'], 'posted': ['despot', 'posted'], 'posteen': ['pentose', 'posteen'], 'poster': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'posterial': ['posterial', 'saprolite'], 'posterior': ['posterior', 'repositor'], 'posterish': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'posteroinferior': ['inferoposterior', 'posteroinferior'], 'posterosuperior': ['posterosuperior', 'superoposterior'], 'postgenial': ['postgenial', 'spangolite'], 'posthaste': ['posthaste', 'tosephtas'], 'postic': ['copist', 'coptis', 'optics', 'postic'], 'postical': ['postical', 'slipcoat'], 'postil': ['pistol', 'postil', 'spoilt'], 'posting': ['posting', 'stoping'], 'postischial': ['postischial', 'sophistical'], 'postless': ['postless', 'spotless', 'stopless'], 'postlike': ['postlike', 'spotlike'], 'postman': ['postman', 'topsman'], 'postmedial': ['plastidome', 'postmedial'], 'postnaris': ['postnaris', 'sopranist'], 'postnominal': ['monoplanist', 'postnominal'], 'postrider': ['portsider', 'postrider'], 'postsacral': ['postsacral', 'sarcoplast'], 'postsign': ['postsign', 'signpost'], 'postthoracic': ['octastrophic', 'postthoracic'], 'postulata': ['autoplast', 'postulata'], 'postural': ['postural', 'pulsator', 'sportula'], 'posture': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'posturer': ['posturer', 'resprout', 'sprouter'], 'postuterine': ['postuterine', 'pretentious'], 'postwar': ['postwar', 'sapwort'], 'postward': ['drawstop', 'postward'], 'postwoman': ['postwoman', 'womanpost'], 'posy': ['opsy', 'posy'], 'pot': ['opt', 'pot', 'top'], 'potable': ['optable', 'potable'], 'potableness': ['optableness', 'potableness'], 'potash': ['pashto', 'pathos', 'potash'], 'potass': ['potass', 'topass'], 'potate': ['aptote', 'optate', 'potate', 'teapot'], 'potation': ['optation', 'potation'], 'potative': ['optative', 'potative'], 'potator': ['potator', 'taproot'], 'pote': ['peto', 'poet', 'pote', 'tope'], 'poteen': ['nepote', 'pontee', 'poteen'], 'potential': ['peltation', 'potential'], 'poter': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'poteye': ['peyote', 'poteye'], 'pothouse': ['housetop', 'pothouse'], 'poticary': ['cyrtopia', 'poticary'], 'potifer': ['firetop', 'potifer'], 'potion': ['option', 'potion'], 'potlatch': ['potlatch', 'tolpatch'], 'potlike': ['kitlope', 'potlike', 'toplike'], 'potmaker': ['potmaker', 'topmaker'], 'potmaking': ['potmaking', 'topmaking'], 'potman': ['potman', 'tampon', 'topman'], 'potometer': ['optometer', 'potometer'], 'potstick': ['potstick', 'tipstock'], 'potstone': ['potstone', 'topstone'], 'pottled': ['plotted', 'pottled'], 'pouce': ['coupe', 'pouce'], 'poucer': ['couper', 'croupe', 'poucer', 'recoup'], 'pouch': ['choup', 'pouch'], 'poulpe': ['poulpe', 'pupelo'], 'poult': ['plout', 'pluto', 'poult'], 'poulter': ['plouter', 'poulter'], 'poultice': ['epulotic', 'poultice'], 'pounce': ['pounce', 'uncope'], 'pounder': ['pounder', 'repound', 'unroped'], 'pour': ['pour', 'roup'], 'pourer': ['pourer', 'repour', 'rouper'], 'pouser': ['poseur', 'pouser', 'souper', 'uprose'], 'pout': ['pout', 'toup'], 'pouter': ['pouter', 'roupet', 'troupe'], 'pow': ['pow', 'wop'], 'powder': ['powder', 'prowed'], 'powderer': ['powderer', 'repowder'], 'powerful': ['powerful', 'upflower'], 'praam': ['param', 'parma', 'praam'], 'practitional': ['antitropical', 'practitional'], 'prad': ['pard', 'prad'], 'pradeep': ['papered', 'pradeep'], 'praecox': ['exocarp', 'praecox'], 'praelabrum': ['praelabrum', 'preambular'], 'praelection': ['porcelanite', 'praelection'], 'praelector': ['praelector', 'receptoral'], 'praenomina': ['pomeranian', 'praenomina'], 'praepostor': ['praepostor', 'pterospora'], 'praesphenoid': ['nephropsidae', 'praesphenoid'], 'praetor': ['praetor', 'prorate'], 'praetorian': ['praetorian', 'reparation'], 'praise': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'praiser': ['aspirer', 'praiser', 'serpari'], 'praising': ['aspiring', 'praising', 'singarip'], 'praisingly': ['aspiringly', 'praisingly'], 'praline': ['pearlin', 'plainer', 'praline'], 'pram': ['pram', 'ramp'], 'prandial': ['diplanar', 'prandial'], 'prankle': ['planker', 'prankle'], 'prase': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'praseolite': ['periosteal', 'praseolite'], 'prasine': ['persian', 'prasine', 'saprine'], 'prasinous': ['prasinous', 'psaronius'], 'prasoid': ['prasoid', 'sparoid'], 'prasophagous': ['prasophagous', 'saprophagous'], 'prat': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'prate': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'prater': ['parter', 'prater'], 'pratey': ['petary', 'pratey'], 'pratfall': ['pratfall', 'trapfall'], 'pratincoline': ['nonpearlitic', 'pratincoline'], 'pratincolous': ['patroclinous', 'pratincolous'], 'prattle': ['partlet', 'platter', 'prattle'], 'prau': ['prau', 'rupa'], 'prawner': ['prawner', 'prewarn'], 'prayer': ['prayer', 'repray'], 'preach': ['aperch', 'eparch', 'percha', 'preach'], 'preacher': ['preacher', 'repreach'], 'preaching': ['engraphic', 'preaching'], 'preachman': ['marchpane', 'preachman'], 'preachy': ['eparchy', 'preachy'], 'preacid': ['epacrid', 'peracid', 'preacid'], 'preact': ['carpet', 'peract', 'preact'], 'preaction': ['preaction', 'precation', 'recaption'], 'preactive': ['preactive', 'precative'], 'preactively': ['preactively', 'precatively'], 'preacute': ['peracute', 'preacute'], 'preadmonition': ['demipronation', 'preadmonition', 'predomination'], 'preadorn': ['pardoner', 'preadorn'], 'preadventure': ['peradventure', 'preadventure'], 'preallably': ['ballplayer', 'preallably'], 'preallow': ['preallow', 'walloper'], 'preamble': ['peramble', 'preamble'], 'preambular': ['praelabrum', 'preambular'], 'preambulate': ['perambulate', 'preambulate'], 'preambulation': ['perambulation', 'preambulation'], 'preambulatory': ['perambulatory', 'preambulatory'], 'preanal': ['planera', 'preanal'], 'prearm': ['prearm', 'ramper'], 'preascitic': ['accipitres', 'preascitic'], 'preauditory': ['preauditory', 'repudiatory'], 'prebacillary': ['bicarpellary', 'prebacillary'], 'prebasal': ['parsable', 'prebasal', 'sparable'], 'prebend': ['perbend', 'prebend'], 'prebeset': ['bepester', 'prebeset'], 'prebid': ['bedrip', 'prebid'], 'precant': ['carpent', 'precant'], 'precantation': ['actinopteran', 'precantation'], 'precast': ['precast', 'spectra'], 'precation': ['preaction', 'precation', 'recaption'], 'precative': ['preactive', 'precative'], 'precatively': ['preactively', 'precatively'], 'precaution': ['precaution', 'unoperatic'], 'precautional': ['inoperculata', 'precautional'], 'precedable': ['deprecable', 'precedable'], 'preceder': ['preceder', 'precreed'], 'precent': ['percent', 'precent'], 'precept': ['percept', 'precept'], 'preception': ['perception', 'preception'], 'preceptive': ['perceptive', 'preceptive'], 'preceptively': ['perceptively', 'preceptively'], 'preceptual': ['perceptual', 'preceptual'], 'preceptually': ['perceptually', 'preceptually'], 'prechloric': ['perchloric', 'prechloric'], 'prechoose': ['prechoose', 'rheoscope'], 'precipitate': ['peripatetic', 'precipitate'], 'precipitator': ['precipitator', 'prepatriotic'], 'precis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'precise': ['precise', 'scripee'], 'precisian': ['periscian', 'precisian'], 'precision': ['coinspire', 'precision'], 'precitation': ['actinopteri', 'crepitation', 'precitation'], 'precite': ['ereptic', 'precite', 'receipt'], 'precited': ['decrepit', 'depicter', 'precited'], 'preclose': ['perclose', 'preclose'], 'preclusion': ['perculsion', 'preclusion'], 'preclusive': ['perculsive', 'preclusive'], 'precoil': ['peloric', 'precoil'], 'precompound': ['percompound', 'precompound'], 'precondense': ['precondense', 'respondence'], 'preconnubial': ['preconnubial', 'pronunciable'], 'preconsole': ['necropoles', 'preconsole'], 'preconsultor': ['preconsultor', 'supercontrol'], 'precontest': ['precontest', 'torpescent'], 'precopy': ['coppery', 'precopy'], 'precostal': ['ceroplast', 'precostal'], 'precredit': ['precredit', 'predirect', 'repredict'], 'precreditor': ['precreditor', 'predirector'], 'precreed': ['preceder', 'precreed'], 'precurrent': ['percurrent', 'precurrent'], 'precursory': ['percursory', 'precursory'], 'precyst': ['precyst', 'sceptry', 'spectry'], 'predata': ['adapter', 'predata', 'readapt'], 'predate': ['padtree', 'predate', 'tapered'], 'predatism': ['predatism', 'spermatid'], 'predative': ['deprivate', 'predative'], 'predator': ['predator', 'protrade', 'teardrop'], 'preday': ['pedary', 'preday'], 'predealer': ['predealer', 'repleader'], 'predecree': ['creepered', 'predecree'], 'predefect': ['perfected', 'predefect'], 'predeication': ['depreciation', 'predeication'], 'prederive': ['prederive', 'redeprive'], 'predespair': ['disprepare', 'predespair'], 'predestine': ['predestine', 'presidente'], 'predetail': ['pedaliter', 'predetail'], 'predevotion': ['overpointed', 'predevotion'], 'predial': ['pedrail', 'predial'], 'prediastolic': ['prediastolic', 'psiloceratid'], 'predication': ['predication', 'procidentia'], 'predictory': ['cryptodire', 'predictory'], 'predirect': ['precredit', 'predirect', 'repredict'], 'predirector': ['precreditor', 'predirector'], 'prediscretion': ['prediscretion', 'redescription'], 'predislike': ['predislike', 'spiderlike'], 'predivinable': ['indeprivable', 'predivinable'], 'predominate': ['pentameroid', 'predominate'], 'predomination': ['demipronation', 'preadmonition', 'predomination'], 'predonate': ['ponderate', 'predonate'], 'predonation': ['ponderation', 'predonation'], 'predoubter': ['predoubter', 'preobtrude'], 'predrive': ['depriver', 'predrive'], 'preen': ['neper', 'preen', 'repen'], 'prefactor': ['aftercrop', 'prefactor'], 'prefator': ['forepart', 'prefator'], 'prefavorite': ['perforative', 'prefavorite'], 'prefect': ['perfect', 'prefect'], 'prefectly': ['perfectly', 'prefectly'], 'prefervid': ['perfervid', 'prefervid'], 'prefiction': ['prefiction', 'proficient'], 'prefoliation': ['perfoliation', 'prefoliation'], 'preform': ['perform', 'preform'], 'preformant': ['performant', 'preformant'], 'preformative': ['performative', 'preformative'], 'preformism': ['misperform', 'preformism'], 'pregainer': ['peregrina', 'pregainer'], 'prehandicap': ['handicapper', 'prehandicap'], 'prehaps': ['perhaps', 'prehaps'], 'prehazard': ['perhazard', 'prehazard'], 'preheal': ['preheal', 'rephael'], 'preheat': ['haptere', 'preheat'], 'preheated': ['heartdeep', 'preheated'], 'prehension': ['hesperinon', 'prehension'], 'prehnite': ['nephrite', 'prehnite', 'trephine'], 'prehnitic': ['nephritic', 'phrenitic', 'prehnitic'], 'prehuman': ['prehuman', 'unhamper'], 'preimpose': ['perispome', 'preimpose'], 'preindicate': ['parenticide', 'preindicate'], 'preinduce': ['preinduce', 'unpierced'], 'preintone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'prelabrum': ['prelabrum', 'prelumbar'], 'prelacteal': ['carpellate', 'parcellate', 'prelacteal'], 'prelate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'prelatehood': ['heteropodal', 'prelatehood'], 'prelatic': ['particle', 'plicater', 'prelatic'], 'prelatical': ['capitellar', 'prelatical'], 'prelation': ['prelation', 'rantipole'], 'prelatism': ['palmister', 'prelatism'], 'prelease': ['eelspear', 'prelease'], 'prelect': ['plectre', 'prelect'], 'prelection': ['perlection', 'prelection'], 'prelim': ['limper', 'prelim', 'rimple'], 'prelingual': ['perlingual', 'prelingual'], 'prelocate': ['percolate', 'prelocate'], 'preloss': ['plessor', 'preloss'], 'preludial': ['dipleural', 'preludial'], 'prelumbar': ['prelabrum', 'prelumbar'], 'prelusion': ['prelusion', 'repulsion'], 'prelusive': ['prelusive', 'repulsive'], 'prelusively': ['prelusively', 'repulsively'], 'prelusory': ['prelusory', 'repulsory'], 'premate': ['premate', 'tempera'], 'premedia': ['epiderma', 'premedia'], 'premedial': ['epidermal', 'impleader', 'premedial'], 'premedication': ['pedometrician', 'premedication'], 'premenace': ['permeance', 'premenace'], 'premerit': ['premerit', 'preremit', 'repermit'], 'premial': ['impaler', 'impearl', 'lempira', 'premial'], 'premiant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'premiate': ['imperate', 'premiate'], 'premier': ['premier', 'reprime'], 'premious': ['imposure', 'premious'], 'premise': ['emprise', 'imprese', 'premise', 'spireme'], 'premiss': ['impress', 'persism', 'premiss'], 'premixture': ['permixture', 'premixture'], 'premodel': ['leperdom', 'premodel'], 'premolar': ['premolar', 'premoral'], 'premold': ['meldrop', 'premold'], 'premonetary': ['premonetary', 'pyranometer'], 'premoral': ['premolar', 'premoral'], 'premorality': ['polarimetry', 'premorality', 'temporarily'], 'premosaic': ['paroecism', 'premosaic'], 'premover': ['premover', 'prevomer'], 'premusical': ['premusical', 'superclaim'], 'prenasal': ['pernasal', 'prenasal'], 'prenatal': ['parental', 'paternal', 'prenatal'], 'prenatalist': ['intraseptal', 'paternalist', 'prenatalist'], 'prenatally': ['parentally', 'paternally', 'prenatally'], 'prenative': ['interpave', 'prenative'], 'prender': ['prender', 'prendre'], 'prendre': ['prender', 'prendre'], 'prenodal': ['polander', 'ponderal', 'prenodal'], 'prenominical': ['nonempirical', 'prenominical'], 'prenotice': ['prenotice', 'reception'], 'prenotion': ['entropion', 'pontonier', 'prenotion'], 'prentice': ['piercent', 'prentice'], 'preobtrude': ['predoubter', 'preobtrude'], 'preocular': ['opercular', 'preocular'], 'preominate': ['permeation', 'preominate'], 'preopen': ['preopen', 'propene'], 'preopinion': ['preopinion', 'prionopine'], 'preoption': ['preoption', 'protopine'], 'preoral': ['peroral', 'preoral'], 'preorally': ['perorally', 'preorally'], 'prep': ['prep', 'repp'], 'prepalatine': ['periplaneta', 'prepalatine'], 'prepare': ['paperer', 'perpera', 'prepare', 'repaper'], 'prepatriotic': ['precipitator', 'prepatriotic'], 'prepay': ['papery', 'prepay', 'yapper'], 'preplot': ['preplot', 'toppler'], 'prepollent': ['prepollent', 'propellent'], 'prepontine': ['porpentine', 'prepontine'], 'prepositure': ['peripterous', 'prepositure'], 'prepuce': ['prepuce', 'upcreep'], 'prerational': ['prerational', 'proletarian'], 'prerealization': ['prerealization', 'proletarianize'], 'prereceive': ['prereceive', 'reperceive'], 'prerecital': ['perirectal', 'prerecital'], 'prereduction': ['interproduce', 'prereduction'], 'prerefer': ['prerefer', 'reprefer'], 'prereform': ['performer', 'prereform', 'reperform'], 'preremit': ['premerit', 'preremit', 'repermit'], 'prerental': ['prerental', 'replanter'], 'prerich': ['chirper', 'prerich'], 'preromantic': ['improcreant', 'preromantic'], 'presage': ['asperge', 'presage'], 'presager': ['asperger', 'presager'], 'presay': ['presay', 'speary'], 'prescapular': ['prescapular', 'supercarpal'], 'prescient': ['prescient', 'reinspect'], 'prescientific': ['interspecific', 'prescientific'], 'prescribe': ['perscribe', 'prescribe'], 'prescutal': ['prescutal', 'scalpture'], 'preseal': ['pleaser', 'preseal', 'relapse'], 'preseason': ['parsonese', 'preseason'], 'presell': ['presell', 'respell', 'speller'], 'present': ['penster', 'present', 'serpent', 'strepen'], 'presenter': ['presenter', 'represent'], 'presential': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'presentist': ['persistent', 'presentist', 'prettiness'], 'presentive': ['presentive', 'pretensive', 'vespertine'], 'presentively': ['presentively', 'pretensively'], 'presentiveness': ['presentiveness', 'pretensiveness'], 'presently': ['presently', 'serpently'], 'preserve': ['perverse', 'preserve'], 'preset': ['pester', 'preset', 'restep', 'streep'], 'preshare': ['preshare', 'rephrase'], 'preship': ['preship', 'shipper'], 'preshortage': ['preshortage', 'stereograph'], 'preside': ['perseid', 'preside'], 'presidencia': ['acipenserid', 'presidencia'], 'president': ['president', 'serpentid'], 'presidente': ['predestine', 'presidente'], 'presider': ['presider', 'serriped'], 'presign': ['presign', 'springe'], 'presignal': ['espringal', 'presignal', 'relapsing'], 'presimian': ['mainprise', 'presimian'], 'presley': ['presley', 'sleepry'], 'presser': ['presser', 'repress'], 'pression': ['poriness', 'pression', 'ropiness'], 'pressive': ['pressive', 'viperess'], 'prest': ['prest', 'spret'], 'prestable': ['beplaster', 'prestable'], 'prestant': ['prestant', 'transept'], 'prestate': ['prestate', 'pretaste'], 'presto': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'prestock': ['prestock', 'sprocket'], 'prestomial': ['peristomal', 'prestomial'], 'prestrain': ['prestrain', 'transpire'], 'presume': ['presume', 'supreme'], 'presurmise': ['impressure', 'presurmise'], 'presustain': ['presustain', 'puritaness', 'supersaint'], 'presystole': ['poetryless', 'presystole'], 'pretan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pretaste': ['prestate', 'pretaste'], 'pretensive': ['presentive', 'pretensive', 'vespertine'], 'pretensively': ['presentively', 'pretensively'], 'pretensiveness': ['presentiveness', 'pretensiveness'], 'pretentious': ['postuterine', 'pretentious'], 'pretercanine': ['irrepentance', 'pretercanine'], 'preterient': ['preterient', 'triterpene'], 'pretermit': ['permitter', 'pretermit'], 'pretheological': ['herpetological', 'pretheological'], 'pretibial': ['bipartile', 'pretibial'], 'pretonic': ['inceptor', 'pretonic'], 'pretorship': ['portership', 'pretorship'], 'pretrace': ['pretrace', 'recarpet'], 'pretracheal': ['archprelate', 'pretracheal'], 'pretrain': ['pretrain', 'terrapin'], 'pretransmission': ['pretransmission', 'transimpression'], 'pretreat': ['patterer', 'pretreat'], 'prettiness': ['persistent', 'presentist', 'prettiness'], 'prevailer': ['prevailer', 'reprieval'], 'prevalid': ['deprival', 'prevalid'], 'prevention': ['prevention', 'provenient'], 'preversion': ['perversion', 'preversion'], 'preveto': ['overpet', 'preveto', 'prevote'], 'previde': ['deprive', 'previde'], 'previous': ['pervious', 'previous', 'viperous'], 'previously': ['perviously', 'previously', 'viperously'], 'previousness': ['perviousness', 'previousness', 'viperousness'], 'prevoid': ['prevoid', 'provide'], 'prevomer': ['premover', 'prevomer'], 'prevote': ['overpet', 'preveto', 'prevote'], 'prewar': ['prewar', 'rewrap', 'warper'], 'prewarn': ['prawner', 'prewarn'], 'prewhip': ['prewhip', 'whipper'], 'prewrap': ['prewrap', 'wrapper'], 'prexy': ['prexy', 'pyrex'], 'prey': ['prey', 'pyre', 'rype'], 'pria': ['pair', 'pari', 'pria', 'ripa'], 'price': ['price', 'repic'], 'priced': ['percid', 'priced'], 'prich': ['chirp', 'prich'], 'prickfoot': ['prickfoot', 'tickproof'], 'prickle': ['pickler', 'prickle'], 'pride': ['pride', 'pried', 'redip'], 'pridian': ['pindari', 'pridian'], 'pried': ['pride', 'pried', 'redip'], 'prier': ['prier', 'riper'], 'priest': ['priest', 'pteris', 'sprite', 'stripe'], 'priestal': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'priesthood': ['priesthood', 'spritehood'], 'priestless': ['priestless', 'stripeless'], 'prig': ['grip', 'prig'], 'prigman': ['gripman', 'prigman', 'ramping'], 'prima': ['impar', 'pamir', 'prima'], 'primage': ['epigram', 'primage'], 'primal': ['imparl', 'primal'], 'primates': ['maspiter', 'pastimer', 'primates'], 'primatial': ['impartial', 'primatial'], 'primely': ['primely', 'reimply'], 'primeness': ['primeness', 'spenerism'], 'primost': ['primost', 'tropism'], 'primrose': ['primrose', 'promiser'], 'primsie': ['pismire', 'primsie'], 'primus': ['primus', 'purism'], 'prince': ['pincer', 'prince'], 'princehood': ['cnidophore', 'princehood'], 'princeite': ['princeite', 'recipient'], 'princelike': ['pincerlike', 'princelike'], 'princely': ['pencilry', 'princely'], 'princesse': ['crepiness', 'princesse'], 'prine': ['piner', 'prine', 'repin', 'ripen'], 'pringle': ['pingler', 'pringle'], 'printed': ['deprint', 'printed'], 'printer': ['printer', 'reprint'], 'priodontes': ['desorption', 'priodontes'], 'prionopine': ['preopinion', 'prionopine'], 'prisage': ['prisage', 'spairge'], 'prisal': ['prisal', 'spiral'], 'prismatoid': ['diatropism', 'prismatoid'], 'prisometer': ['prisometer', 'spirometer'], 'prisonable': ['bipersonal', 'prisonable'], 'pristane': ['pinaster', 'pristane'], 'pristine': ['enspirit', 'pristine'], 'pristis': ['pristis', 'tripsis'], 'prius': ['prius', 'sirup'], 'proadmission': ['adpromission', 'proadmission'], 'proal': ['parol', 'polar', 'poral', 'proal'], 'proalien': ['pelorian', 'peronial', 'proalien'], 'proamniotic': ['comparition', 'proamniotic'], 'proathletic': ['proathletic', 'prothetical'], 'proatlas': ['pastoral', 'proatlas'], 'proavis': ['pavisor', 'proavis'], 'probationer': ['probationer', 'reprobation'], 'probe': ['probe', 'rebop'], 'procaciously': ['plousiocracy', 'procaciously'], 'procaine': ['caponier', 'coprinae', 'procaine'], 'procanal': ['coplanar', 'procanal'], 'procapital': ['applicator', 'procapital'], 'procedure': ['procedure', 'reproduce'], 'proceeder': ['proceeder', 'reproceed'], 'procellas': ['procellas', 'scalloper'], 'procerite': ['procerite', 'receiptor'], 'procession': ['procession', 'scorpiones'], 'prochemical': ['microcephal', 'prochemical'], 'procidentia': ['predication', 'procidentia'], 'proclaimer': ['proclaimer', 'reproclaim'], 'procne': ['crepon', 'procne'], 'procnemial': ['complainer', 'procnemial', 'recomplain'], 'procommission': ['compromission', 'procommission'], 'procreant': ['copartner', 'procreant'], 'procreate': ['procreate', 'pterocera'], 'procreation': ['incorporate', 'procreation'], 'proctal': ['caltrop', 'proctal'], 'proctitis': ['proctitis', 'protistic', 'tropistic'], 'proctocolitis': ['coloproctitis', 'proctocolitis'], 'procuress': ['percussor', 'procuress'], 'prod': ['dorp', 'drop', 'prod'], 'proddle': ['plodder', 'proddle'], 'proem': ['merop', 'moper', 'proem', 'remop'], 'proemial': ['emporial', 'proemial'], 'proemium': ['emporium', 'pomerium', 'proemium'], 'proethical': ['carpholite', 'proethical'], 'proetid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'proetidae': ['periodate', 'proetidae', 'proteidae'], 'proetus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'proficient': ['prefiction', 'proficient'], 'profit': ['forpit', 'profit'], 'profiter': ['portfire', 'profiter'], 'progeny': ['progeny', 'pyrogen'], 'prohibiter': ['prohibiter', 'reprohibit'], 'proidealistic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'proke': ['poker', 'proke'], 'proker': ['porker', 'proker'], 'prolacrosse': ['prolacrosse', 'sclerospora'], 'prolapse': ['prolapse', 'sapropel'], 'prolation': ['ploration', 'portional', 'prolation'], 'prolegate': ['petrogale', 'petrolage', 'prolegate'], 'proletarian': ['prerational', 'proletarian'], 'proletarianize': ['prerealization', 'proletarianize'], 'proletariat': ['proletariat', 'reptatorial'], 'proletary': ['proletary', 'pyrolater'], 'prolicense': ['prolicense', 'proselenic'], 'prolongate': ['prolongate', 'protogenal'], 'promerit': ['importer', 'promerit', 'reimport'], 'promethean': ['heptameron', 'promethean'], 'promise': ['imposer', 'promise', 'semipro'], 'promisee': ['perisome', 'promisee', 'reimpose'], 'promiser': ['primrose', 'promiser'], 'promitosis': ['isotropism', 'promitosis'], 'promnesia': ['mesropian', 'promnesia', 'spironema'], 'promonarchist': ['micranthropos', 'promonarchist'], 'promote': ['promote', 'protome'], 'pronaos': ['pronaos', 'soprano'], 'pronate': ['operant', 'pronate', 'protean'], 'pronative': ['overpaint', 'pronative'], 'proneur': ['proneur', 'purrone'], 'pronotal': ['portolan', 'pronotal'], 'pronto': ['pronto', 'proton'], 'pronunciable': ['preconnubial', 'pronunciable'], 'proo': ['poor', 'proo'], 'proofer': ['proofer', 'reproof'], 'prop': ['prop', 'ropp'], 'propellent': ['prepollent', 'propellent'], 'propene': ['preopen', 'propene'], 'prophloem': ['pleomorph', 'prophloem'], 'propine': ['piperno', 'propine'], 'propinoic': ['propinoic', 'propionic'], 'propionic': ['propinoic', 'propionic'], 'propitial': ['propitial', 'triplopia'], 'proportioner': ['proportioner', 'reproportion'], 'propose': ['opposer', 'propose'], 'propraetorial': ['propraetorial', 'protoperlaria'], 'proprietous': ['peritropous', 'proprietous'], 'propylene': ['polyprene', 'propylene'], 'propyne': ['propyne', 'pyropen'], 'prorate': ['praetor', 'prorate'], 'proration': ['proration', 'troparion'], 'prore': ['porer', 'prore', 'roper'], 'prorebate': ['perborate', 'prorebate', 'reprobate'], 'proreduction': ['proreduction', 'reproduction'], 'prorevision': ['prorevision', 'provisioner', 'reprovision'], 'prorogate': ['graperoot', 'prorogate'], 'prosaist': ['prosaist', 'protasis'], 'prosateur': ['prosateur', 'pterosaur'], 'prose': ['poser', 'prose', 'ropes', 'spore'], 'prosecretin': ['prosecretin', 'reinspector'], 'prosectorial': ['corporealist', 'prosectorial'], 'prosectorium': ['micropterous', 'prosectorium'], 'proselenic': ['prolicense', 'proselenic'], 'proselyte': ['polyester', 'proselyte'], 'proseminate': ['impersonate', 'proseminate'], 'prosemination': ['impersonation', 'prosemination', 'semipronation'], 'proseneschal': ['chaperonless', 'proseneschal'], 'prosification': ['antisoporific', 'prosification', 'sporification'], 'prosilient': ['linopteris', 'prosilient'], 'prosiphonate': ['nephroptosia', 'prosiphonate'], 'proso': ['poros', 'proso', 'sopor', 'spoor'], 'prosodiacal': ['dorsoapical', 'prosodiacal'], 'prosopyle': ['polyspore', 'prosopyle'], 'prossy': ['prossy', 'spyros'], 'prostatectomy': ['cryptostomate', 'prostatectomy'], 'prosternate': ['paternoster', 'prosternate', 'transportee'], 'prostomiate': ['metroptosia', 'prostomiate'], 'protactic': ['catoptric', 'protactic'], 'protasis': ['prosaist', 'protasis'], 'prote': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'protead': ['adopter', 'protead', 'readopt'], 'protean': ['operant', 'pronate', 'protean'], 'protease': ['asterope', 'protease'], 'protectional': ['lactoprotein', 'protectional'], 'proteic': ['perotic', 'proteic', 'tropeic'], 'proteida': ['apteroid', 'proteida'], 'proteidae': ['periodate', 'proetidae', 'proteidae'], 'proteidean': ['pontederia', 'proteidean'], 'protein': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'proteinic': ['epornitic', 'proteinic'], 'proteles': ['proteles', 'serpolet'], 'protelidae': ['leopardite', 'protelidae'], 'protend': ['portend', 'protend'], 'protension': ['portension', 'protension'], 'proteolysis': ['elytroposis', 'proteolysis'], 'proteose': ['esotrope', 'proteose'], 'protest': ['protest', 'spotter'], 'protester': ['protester', 'reprotest'], 'proteus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'protheca': ['archpoet', 'protheca'], 'prothesis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'prothetical': ['proathletic', 'prothetical'], 'prothoracic': ['acrotrophic', 'prothoracic'], 'protide': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'protist': ['protist', 'tropist'], 'protistic': ['proctitis', 'protistic', 'tropistic'], 'proto': ['porto', 'proto', 'troop'], 'protocneme': ['mecopteron', 'protocneme'], 'protogenal': ['prolongate', 'protogenal'], 'protoma': ['protoma', 'taproom'], 'protomagnesium': ['protomagnesium', 'spermatogonium'], 'protome': ['promote', 'protome'], 'protomorphic': ['morphotropic', 'protomorphic'], 'proton': ['pronto', 'proton'], 'protone': ['porteno', 'protone'], 'protonemal': ['monopteral', 'protonemal'], 'protoparent': ['protoparent', 'protopteran'], 'protopathic': ['haptotropic', 'protopathic'], 'protopathy': ['protopathy', 'protophyta'], 'protoperlaria': ['propraetorial', 'protoperlaria'], 'protophyta': ['protopathy', 'protophyta'], 'protophyte': ['protophyte', 'tropophyte'], 'protophytic': ['protophytic', 'tropophytic'], 'protopine': ['preoption', 'protopine'], 'protopteran': ['protoparent', 'protopteran'], 'protore': ['protore', 'trooper'], 'protosulphide': ['protosulphide', 'sulphoproteid'], 'prototheme': ['photometer', 'prototheme'], 'prototherian': ['ornithoptera', 'prototherian'], 'prototrophic': ['prototrophic', 'trophotropic'], 'protrade': ['predator', 'protrade', 'teardrop'], 'protreaty': ['protreaty', 'reptatory'], 'protuberantial': ['perturbational', 'protuberantial'], 'protyl': ['portly', 'protyl', 'tropyl'], 'provenient': ['prevention', 'provenient'], 'provide': ['prevoid', 'provide'], 'provider': ['overdrip', 'provider'], 'provisioner': ['prorevision', 'provisioner', 'reprovision'], 'prowed': ['powder', 'prowed'], 'prude': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'prudent': ['prudent', 'prunted', 'uptrend'], 'prudential': ['prudential', 'putredinal'], 'prudist': ['disrupt', 'prudist'], 'prudy': ['prudy', 'purdy', 'updry'], 'prue': ['peru', 'prue', 'pure'], 'prune': ['perun', 'prune'], 'prunted': ['prudent', 'prunted', 'uptrend'], 'prussic': ['prussic', 'scirpus'], 'prut': ['prut', 'turp'], 'pry': ['pry', 'pyr'], 'pryer': ['perry', 'pryer'], 'pryse': ['pryse', 'spyer'], 'psalm': ['plasm', 'psalm', 'slamp'], 'psalmic': ['plasmic', 'psalmic'], 'psalmister': ['psalmister', 'spermalist'], 'psalmodial': ['plasmodial', 'psalmodial'], 'psalmodic': ['plasmodic', 'psalmodic'], 'psaloid': ['psaloid', 'salpoid'], 'psalter': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'psalterian': ['alpestrian', 'palestrian', 'psalterian'], 'psalterion': ['interposal', 'psalterion'], 'psaltery': ['plastery', 'psaltery'], 'psaltress': ['psaltress', 'strapless'], 'psaronius': ['prasinous', 'psaronius'], 'psedera': ['psedera', 'respade'], 'psellism': ['misspell', 'psellism'], 'pseudelytron': ['pseudelytron', 'unproselyted'], 'pseudimago': ['megapodius', 'pseudimago'], 'pseudophallic': ['diplocephalus', 'pseudophallic'], 'psha': ['hasp', 'pash', 'psha', 'shap'], 'psi': ['psi', 'sip'], 'psiloceratid': ['prediastolic', 'psiloceratid'], 'psilophyton': ['polyphonist', 'psilophyton'], 'psilotic': ['colpitis', 'politics', 'psilotic'], 'psittacine': ['antiseptic', 'psittacine'], 'psoadic': ['psoadic', 'scapoid', 'sciapod'], 'psoas': ['passo', 'psoas'], 'psocidae': ['diascope', 'psocidae', 'scopidae'], 'psocine': ['psocine', 'scopine'], 'psora': ['psora', 'sapor', 'sarpo'], 'psoralea': ['parosela', 'psoralea'], 'psoroid': ['psoroid', 'sporoid'], 'psorous': ['psorous', 'soursop', 'sporous'], 'psychobiological': ['biopsychological', 'psychobiological'], 'psychobiology': ['biopsychology', 'psychobiology'], 'psychogalvanic': ['galvanopsychic', 'psychogalvanic'], 'psychomancy': ['psychomancy', 'scyphomancy'], 'psychomonism': ['monopsychism', 'psychomonism'], 'psychoneurological': ['neuropsychological', 'psychoneurological'], 'psychoneurosis': ['neuropsychosis', 'psychoneurosis'], 'psychophysiological': ['physiopsychological', 'psychophysiological'], 'psychophysiology': ['physiopsychology', 'psychophysiology'], 'psychorrhagy': ['chrysography', 'psychorrhagy'], 'psychosomatic': ['psychosomatic', 'somatopsychic'], 'psychotechnology': ['psychotechnology', 'technopsychology'], 'psychotheism': ['psychotheism', 'theopsychism'], 'psychotria': ['physiocrat', 'psychotria'], 'ptelea': ['apelet', 'ptelea'], 'ptereal': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pterian': ['painter', 'pertain', 'pterian', 'repaint'], 'pterideous': ['depositure', 'pterideous'], 'pteridological': ['dipterological', 'pteridological'], 'pteridologist': ['dipterologist', 'pteridologist'], 'pteridology': ['dipterology', 'pteridology'], 'pterion': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pteris': ['priest', 'pteris', 'sprite', 'stripe'], 'pterocera': ['procreate', 'pterocera'], 'pterodactylidae': ['dactylopteridae', 'pterodactylidae'], 'pterodactylus': ['dactylopterus', 'pterodactylus'], 'pterographer': ['petrographer', 'pterographer'], 'pterographic': ['petrographic', 'pterographic'], 'pterographical': ['petrographical', 'pterographical'], 'pterography': ['petrography', 'pterography', 'typographer'], 'pteroid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'pteroma': ['pteroma', 'tempora'], 'pteropus': ['pteropus', 'stoppeur'], 'pterosaur': ['prosateur', 'pterosaur'], 'pterospora': ['praepostor', 'pterospora'], 'pteryla': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'pterylographical': ['petrographically', 'pterylographical'], 'pterylological': ['petrologically', 'pterylological'], 'pterylosis': ['peristylos', 'pterylosis'], 'ptilota': ['ptilota', 'talipot', 'toptail'], 'ptinus': ['ptinus', 'unspit'], 'ptolemean': ['leptonema', 'ptolemean'], 'ptomain': ['maintop', 'ptomain', 'tampion', 'timpano'], 'ptomainic': ['impaction', 'ptomainic'], 'ptyalin': ['inaptly', 'planity', 'ptyalin'], 'ptyalocele': ['clypeolate', 'ptyalocele'], 'ptyalogenic': ['genotypical', 'ptyalogenic'], 'pu': ['pu', 'up'], 'pua': ['pau', 'pua'], 'puan': ['napu', 'puan', 'puna'], 'publisher': ['publisher', 'republish'], 'puckball': ['puckball', 'pullback'], 'puckrel': ['plucker', 'puckrel'], 'pud': ['dup', 'pud'], 'pudendum': ['pudendum', 'undumped'], 'pudent': ['pudent', 'uptend'], 'pudic': ['cupid', 'pudic'], 'pudical': ['paludic', 'pudical'], 'pudicity': ['cupidity', 'pudicity'], 'puerer': ['puerer', 'purree'], 'puffer': ['puffer', 'repuff'], 'pug': ['gup', 'pug'], 'pugman': ['panmug', 'pugman'], 'puisne': ['puisne', 'supine'], 'puist': ['puist', 'upsit'], 'puja': ['jaup', 'puja'], 'puke': ['keup', 'puke'], 'pule': ['lupe', 'pelu', 'peul', 'pule'], 'pulian': ['paulin', 'pulian'], 'pulicene': ['clupeine', 'pulicene'], 'pulicidal': ['picudilla', 'pulicidal'], 'pulicide': ['lupicide', 'pediculi', 'pulicide'], 'puling': ['gulpin', 'puling'], 'pulish': ['huspil', 'pulish'], 'pullback': ['puckball', 'pullback'], 'pulp': ['plup', 'pulp'], 'pulper': ['pulper', 'purple'], 'pulpiter': ['pulpiter', 'repulpit'], 'pulpous': ['populus', 'pulpous'], 'pulpstone': ['pulpstone', 'unstopple'], 'pulsant': ['pulsant', 'upslant'], 'pulsate': ['pulsate', 'spatule', 'upsteal'], 'pulsatile': ['palluites', 'pulsatile'], 'pulsation': ['platinous', 'pulsation'], 'pulsator': ['postural', 'pulsator', 'sportula'], 'pulse': ['lepus', 'pulse'], 'pulsion': ['pulsion', 'unspoil', 'upsilon'], 'pulvic': ['pulvic', 'vulpic'], 'pumper': ['pumper', 'repump'], 'pumple': ['peplum', 'pumple'], 'puna': ['napu', 'puan', 'puna'], 'puncher': ['puncher', 'unperch'], 'punctilio': ['punctilio', 'unpolitic'], 'puncturer': ['puncturer', 'upcurrent'], 'punger': ['punger', 'repugn'], 'pungle': ['plunge', 'pungle'], 'puniceous': ['pecunious', 'puniceous'], 'punish': ['inpush', 'punish', 'unship'], 'punisher': ['punisher', 'repunish'], 'punishment': ['punishment', 'unshipment'], 'punlet': ['penult', 'punlet', 'puntel'], 'punnet': ['punnet', 'unpent'], 'puno': ['noup', 'puno', 'upon'], 'punta': ['punta', 'unapt', 'untap'], 'puntal': ['puntal', 'unplat'], 'puntel': ['penult', 'punlet', 'puntel'], 'punti': ['input', 'punti'], 'punto': ['punto', 'unpot', 'untop'], 'pupa': ['paup', 'pupa'], 'pupelo': ['poulpe', 'pupelo'], 'purana': ['purana', 'uparna'], 'purdy': ['prudy', 'purdy', 'updry'], 'pure': ['peru', 'prue', 'pure'], 'pured': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'puree': ['puree', 'rupee'], 'purer': ['purer', 'purre'], 'purine': ['purine', 'unripe', 'uprein'], 'purism': ['primus', 'purism'], 'purist': ['purist', 'spruit', 'uprist', 'upstir'], 'puritan': ['pintura', 'puritan', 'uptrain'], 'puritaness': ['presustain', 'puritaness', 'supersaint'], 'purler': ['purler', 'purrel'], 'purple': ['pulper', 'purple'], 'purpose': ['peropus', 'purpose'], 'purpuroxanthin': ['purpuroxanthin', 'xanthopurpurin'], 'purre': ['purer', 'purre'], 'purree': ['puerer', 'purree'], 'purrel': ['purler', 'purrel'], 'purrone': ['proneur', 'purrone'], 'purse': ['purse', 'resup', 'sprue', 'super'], 'purser': ['purser', 'spruer'], 'purslane': ['purslane', 'serpulan', 'supernal'], 'purslet': ['purslet', 'spurlet', 'spurtle'], 'pursuer': ['pursuer', 'usurper'], 'pursy': ['pursy', 'pyrus', 'syrup'], 'pus': ['pus', 'sup'], 'pushtu': ['pushtu', 'upshut'], 'pustule': ['pluteus', 'pustule'], 'pustulose': ['pustulose', 'stupulose'], 'put': ['put', 'tup'], 'putanism': ['putanism', 'sumpitan'], 'putation': ['outpaint', 'putation'], 'putredinal': ['prudential', 'putredinal'], 'putrid': ['putrid', 'turpid'], 'putridly': ['putridly', 'turpidly'], 'pya': ['pay', 'pya', 'yap'], 'pyal': ['paly', 'play', 'pyal', 'pyla'], 'pycnial': ['pliancy', 'pycnial'], 'pyelic': ['epicly', 'pyelic'], 'pyelitis': ['pyelitis', 'sipylite'], 'pyelocystitis': ['cystopyelitis', 'pyelocystitis'], 'pyelonephritis': ['nephropyelitis', 'pyelonephritis'], 'pyeloureterogram': ['pyeloureterogram', 'ureteropyelogram'], 'pyemesis': ['empyesis', 'pyemesis'], 'pygmalion': ['maypoling', 'pygmalion'], 'pyin': ['piny', 'pyin'], 'pyla': ['paly', 'play', 'pyal', 'pyla'], 'pylades': ['pylades', 'splayed'], 'pylagore': ['playgoer', 'pylagore'], 'pylar': ['parly', 'pylar', 'pyral'], 'pyonephrosis': ['nephropyosis', 'pyonephrosis'], 'pyopneumothorax': ['pneumopyothorax', 'pyopneumothorax'], 'pyosepticemia': ['pyosepticemia', 'septicopyemia'], 'pyosepticemic': ['pyosepticemic', 'septicopyemic'], 'pyr': ['pry', 'pyr'], 'pyracanth': ['pantarchy', 'pyracanth'], 'pyral': ['parly', 'pylar', 'pyral'], 'pyrales': ['parsley', 'pyrales', 'sparely', 'splayer'], 'pyralid': ['pyralid', 'rapidly'], 'pyramidale': ['lampyridae', 'pyramidale'], 'pyranometer': ['premonetary', 'pyranometer'], 'pyre': ['prey', 'pyre', 'rype'], 'pyrena': ['napery', 'pyrena'], 'pyrenic': ['cyprine', 'pyrenic'], 'pyrenoid': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyretogenic': ['pyretogenic', 'pyrogenetic'], 'pyrex': ['prexy', 'pyrex'], 'pyrgocephaly': ['pelycography', 'pyrgocephaly'], 'pyridone': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrites': ['pyrites', 'sperity'], 'pyritoid': ['pityroid', 'pyritoid'], 'pyro': ['pory', 'pyro', 'ropy'], 'pyroarsenite': ['arsenopyrite', 'pyroarsenite'], 'pyrochemical': ['microcephaly', 'pyrochemical'], 'pyrocomenic': ['pyrocomenic', 'pyromeconic'], 'pyrodine': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrogen': ['progeny', 'pyrogen'], 'pyrogenetic': ['pyretogenic', 'pyrogenetic'], 'pyrolater': ['proletary', 'pyrolater'], 'pyromantic': ['importancy', 'patronymic', 'pyromantic'], 'pyromeconic': ['pyrocomenic', 'pyromeconic'], 'pyrope': ['popery', 'pyrope'], 'pyropen': ['propyne', 'pyropen'], 'pyrophorus': ['porphyrous', 'pyrophorus'], 'pyrotheria': ['erythropia', 'pyrotheria'], 'pyruline': ['pyruline', 'unripely'], 'pyrus': ['pursy', 'pyrus', 'syrup'], 'pyruvil': ['pyruvil', 'pyvuril'], 'pythagorism': ['myographist', 'pythagorism'], 'pythia': ['pythia', 'typhia'], 'pythic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pythogenesis': ['phytogenesis', 'pythogenesis'], 'pythogenetic': ['phytogenetic', 'pythogenetic'], 'pythogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'pythogenous': ['phytogenous', 'pythogenous'], 'python': ['phyton', 'python'], 'pythonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'pythonism': ['hypnotism', 'pythonism'], 'pythonist': ['hypnotist', 'pythonist'], 'pythonize': ['hypnotize', 'pythonize'], 'pythonoid': ['hypnotoid', 'pythonoid'], 'pyvuril': ['pyruvil', 'pyvuril'], 'quadrual': ['quadrual', 'quadrula'], 'quadrula': ['quadrual', 'quadrula'], 'quail': ['quail', 'quila'], 'quake': ['quake', 'queak'], 'quale': ['equal', 'quale', 'queal'], 'qualitied': ['liquidate', 'qualitied'], 'quamoclit': ['coquitlam', 'quamoclit'], 'quannet': ['quannet', 'tanquen'], 'quartile': ['quartile', 'requital', 'triequal'], 'quartine': ['antiquer', 'quartine'], 'quata': ['quata', 'taqua'], 'quatrin': ['quatrin', 'tarquin'], 'queak': ['quake', 'queak'], 'queal': ['equal', 'quale', 'queal'], 'queeve': ['eveque', 'queeve'], 'quencher': ['quencher', 'requench'], 'querier': ['querier', 'require'], 'queriman': ['queriman', 'ramequin'], 'querist': ['querist', 'squiret'], 'quernal': ['quernal', 'ranquel'], 'quester': ['quester', 'request'], 'questioner': ['questioner', 'requestion'], 'questor': ['questor', 'torques'], 'quiet': ['quiet', 'quite'], 'quietable': ['equitable', 'quietable'], 'quieter': ['quieter', 'requite'], 'quietist': ['equitist', 'quietist'], 'quietsome': ['quietsome', 'semiquote'], 'quiina': ['quiina', 'quinia'], 'quila': ['quail', 'quila'], 'quiles': ['quiles', 'quisle'], 'quinate': ['antique', 'quinate'], 'quince': ['cinque', 'quince'], 'quinia': ['quiina', 'quinia'], 'quinite': ['inquiet', 'quinite'], 'quinnat': ['quinnat', 'quintan'], 'quinse': ['quinse', 'sequin'], 'quintan': ['quinnat', 'quintan'], 'quintato': ['quintato', 'totaquin'], 'quinze': ['quinze', 'zequin'], 'quirt': ['quirt', 'qurti'], 'quisle': ['quiles', 'quisle'], 'quite': ['quiet', 'quite'], 'quits': ['quits', 'squit'], 'quote': ['quote', 'toque'], 'quoter': ['quoter', 'roquet', 'torque'], 'qurti': ['quirt', 'qurti'], 'ra': ['ar', 'ra'], 'raad': ['adar', 'arad', 'raad', 'rada'], 'raash': ['asarh', 'raash', 'sarah'], 'rab': ['bar', 'bra', 'rab'], 'raband': ['bandar', 'raband'], 'rabatine': ['atabrine', 'rabatine'], 'rabatte': ['baretta', 'rabatte', 'tabaret'], 'rabbanite': ['barnabite', 'rabbanite', 'rabbinate'], 'rabbet': ['barbet', 'rabbet', 'tabber'], 'rabbinate': ['barnabite', 'rabbanite', 'rabbinate'], 'rabble': ['barbel', 'labber', 'rabble'], 'rabboni': ['barbion', 'rabboni'], 'rabi': ['abir', 'bari', 'rabi'], 'rabic': ['baric', 'carib', 'rabic'], 'rabid': ['barid', 'bidar', 'braid', 'rabid'], 'rabidly': ['bardily', 'rabidly', 'ridably'], 'rabidness': ['bardiness', 'rabidness'], 'rabies': ['braise', 'rabies', 'rebias'], 'rabin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'rabinet': ['atebrin', 'rabinet'], 'raccoon': ['carcoon', 'raccoon'], 'race': ['acer', 'acre', 'care', 'crea', 'race'], 'racemate': ['camerate', 'macerate', 'racemate'], 'racemation': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'raceme': ['amerce', 'raceme'], 'racemed': ['decream', 'racemed'], 'racemic': ['ceramic', 'racemic'], 'racer': ['carer', 'crare', 'racer'], 'rach': ['arch', 'char', 'rach'], 'rache': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'rachel': ['rachel', 'rechal'], 'rachianectes': ['rachianectes', 'rhacianectes'], 'rachidial': ['diarchial', 'rachidial'], 'rachitis': ['architis', 'rachitis'], 'racial': ['alaric', 'racial'], 'racialist': ['racialist', 'satirical'], 'racing': ['arcing', 'racing'], 'racist': ['crista', 'racist'], 'rack': ['cark', 'rack'], 'racker': ['racker', 'rerack'], 'racket': ['racket', 'retack', 'tacker'], 'racking': ['arcking', 'carking', 'racking'], 'rackingly': ['carkingly', 'rackingly'], 'rackle': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'racon': ['acorn', 'acron', 'racon'], 'raconteur': ['cuarteron', 'raconteur'], 'racoon': ['caroon', 'corona', 'racoon'], 'racy': ['cary', 'racy'], 'rad': ['dar', 'rad'], 'rada': ['adar', 'arad', 'raad', 'rada'], 'raddle': ['ladder', 'raddle'], 'raddleman': ['dreamland', 'raddleman'], 'radectomy': ['myctodera', 'radectomy'], 'radek': ['daker', 'drake', 'kedar', 'radek'], 'radiable': ['labridae', 'radiable'], 'radiale': ['ardelia', 'laridae', 'radiale'], 'radian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'radiance': ['caridean', 'dircaean', 'radiance'], 'radiant': ['intrada', 'radiant'], 'radiata': ['dataria', 'radiata'], 'radical': ['cardial', 'radical'], 'radicant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'radicel': ['decrial', 'radicel', 'radicle'], 'radices': ['diceras', 'radices', 'sidecar'], 'radicle': ['decrial', 'radicel', 'radicle'], 'radicose': ['idocrase', 'radicose'], 'radicule': ['auricled', 'radicule'], 'radiculose': ['coresidual', 'radiculose'], 'radiectomy': ['acidometry', 'medicatory', 'radiectomy'], 'radii': ['dairi', 'darii', 'radii'], 'radio': ['aroid', 'doria', 'radio'], 'radioautograph': ['autoradiograph', 'radioautograph'], 'radioautographic': ['autoradiographic', 'radioautographic'], 'radioautography': ['autoradiography', 'radioautography'], 'radiohumeral': ['humeroradial', 'radiohumeral'], 'radiolite': ['editorial', 'radiolite'], 'radiolucent': ['radiolucent', 'reductional'], 'radioman': ['adoniram', 'radioman'], 'radiomicrometer': ['microradiometer', 'radiomicrometer'], 'radiophone': ['phoronidea', 'radiophone'], 'radiophony': ['hypodorian', 'radiophony'], 'radiotelephone': ['radiotelephone', 'teleradiophone'], 'radiotron': ['ordinator', 'radiotron'], 'radish': ['ardish', 'radish'], 'radius': ['darius', 'radius'], 'radman': ['mandra', 'radman'], 'radon': ['adorn', 'donar', 'drona', 'radon'], 'radula': ['adular', 'aludra', 'radula'], 'rafael': ['aflare', 'rafael'], 'rafe': ['fare', 'fear', 'frae', 'rafe'], 'raffee': ['affeer', 'raffee'], 'raffia': ['affair', 'raffia'], 'raffle': ['farfel', 'raffle'], 'rafik': ['fakir', 'fraik', 'kafir', 'rafik'], 'raft': ['frat', 'raft'], 'raftage': ['fregata', 'raftage'], 'rafter': ['frater', 'rafter'], 'rag': ['gar', 'gra', 'rag'], 'raga': ['agar', 'agra', 'gara', 'raga'], 'rage': ['ager', 'agre', 'gare', 'gear', 'rage'], 'rageless': ['eelgrass', 'gearless', 'rageless'], 'ragfish': ['garfish', 'ragfish'], 'ragged': ['dagger', 'gadger', 'ragged'], 'raggee': ['agrege', 'raggee'], 'raggety': ['gargety', 'raggety'], 'raggle': ['gargle', 'gregal', 'lagger', 'raggle'], 'raggled': ['draggle', 'raggled'], 'raggy': ['aggry', 'raggy'], 'ragingly': ['grayling', 'ragingly'], 'raglanite': ['antiglare', 'raglanite'], 'raglet': ['raglet', 'tergal'], 'raglin': ['nargil', 'raglin'], 'ragman': ['amgarn', 'mangar', 'marang', 'ragman'], 'ragnar': ['garran', 'ragnar'], 'ragshag': ['ragshag', 'shagrag'], 'ragtag': ['ragtag', 'tagrag'], 'ragtime': ['migrate', 'ragtime'], 'ragule': ['ragule', 'regula'], 'raguly': ['glaury', 'raguly'], 'raia': ['aira', 'aria', 'raia'], 'raid': ['arid', 'dari', 'raid'], 'raider': ['arride', 'raider'], 'raif': ['fair', 'fiar', 'raif'], 'raiidae': ['ariidae', 'raiidae'], 'rail': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'railage': ['lairage', 'railage', 'regalia'], 'railer': ['railer', 'rerail'], 'railhead': ['headrail', 'railhead'], 'railless': ['lairless', 'railless'], 'railman': ['lairman', 'laminar', 'malarin', 'railman'], 'raiment': ['minaret', 'raiment', 'tireman'], 'rain': ['arni', 'iran', 'nair', 'rain', 'rani'], 'raincoat': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'rainful': ['rainful', 'unfrail'], 'rainspout': ['rainspout', 'supinator'], 'rainy': ['nairy', 'rainy'], 'rais': ['rais', 'sair', 'sari'], 'raise': ['aries', 'arise', 'raise', 'serai'], 'raiseman': ['erasmian', 'raiseman'], 'raiser': ['raiser', 'sierra'], 'raisin': ['raisin', 'sirian'], 'raj': ['jar', 'raj'], 'raja': ['ajar', 'jara', 'raja'], 'rajah': ['ajhar', 'rajah'], 'rajeev': ['evejar', 'rajeev'], 'rake': ['rake', 'reak'], 'rakesteel': ['rakesteel', 'rakestele'], 'rakestele': ['rakesteel', 'rakestele'], 'rakh': ['hark', 'khar', 'rakh'], 'raki': ['ikra', 'kari', 'raki'], 'rakish': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rakit': ['kitar', 'krait', 'rakit', 'traik'], 'raku': ['kuar', 'raku', 'rauk'], 'ralf': ['farl', 'ralf'], 'ralliance': ['alliancer', 'ralliance'], 'ralline': ['ralline', 'renilla'], 'ram': ['arm', 'mar', 'ram'], 'rama': ['amar', 'amra', 'mara', 'rama'], 'ramada': ['armada', 'damara', 'ramada'], 'ramage': ['gemara', 'ramage'], 'ramaite': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ramal': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'ramanas': ['ramanas', 'sramana'], 'ramate': ['ramate', 'retama'], 'ramble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'rambler': ['marbler', 'rambler'], 'rambling': ['marbling', 'rambling'], 'rambo': ['broma', 'rambo'], 'rambutan': ['rambutan', 'tamburan'], 'rame': ['erma', 'mare', 'rame', 'ream'], 'ramed': ['armed', 'derma', 'dream', 'ramed'], 'rament': ['manter', 'marten', 'rament'], 'ramental': ['maternal', 'ramental'], 'ramequin': ['queriman', 'ramequin'], 'ramesh': ['masher', 'ramesh', 'shamer'], 'ramet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'rami': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'ramie': ['aimer', 'maire', 'marie', 'ramie'], 'ramiferous': ['armiferous', 'ramiferous'], 'ramigerous': ['armigerous', 'ramigerous'], 'ramillie': ['milliare', 'ramillie'], 'ramisection': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'ramist': ['marist', 'matris', 'ramist'], 'ramline': ['marline', 'mineral', 'ramline'], 'rammel': ['lammer', 'rammel'], 'rammy': ['mymar', 'rammy'], 'ramon': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'ramona': ['oarman', 'ramona'], 'ramose': ['amores', 'ramose', 'sorema'], 'ramosely': ['marysole', 'ramosely'], 'ramp': ['pram', 'ramp'], 'rampant': ['mantrap', 'rampant'], 'ramped': ['damper', 'ramped'], 'ramper': ['prearm', 'ramper'], 'rampike': ['perakim', 'permiak', 'rampike'], 'ramping': ['gripman', 'prigman', 'ramping'], 'ramsey': ['ramsey', 'smeary'], 'ramson': ['ramson', 'ransom'], 'ramtil': ['mitral', 'ramtil'], 'ramule': ['mauler', 'merula', 'ramule'], 'ramulus': ['malurus', 'ramulus'], 'ramus': ['musar', 'ramus', 'rusma', 'surma'], 'ramusi': ['misura', 'ramusi'], 'ran': ['arn', 'nar', 'ran'], 'rana': ['arna', 'rana'], 'ranales': ['arsenal', 'ranales'], 'rance': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'rancel': ['lancer', 'rancel'], 'rancer': ['craner', 'rancer'], 'ranche': ['enarch', 'ranche'], 'ranchero': ['anchorer', 'ranchero', 'reanchor'], 'rancho': ['anchor', 'archon', 'charon', 'rancho'], 'rancid': ['andric', 'cardin', 'rancid'], 'rand': ['darn', 'nard', 'rand'], 'randan': ['annard', 'randan'], 'randem': ['damner', 'manred', 'randem', 'remand'], 'rander': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'randia': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'randing': ['darning', 'randing'], 'randite': ['antired', 'detrain', 'randite', 'trained'], 'randle': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'random': ['random', 'rodman'], 'rane': ['arne', 'earn', 'rane'], 'ranere': ['earner', 'ranere'], 'rang': ['garn', 'gnar', 'rang'], 'range': ['anger', 'areng', 'grane', 'range'], 'ranged': ['danger', 'gander', 'garden', 'ranged'], 'rangeless': ['largeness', 'rangeless', 'regalness'], 'ranger': ['garner', 'ranger'], 'rangey': ['anergy', 'rangey'], 'ranginess': ['angriness', 'ranginess'], 'rangle': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'rangy': ['angry', 'rangy'], 'rani': ['arni', 'iran', 'nair', 'rain', 'rani'], 'ranid': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'ranidae': ['araneid', 'ariadne', 'ranidae'], 'raniform': ['nariform', 'raniform'], 'raninae': ['aranein', 'raninae'], 'ranine': ['narine', 'ranine'], 'rank': ['knar', 'kran', 'nark', 'rank'], 'ranked': ['darken', 'kanred', 'ranked'], 'ranker': ['ranker', 'rerank'], 'rankish': ['krishna', 'rankish'], 'rannel': ['lanner', 'rannel'], 'ranquel': ['quernal', 'ranquel'], 'ransom': ['ramson', 'ransom'], 'rant': ['natr', 'rant', 'tarn', 'tran'], 'rantepole': ['petrolean', 'rantepole'], 'ranter': ['arrent', 'errant', 'ranter', 'ternar'], 'rantipole': ['prelation', 'rantipole'], 'ranula': ['alraun', 'alruna', 'ranula'], 'rap': ['par', 'rap'], 'rape': ['aper', 'pare', 'pear', 'rape', 'reap'], 'rapeful': ['rapeful', 'upflare'], 'raper': ['parer', 'raper'], 'raphael': ['phalera', 'raphael'], 'raphaelic': ['eparchial', 'raphaelic'], 'raphe': ['hepar', 'phare', 'raphe'], 'raphia': ['pahari', 'pariah', 'raphia'], 'raphides': ['diphaser', 'parished', 'raphides', 'sephardi'], 'raphis': ['parish', 'raphis', 'rhapis'], 'rapic': ['capri', 'picra', 'rapic'], 'rapid': ['adrip', 'rapid'], 'rapidly': ['pyralid', 'rapidly'], 'rapier': ['pairer', 'rapier', 'repair'], 'rapine': ['parine', 'rapine'], 'raping': ['paring', 'raping'], 'rapparee': ['appearer', 'rapparee', 'reappear'], 'rappe': ['paper', 'rappe'], 'rappel': ['lapper', 'rappel'], 'rappite': ['periapt', 'rappite'], 'rapt': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'raptly': ['paltry', 'partly', 'raptly'], 'raptor': ['parrot', 'raptor'], 'rapture': ['parture', 'rapture'], 'rare': ['rare', 'rear'], 'rarebit': ['arbiter', 'rarebit'], 'rareripe': ['rareripe', 'repairer'], 'rarish': ['arrish', 'harris', 'rarish', 'sirrah'], 'ras': ['ras', 'sar'], 'rasa': ['rasa', 'sara'], 'rascacio': ['coracias', 'rascacio'], 'rascal': ['lascar', 'rascal', 'sacral', 'scalar'], 'rase': ['arse', 'rase', 'sare', 'sear', 'sera'], 'rasen': ['anser', 'nares', 'rasen', 'snare'], 'raser': ['ersar', 'raser', 'serra'], 'rasher': ['rasher', 'sharer'], 'rashing': ['garnish', 'rashing'], 'rashti': ['rashti', 'tarish'], 'rasion': ['arsino', 'rasion', 'sonrai'], 'rasp': ['rasp', 'spar'], 'rasped': ['rasped', 'spader', 'spread'], 'rasper': ['parser', 'rasper', 'sparer'], 'rasping': ['aspring', 'rasping', 'sparing'], 'raspingly': ['raspingly', 'sparingly'], 'raspingness': ['raspingness', 'sparingness'], 'raspite': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'raspy': ['raspy', 'spary', 'spray'], 'rasse': ['arses', 'rasse'], 'raster': ['arrest', 'astrer', 'raster', 'starer'], 'rastik': ['rastik', 'sarkit', 'straik'], 'rastle': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'rastus': ['rastus', 'tarsus'], 'rat': ['art', 'rat', 'tar', 'tra'], 'rata': ['rata', 'taar', 'tara'], 'ratable': ['alberta', 'latebra', 'ratable'], 'ratal': ['altar', 'artal', 'ratal', 'talar'], 'ratanhia': ['ratanhia', 'rhatania'], 'ratbite': ['biretta', 'brattie', 'ratbite'], 'ratch': ['chart', 'ratch'], 'ratchel': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'ratcher': ['charter', 'ratcher'], 'ratchet': ['chatter', 'ratchet'], 'ratchety': ['chattery', 'ratchety', 'trachyte'], 'ratching': ['charting', 'ratching'], 'rate': ['rate', 'tare', 'tear', 'tera'], 'rated': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'ratel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'rateless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'ratfish': ['ratfish', 'tashrif'], 'rath': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'rathe': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'rathed': ['dearth', 'hatred', 'rathed', 'thread'], 'rathely': ['earthly', 'heartly', 'lathery', 'rathely'], 'ratherest': ['ratherest', 'shatterer'], 'rathest': ['rathest', 'shatter'], 'rathite': ['hartite', 'rathite'], 'rathole': ['loather', 'rathole'], 'raticidal': ['raticidal', 'triadical'], 'raticide': ['ceratiid', 'raticide'], 'ratine': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'rating': ['rating', 'tringa'], 'ratio': ['ariot', 'ratio'], 'ration': ['aroint', 'ration'], 'rationable': ['alboranite', 'rationable'], 'rational': ['notarial', 'rational', 'rotalian'], 'rationale': ['alienator', 'rationale'], 'rationalize': ['rationalize', 'realization'], 'rationally': ['notarially', 'rationally'], 'rationate': ['notariate', 'rationate'], 'ratitae': ['arietta', 'ratitae'], 'ratite': ['attire', 'ratite', 'tertia'], 'ratitous': ['outstair', 'ratitous'], 'ratlike': ['artlike', 'ratlike', 'tarlike'], 'ratline': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'rattage': ['garetta', 'rattage', 'regatta'], 'rattan': ['rattan', 'tantra', 'tartan'], 'ratteen': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'ratten': ['attern', 'natter', 'ratten', 'tarten'], 'ratti': ['ratti', 'titar', 'trait'], 'rattish': ['athirst', 'rattish', 'tartish'], 'rattle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'rattles': ['rattles', 'slatter', 'starlet', 'startle'], 'rattlesome': ['rattlesome', 'saltometer'], 'rattly': ['rattly', 'tartly'], 'ratton': ['attorn', 'ratton', 'rottan'], 'rattus': ['astrut', 'rattus', 'stuart'], 'ratwood': ['ratwood', 'tarwood'], 'raught': ['raught', 'tughra'], 'rauk': ['kuar', 'raku', 'rauk'], 'raul': ['alur', 'laur', 'lura', 'raul', 'ural'], 'rauli': ['rauli', 'urali', 'urial'], 'raun': ['raun', 'uran', 'urna'], 'raunge': ['nauger', 'raunge', 'ungear'], 'rave': ['aver', 'rave', 'vare', 'vera'], 'ravel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'ravelin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'ravelly': ['ravelly', 'valeryl'], 'ravendom': ['overdamn', 'ravendom'], 'ravenelia': ['ravenelia', 'veneralia'], 'ravenish': ['enravish', 'ravenish', 'vanisher'], 'ravi': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'ravigote': ['ravigote', 'rogative'], 'ravin': ['invar', 'ravin', 'vanir'], 'ravine': ['averin', 'ravine'], 'ravined': ['invader', 'ravined', 'viander'], 'raving': ['grivna', 'raving'], 'ravissant': ['ravissant', 'srivatsan'], 'raw': ['raw', 'war'], 'rawboned': ['downbear', 'rawboned'], 'rawish': ['rawish', 'wairsh', 'warish'], 'rax': ['arx', 'rax'], 'ray': ['ary', 'ray', 'yar'], 'raya': ['arya', 'raya'], 'rayan': ['aryan', 'nayar', 'rayan'], 'rayed': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'raylet': ['lyrate', 'raylet', 'realty', 'telary'], 'rayonnance': ['annoyancer', 'rayonnance'], 'raze': ['ezra', 'raze'], 're': ['er', 're'], 'rea': ['aer', 'are', 'ear', 'era', 'rea'], 'reaal': ['areal', 'reaal'], 'reabandon': ['abandoner', 'reabandon'], 'reabolish': ['abolisher', 'reabolish'], 'reabsent': ['absenter', 'reabsent'], 'reabsorb': ['absorber', 'reabsorb'], 'reaccession': ['accessioner', 'reaccession'], 'reaccomplish': ['accomplisher', 'reaccomplish'], 'reaccord': ['accorder', 'reaccord'], 'reaccost': ['ectosarc', 'reaccost'], 'reach': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'reachieve': ['echeveria', 'reachieve'], 'react': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'reactance': ['cancerate', 'reactance'], 'reaction': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'reactional': ['creational', 'crotalinae', 'laceration', 'reactional'], 'reactionary': ['creationary', 'reactionary'], 'reactionism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'reactionist': ['creationist', 'reactionist'], 'reactive': ['creative', 'reactive'], 'reactively': ['creatively', 'reactively'], 'reactiveness': ['creativeness', 'reactiveness'], 'reactivity': ['creativity', 'reactivity'], 'reactor': ['creator', 'reactor'], 'read': ['ared', 'daer', 'dare', 'dear', 'read'], 'readapt': ['adapter', 'predata', 'readapt'], 'readd': ['adder', 'dread', 'readd'], 'readdress': ['addresser', 'readdress'], 'reader': ['reader', 'redare', 'reread'], 'reading': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'readjust': ['adjuster', 'readjust'], 'readopt': ['adopter', 'protead', 'readopt'], 'readorn': ['adorner', 'readorn'], 'ready': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'reaffect': ['affecter', 'reaffect'], 'reaffirm': ['affirmer', 'reaffirm'], 'reafflict': ['afflicter', 'reafflict'], 'reagent': ['grantee', 'greaten', 'reagent', 'rentage'], 'reagin': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'reak': ['rake', 'reak'], 'real': ['earl', 'eral', 'lear', 'real'], 'reales': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'realest': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'realign': ['aligner', 'engrail', 'realign', 'reginal'], 'realignment': ['engrailment', 'realignment'], 'realism': ['mislear', 'realism'], 'realist': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'realistic': ['eristical', 'realistic'], 'reality': ['irately', 'reality'], 'realive': ['realive', 'valerie'], 'realization': ['rationalize', 'realization'], 'reallot': ['reallot', 'rotella', 'tallero'], 'reallow': ['allower', 'reallow'], 'reallude': ['laureled', 'reallude'], 'realmlet': ['realmlet', 'tremella'], 'realter': ['alterer', 'realter', 'relater'], 'realtor': ['realtor', 'relator'], 'realty': ['lyrate', 'raylet', 'realty', 'telary'], 'ream': ['erma', 'mare', 'rame', 'ream'], 'reamage': ['megaera', 'reamage'], 'reamass': ['amasser', 'reamass'], 'reamend': ['amender', 'meander', 'reamend', 'reedman'], 'reamer': ['marree', 'reamer'], 'reamuse': ['measure', 'reamuse'], 'reamy': ['mayer', 'reamy'], 'reanchor': ['anchorer', 'ranchero', 'reanchor'], 'reanneal': ['annealer', 'lernaean', 'reanneal'], 'reannex': ['annexer', 'reannex'], 'reannoy': ['annoyer', 'reannoy'], 'reanoint': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'reanswer': ['answerer', 'reanswer'], 'reanvil': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'reap': ['aper', 'pare', 'pear', 'rape', 'reap'], 'reapdole': ['leoparde', 'reapdole'], 'reappeal': ['appealer', 'reappeal'], 'reappear': ['appearer', 'rapparee', 'reappear'], 'reapplaud': ['applauder', 'reapplaud'], 'reappoint': ['appointer', 'reappoint'], 'reapportion': ['apportioner', 'reapportion'], 'reapprehend': ['apprehender', 'reapprehend'], 'reapproach': ['approacher', 'reapproach'], 'rear': ['rare', 'rear'], 'reargue': ['augerer', 'reargue'], 'reargument': ['garmenture', 'reargument'], 'rearise': ['rearise', 'reraise'], 'rearm': ['armer', 'rearm'], 'rearray': ['arrayer', 'rearray'], 'rearrest': ['arrester', 'rearrest'], 'reascend': ['ascender', 'reascend'], 'reascent': ['reascent', 'sarcenet'], 'reascertain': ['ascertainer', 'reascertain', 'secretarian'], 'reask': ['asker', 'reask', 'saker', 'sekar'], 'reason': ['arseno', 'reason'], 'reassail': ['assailer', 'reassail'], 'reassault': ['assaulter', 'reassault', 'saleratus'], 'reassay': ['assayer', 'reassay'], 'reassent': ['assenter', 'reassent', 'sarsenet'], 'reassert': ['asserter', 'reassert'], 'reassign': ['assigner', 'reassign'], 'reassist': ['assister', 'reassist'], 'reassort': ['assertor', 'assorter', 'oratress', 'reassort'], 'reastonish': ['astonisher', 'reastonish', 'treasonish'], 'reasty': ['atresy', 'estray', 'reasty', 'stayer'], 'reasy': ['reasy', 'resay', 'sayer', 'seary'], 'reattach': ['attacher', 'reattach'], 'reattack': ['attacker', 'reattack'], 'reattain': ['attainer', 'reattain', 'tertiana'], 'reattempt': ['attempter', 'reattempt'], 'reattend': ['attender', 'nattered', 'reattend'], 'reattest': ['attester', 'reattest'], 'reattract': ['attracter', 'reattract'], 'reattraction': ['reattraction', 'retractation'], 'reatus': ['auster', 'reatus'], 'reavail': ['reavail', 'valeria'], 'reave': ['eaver', 'reave'], 'reavoid': ['avodire', 'avoider', 'reavoid'], 'reavouch': ['avoucher', 'reavouch'], 'reavow': ['avower', 'reavow'], 'reawait': ['awaiter', 'reawait'], 'reawaken': ['awakener', 'reawaken'], 'reaward': ['awarder', 'reaward'], 'reb': ['ber', 'reb'], 'rebab': ['barbe', 'bebar', 'breba', 'rebab'], 'reback': ['backer', 'reback'], 'rebag': ['bagre', 'barge', 'begar', 'rebag'], 'rebait': ['baiter', 'barite', 'rebait', 'terbia'], 'rebake': ['beaker', 'berake', 'rebake'], 'reballast': ['ballaster', 'reballast'], 'reballot': ['balloter', 'reballot'], 'reban': ['abner', 'arneb', 'reban'], 'rebanish': ['banisher', 'rebanish'], 'rebar': ['barer', 'rebar'], 'rebargain': ['bargainer', 'rebargain'], 'rebasis': ['brassie', 'rebasis'], 'rebate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebater': ['rebater', 'terebra'], 'rebathe': ['breathe', 'rebathe'], 'rebato': ['boater', 'borate', 'rebato'], 'rebawl': ['bawler', 'brelaw', 'rebawl', 'warble'], 'rebear': ['bearer', 'rebear'], 'rebeat': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebeck': ['becker', 'rebeck'], 'rebed': ['brede', 'breed', 'rebed'], 'rebeg': ['gerbe', 'grebe', 'rebeg'], 'rebeggar': ['beggarer', 'rebeggar'], 'rebegin': ['bigener', 'rebegin'], 'rebehold': ['beholder', 'rebehold'], 'rebellow': ['bellower', 'rebellow'], 'rebelly': ['bellyer', 'rebelly'], 'rebelong': ['belonger', 'rebelong'], 'rebend': ['bender', 'berend', 'rebend'], 'rebenefit': ['benefiter', 'rebenefit'], 'rebeset': ['besteer', 'rebeset'], 'rebestow': ['bestower', 'rebestow'], 'rebetray': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'rebewail': ['bewailer', 'rebewail'], 'rebia': ['barie', 'beira', 'erbia', 'rebia'], 'rebias': ['braise', 'rabies', 'rebias'], 'rebid': ['bider', 'bredi', 'bride', 'rebid'], 'rebill': ['biller', 'rebill'], 'rebillet': ['billeter', 'rebillet'], 'rebind': ['binder', 'inbred', 'rebind'], 'rebirth': ['brither', 'rebirth'], 'rebite': ['bertie', 'betire', 'rebite'], 'reblade': ['bleared', 'reblade'], 'reblast': ['blaster', 'reblast', 'stabler'], 'rebleach': ['bleacher', 'rebleach'], 'reblend': ['blender', 'reblend'], 'rebless': ['blesser', 'rebless'], 'reblock': ['blocker', 'brockle', 'reblock'], 'rebloom': ['bloomer', 'rebloom'], 'reblot': ['bolter', 'orblet', 'reblot', 'rebolt'], 'reblow': ['blower', 'bowler', 'reblow', 'worble'], 'reblue': ['brulee', 'burele', 'reblue'], 'rebluff': ['bluffer', 'rebluff'], 'reblunder': ['blunderer', 'reblunder'], 'reboant': ['baronet', 'reboant'], 'reboantic': ['bicornate', 'carbonite', 'reboantic'], 'reboard': ['arbored', 'boarder', 'reboard'], 'reboast': ['barotse', 'boaster', 'reboast', 'sorbate'], 'reboil': ['boiler', 'reboil'], 'rebold': ['belord', 'bordel', 'rebold'], 'rebolt': ['bolter', 'orblet', 'reblot', 'rebolt'], 'rebone': ['boreen', 'enrobe', 'neebor', 'rebone'], 'rebook': ['booker', 'brooke', 'rebook'], 'rebop': ['probe', 'rebop'], 'rebore': ['rebore', 'rerobe'], 'reborrow': ['borrower', 'reborrow'], 'rebound': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'rebounder': ['rebounder', 'underrobe'], 'rebox': ['boxer', 'rebox'], 'rebrace': ['cerebra', 'rebrace'], 'rebraid': ['braider', 'rebraid'], 'rebranch': ['brancher', 'rebranch'], 'rebrand': ['bernard', 'brander', 'rebrand'], 'rebrandish': ['brandisher', 'rebrandish'], 'rebreed': ['breeder', 'rebreed'], 'rebrew': ['brewer', 'rebrew'], 'rebribe': ['berberi', 'rebribe'], 'rebring': ['bringer', 'rebring'], 'rebroach': ['broacher', 'rebroach'], 'rebroadcast': ['broadcaster', 'rebroadcast'], 'rebrown': ['browner', 'rebrown'], 'rebrush': ['brusher', 'rebrush'], 'rebud': ['bedur', 'rebud', 'redub'], 'rebudget': ['budgeter', 'rebudget'], 'rebuff': ['buffer', 'rebuff'], 'rebuffet': ['buffeter', 'rebuffet'], 'rebuild': ['builder', 'rebuild'], 'rebulk': ['bulker', 'rebulk'], 'rebunch': ['buncher', 'rebunch'], 'rebundle': ['blendure', 'rebundle'], 'reburden': ['burdener', 'reburden'], 'reburn': ['burner', 'reburn'], 'reburnish': ['burnisher', 'reburnish'], 'reburst': ['burster', 'reburst'], 'rebus': ['burse', 'rebus', 'suber'], 'rebush': ['busher', 'rebush'], 'rebut': ['brute', 'buret', 'rebut', 'tuber'], 'rebute': ['rebute', 'retube'], 'rebuttal': ['burletta', 'rebuttal'], 'rebutton': ['buttoner', 'rebutton'], 'rebuy': ['buyer', 'rebuy'], 'recalk': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'recall': ['caller', 'cellar', 'recall'], 'recampaign': ['campaigner', 'recampaign'], 'recancel': ['canceler', 'clarence', 'recancel'], 'recant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'recantation': ['recantation', 'triacontane'], 'recanter': ['canterer', 'recanter', 'recreant', 'terrance'], 'recap': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'recaption': ['preaction', 'precation', 'recaption'], 'recarpet': ['pretrace', 'recarpet'], 'recart': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'recase': ['cesare', 'crease', 'recase', 'searce'], 'recash': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'recast': ['carest', 'caster', 'recast'], 'recatch': ['catcher', 'recatch'], 'recede': ['decree', 'recede'], 'recedent': ['centered', 'decenter', 'decentre', 'recedent'], 'receder': ['decreer', 'receder'], 'receipt': ['ereptic', 'precite', 'receipt'], 'receiptor': ['procerite', 'receiptor'], 'receivables': ['receivables', 'serviceable'], 'received': ['deceiver', 'received'], 'recement': ['cementer', 'cerement', 'recement'], 'recension': ['ninescore', 'recension'], 'recensionist': ['intercession', 'recensionist'], 'recent': ['center', 'recent', 'tenrec'], 'recenter': ['centerer', 'recenter', 'recentre', 'terrence'], 'recentre': ['centerer', 'recenter', 'recentre', 'terrence'], 'reception': ['prenotice', 'reception'], 'receptoral': ['praelector', 'receptoral'], 'recess': ['cesser', 'recess'], 'rechain': ['chainer', 'enchair', 'rechain'], 'rechal': ['rachel', 'rechal'], 'rechamber': ['chamberer', 'rechamber'], 'rechange': ['encharge', 'rechange'], 'rechant': ['chanter', 'rechant'], 'rechar': ['archer', 'charer', 'rechar'], 'recharter': ['charterer', 'recharter'], 'rechase': ['archsee', 'rechase'], 'rechaser': ['rechaser', 'research', 'searcher'], 'rechasten': ['chastener', 'rechasten'], 'rechaw': ['chawer', 'rechaw'], 'recheat': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'recheck': ['checker', 'recheck'], 'recheer': ['cheerer', 'recheer'], 'rechew': ['chewer', 'rechew'], 'rechip': ['cipher', 'rechip'], 'rechisel': ['chiseler', 'rechisel'], 'rechristen': ['christener', 'rechristen'], 'rechuck': ['chucker', 'rechuck'], 'recidivous': ['recidivous', 'veridicous'], 'recipe': ['piecer', 'pierce', 'recipe'], 'recipiend': ['perdicine', 'recipiend'], 'recipient': ['princeite', 'recipient'], 'reciprocate': ['carpocerite', 'reciprocate'], 'recirculate': ['clericature', 'recirculate'], 'recision': ['recision', 'soricine'], 'recital': ['article', 'recital'], 'recitativo': ['recitativo', 'victoriate'], 'recite': ['cerite', 'certie', 'recite', 'tierce'], 'recitement': ['centimeter', 'recitement', 'remittence'], 'reckla': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'reckless': ['clerkess', 'reckless'], 'reckling': ['clerking', 'reckling'], 'reckon': ['conker', 'reckon'], 'reclaim': ['claimer', 'miracle', 'reclaim'], 'reclaimer': ['calmierer', 'reclaimer'], 'reclama': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'reclang': ['cangler', 'glancer', 'reclang'], 'reclasp': ['clasper', 'reclasp', 'scalper'], 'reclass': ['carless', 'classer', 'reclass'], 'reclean': ['cleaner', 'reclean'], 'reclear': ['clearer', 'reclear'], 'reclimb': ['climber', 'reclimb'], 'reclinate': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'reclinated': ['credential', 'interlaced', 'reclinated'], 'recluse': ['luceres', 'recluse'], 'recluseness': ['censureless', 'recluseness'], 'reclusion': ['cornelius', 'inclosure', 'reclusion'], 'reclusive': ['reclusive', 'versicule'], 'recoach': ['caroche', 'coacher', 'recoach'], 'recoal': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'recoast': ['coaster', 'recoast'], 'recoat': ['coater', 'recoat'], 'recock': ['cocker', 'recock'], 'recoil': ['coiler', 'recoil'], 'recoilment': ['clinometer', 'recoilment'], 'recoin': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'recoinage': ['aerogenic', 'recoinage'], 'recollate': ['electoral', 'recollate'], 'recollation': ['collationer', 'recollation'], 'recollection': ['collectioner', 'recollection'], 'recollet': ['colleter', 'coteller', 'coterell', 'recollet'], 'recolor': ['colorer', 'recolor'], 'recomb': ['comber', 'recomb'], 'recomfort': ['comforter', 'recomfort'], 'recommand': ['commander', 'recommand'], 'recommend': ['commender', 'recommend'], 'recommission': ['commissioner', 'recommission'], 'recompact': ['compacter', 'recompact'], 'recompass': ['compasser', 'recompass'], 'recompetition': ['competitioner', 'recompetition'], 'recomplain': ['complainer', 'procnemial', 'recomplain'], 'recompound': ['compounder', 'recompound'], 'recomprehend': ['comprehender', 'recomprehend'], 'recon': ['coner', 'crone', 'recon'], 'reconceal': ['concealer', 'reconceal'], 'reconcert': ['concreter', 'reconcert'], 'reconcession': ['concessioner', 'reconcession'], 'reconcoct': ['concocter', 'reconcoct'], 'recondemn': ['condemner', 'recondemn'], 'recondensation': ['nondesecration', 'recondensation'], 'recondition': ['conditioner', 'recondition'], 'reconfer': ['confrere', 'enforcer', 'reconfer'], 'reconfess': ['confesser', 'reconfess'], 'reconfirm': ['confirmer', 'reconfirm'], 'reconform': ['conformer', 'reconform'], 'reconfound': ['confounder', 'reconfound'], 'reconfront': ['confronter', 'reconfront'], 'recongeal': ['congealer', 'recongeal'], 'reconjoin': ['conjoiner', 'reconjoin'], 'reconnect': ['concenter', 'reconnect'], 'reconnoiter': ['reconnoiter', 'reconnoitre'], 'reconnoitre': ['reconnoiter', 'reconnoitre'], 'reconsent': ['consenter', 'nonsecret', 'reconsent'], 'reconsider': ['considerer', 'reconsider'], 'reconsign': ['consigner', 'reconsign'], 'reconstitution': ['constitutioner', 'reconstitution'], 'reconstruct': ['constructer', 'reconstruct'], 'reconsult': ['consulter', 'reconsult'], 'recontend': ['contender', 'recontend'], 'recontest': ['contester', 'recontest'], 'recontinue': ['recontinue', 'unctioneer'], 'recontract': ['contracter', 'correctant', 'recontract'], 'reconvention': ['conventioner', 'reconvention'], 'reconvert': ['converter', 'reconvert'], 'reconvey': ['conveyer', 'reconvey'], 'recook': ['cooker', 'recook'], 'recool': ['cooler', 'recool'], 'recopper': ['copperer', 'recopper'], 'recopyright': ['copyrighter', 'recopyright'], 'record': ['corder', 'record'], 'recordation': ['corrodentia', 'recordation'], 'recork': ['corker', 'recork', 'rocker'], 'recorrection': ['correctioner', 'recorrection'], 'recorrupt': ['corrupter', 'recorrupt'], 'recounsel': ['enclosure', 'recounsel'], 'recount': ['cornute', 'counter', 'recount', 'trounce'], 'recountal': ['nucleator', 'recountal'], 'recoup': ['couper', 'croupe', 'poucer', 'recoup'], 'recourse': ['recourse', 'resource'], 'recover': ['coverer', 'recover'], 'recramp': ['cramper', 'recramp'], 'recrank': ['cranker', 'recrank'], 'recrate': ['caterer', 'recrate', 'retrace', 'terrace'], 'recreant': ['canterer', 'recanter', 'recreant', 'terrance'], 'recredit': ['cedriret', 'directer', 'recredit', 'redirect'], 'recrew': ['crewer', 'recrew'], 'recrimination': ['intermorainic', 'recrimination'], 'recroon': ['coroner', 'crooner', 'recroon'], 'recross': ['crosser', 'recross'], 'recrowd': ['crowder', 'recrowd'], 'recrown': ['crowner', 'recrown'], 'recrudency': ['decurrency', 'recrudency'], 'recruital': ['curtailer', 'recruital', 'reticular'], 'recrush': ['crusher', 'recrush'], 'recta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'rectal': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'rectalgia': ['cartilage', 'rectalgia'], 'recti': ['citer', 'recti', 'ticer', 'trice'], 'rectifiable': ['certifiable', 'rectifiable'], 'rectification': ['certification', 'cretification', 'rectification'], 'rectificative': ['certificative', 'rectificative'], 'rectificator': ['certificator', 'rectificator'], 'rectificatory': ['certificatory', 'rectificatory'], 'rectified': ['certified', 'rectified'], 'rectifier': ['certifier', 'rectifier'], 'rectify': ['certify', 'cretify', 'rectify'], 'rection': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'rectitude': ['certitude', 'rectitude'], 'rectoress': ['crosstree', 'rectoress'], 'rectorship': ['cristopher', 'rectorship'], 'rectotome': ['octometer', 'rectotome', 'tocometer'], 'rectovesical': ['rectovesical', 'vesicorectal'], 'recur': ['curer', 'recur'], 'recurl': ['curler', 'recurl'], 'recurse': ['recurse', 'rescuer', 'securer'], 'recurtain': ['recurtain', 'unerratic'], 'recurvation': ['countervair', 'overcurtain', 'recurvation'], 'recurvous': ['recurvous', 'verrucous'], 'recusance': ['recusance', 'securance'], 'recusant': ['etruscan', 'recusant'], 'recusation': ['nectarious', 'recusation'], 'recusator': ['craterous', 'recusator'], 'recuse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'recut': ['cruet', 'eruct', 'recut', 'truce'], 'red': ['erd', 'red'], 'redact': ['cedrat', 'decart', 'redact'], 'redaction': ['citronade', 'endaortic', 'redaction'], 'redactional': ['declaration', 'redactional'], 'redamage': ['dreamage', 'redamage'], 'redan': ['andre', 'arend', 'daren', 'redan'], 'redare': ['reader', 'redare', 'reread'], 'redarken': ['darkener', 'redarken'], 'redarn': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'redart': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'redate': ['derate', 'redate'], 'redaub': ['dauber', 'redaub'], 'redawn': ['andrew', 'redawn', 'wander', 'warden'], 'redbait': ['redbait', 'tribade'], 'redbud': ['budder', 'redbud'], 'redcoat': ['cordate', 'decator', 'redcoat'], 'redden': ['nedder', 'redden'], 'reddingite': ['digredient', 'reddingite'], 'rede': ['deer', 'dere', 'dree', 'rede', 'reed'], 'redeal': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'redeck': ['decker', 'redeck'], 'redeed': ['redeed', 'reeded'], 'redeem': ['deemer', 'meered', 'redeem', 'remede'], 'redefault': ['defaulter', 'redefault'], 'redefeat': ['defeater', 'federate', 'redefeat'], 'redefine': ['needfire', 'redefine'], 'redeflect': ['redeflect', 'reflected'], 'redelay': ['delayer', 'layered', 'redelay'], 'redeliver': ['deliverer', 'redeliver'], 'redemand': ['demander', 'redemand'], 'redemolish': ['demolisher', 'redemolish'], 'redeny': ['redeny', 'yender'], 'redepend': ['depender', 'redepend'], 'redeprive': ['prederive', 'redeprive'], 'rederivation': ['rederivation', 'veratroidine'], 'redescend': ['descender', 'redescend'], 'redescription': ['prediscretion', 'redescription'], 'redesign': ['designer', 'redesign', 'resigned'], 'redesman': ['redesman', 'seamrend'], 'redetect': ['detecter', 'redetect'], 'redevelop': ['developer', 'redevelop'], 'redfin': ['finder', 'friend', 'redfin', 'refind'], 'redhoop': ['redhoop', 'rhodope'], 'redia': ['aider', 'deair', 'irade', 'redia'], 'redient': ['nitered', 'redient', 'teinder'], 'redig': ['dirge', 'gride', 'redig', 'ridge'], 'redigest': ['digester', 'redigest'], 'rediminish': ['diminisher', 'rediminish'], 'redintegrator': ['redintegrator', 'retrogradient'], 'redip': ['pride', 'pried', 'redip'], 'redirect': ['cedriret', 'directer', 'recredit', 'redirect'], 'redisable': ['desirable', 'redisable'], 'redisappear': ['disappearer', 'redisappear'], 'rediscount': ['discounter', 'rediscount'], 'rediscover': ['discoverer', 'rediscover'], 'rediscuss': ['discusser', 'rediscuss'], 'redispatch': ['dispatcher', 'redispatch'], 'redisplay': ['displayer', 'redisplay'], 'redispute': ['disrepute', 'redispute'], 'redistend': ['dendrites', 'distender', 'redistend'], 'redistill': ['distiller', 'redistill'], 'redistinguish': ['distinguisher', 'redistinguish'], 'redistrain': ['distrainer', 'redistrain'], 'redisturb': ['disturber', 'redisturb'], 'redive': ['derive', 'redive'], 'redivert': ['diverter', 'redivert', 'verditer'], 'redleg': ['gelder', 'ledger', 'redleg'], 'redlegs': ['redlegs', 'sledger'], 'redo': ['doer', 'redo', 'rode', 'roed'], 'redock': ['corked', 'docker', 'redock'], 'redolent': ['redolent', 'rondelet'], 'redoom': ['doomer', 'mooder', 'redoom', 'roomed'], 'redoubling': ['bouldering', 'redoubling'], 'redoubt': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'redound': ['redound', 'rounded', 'underdo'], 'redowa': ['redowa', 'woader'], 'redraft': ['drafter', 'redraft'], 'redrag': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'redraw': ['drawer', 'redraw', 'reward', 'warder'], 'redrawer': ['redrawer', 'rewarder', 'warderer'], 'redream': ['dreamer', 'redream'], 'redress': ['dresser', 'redress'], 'redrill': ['driller', 'redrill'], 'redrive': ['deriver', 'redrive', 'rivered'], 'redry': ['derry', 'redry', 'ryder'], 'redtail': ['dilater', 'lardite', 'redtail'], 'redtop': ['deport', 'ported', 'redtop'], 'redub': ['bedur', 'rebud', 'redub'], 'reductant': ['reductant', 'traducent', 'truncated'], 'reduction': ['introduce', 'reduction'], 'reductional': ['radiolucent', 'reductional'], 'redue': ['redue', 'urdee'], 'redunca': ['durance', 'redunca', 'unraced'], 'redwithe': ['redwithe', 'withered'], 'redye': ['redye', 'reedy'], 'ree': ['eer', 'ere', 'ree'], 'reechy': ['cheery', 'reechy'], 'reed': ['deer', 'dere', 'dree', 'rede', 'reed'], 'reeded': ['redeed', 'reeded'], 'reeden': ['endere', 'needer', 'reeden'], 'reedily': ['reedily', 'reyield', 'yielder'], 'reeding': ['energid', 'reeding'], 'reedling': ['engirdle', 'reedling'], 'reedman': ['amender', 'meander', 'reamend', 'reedman'], 'reedwork': ['reedwork', 'reworked'], 'reedy': ['redye', 'reedy'], 'reef': ['feer', 'free', 'reef'], 'reefing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'reek': ['eker', 'reek'], 'reel': ['leer', 'reel'], 'reeler': ['reeler', 'rereel'], 'reelingly': ['leeringly', 'reelingly'], 'reem': ['mere', 'reem'], 'reeming': ['reeming', 'regimen'], 'reen': ['erne', 'neer', 'reen'], 'reenge': ['neeger', 'reenge', 'renege'], 'rees': ['erse', 'rees', 'seer', 'sere'], 'reese': ['esere', 'reese', 'resee'], 'reesk': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'reest': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'reester': ['reester', 'steerer'], 'reestle': ['reestle', 'resteel', 'steeler'], 'reesty': ['reesty', 'yester'], 'reet': ['reet', 'teer', 'tree'], 'reetam': ['reetam', 'retame', 'teamer'], 'reeveland': ['landreeve', 'reeveland'], 'refall': ['faller', 'refall'], 'refashion': ['fashioner', 'refashion'], 'refasten': ['fastener', 'fenestra', 'refasten'], 'refavor': ['favorer', 'overfar', 'refavor'], 'refeed': ['feeder', 'refeed'], 'refeel': ['feeler', 'refeel', 'reflee'], 'refeign': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'refel': ['fleer', 'refel'], 'refer': ['freer', 'refer'], 'referment': ['fermenter', 'referment'], 'refetch': ['fetcher', 'refetch'], 'refight': ['fighter', 'freight', 'refight'], 'refill': ['filler', 'refill'], 'refilter': ['filterer', 'refilter'], 'refinable': ['inferable', 'refinable'], 'refind': ['finder', 'friend', 'redfin', 'refind'], 'refine': ['ferine', 'refine'], 'refined': ['definer', 'refined'], 'refiner': ['refiner', 'reinfer'], 'refinger': ['fingerer', 'refinger'], 'refining': ['infringe', 'refining'], 'refinish': ['finisher', 'refinish'], 'refit': ['freit', 'refit'], 'refix': ['fixer', 'refix'], 'reflash': ['flasher', 'reflash'], 'reflected': ['redeflect', 'reflected'], 'reflee': ['feeler', 'refeel', 'reflee'], 'refling': ['ferling', 'flinger', 'refling'], 'refloat': ['floater', 'florate', 'refloat'], 'reflog': ['golfer', 'reflog'], 'reflood': ['flooder', 'reflood'], 'refloor': ['floorer', 'refloor'], 'reflourish': ['flourisher', 'reflourish'], 'reflow': ['flower', 'fowler', 'reflow', 'wolfer'], 'reflower': ['flowerer', 'reflower'], 'reflush': ['flusher', 'reflush'], 'reflux': ['fluxer', 'reflux'], 'refluxed': ['flexured', 'refluxed'], 'refly': ['ferly', 'flyer', 'refly'], 'refocus': ['focuser', 'refocus'], 'refold': ['folder', 'refold'], 'refoment': ['fomenter', 'refoment'], 'refoot': ['footer', 'refoot'], 'reforecast': ['forecaster', 'reforecast'], 'reforest': ['forester', 'fosterer', 'reforest'], 'reforfeit': ['forfeiter', 'reforfeit'], 'reform': ['former', 'reform'], 'reformado': ['doorframe', 'reformado'], 'reformed': ['deformer', 'reformed'], 'reformism': ['misreform', 'reformism'], 'reformist': ['reformist', 'restiform'], 'reforward': ['forwarder', 'reforward'], 'refound': ['founder', 'refound'], 'refoundation': ['foundationer', 'refoundation'], 'refreshen': ['freshener', 'refreshen'], 'refrighten': ['frightener', 'refrighten'], 'refront': ['fronter', 'refront'], 'reft': ['fret', 'reft', 'tref'], 'refuel': ['ferule', 'fueler', 'refuel'], 'refund': ['funder', 'refund'], 'refurbish': ['furbisher', 'refurbish'], 'refurl': ['furler', 'refurl'], 'refurnish': ['furnisher', 'refurnish'], 'refusingly': ['refusingly', 'syringeful'], 'refutal': ['faulter', 'refutal', 'tearful'], 'refute': ['fuerte', 'refute'], 'reg': ['erg', 'ger', 'reg'], 'regain': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'regal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'regalia': ['lairage', 'railage', 'regalia'], 'regalian': ['algerian', 'geranial', 'regalian'], 'regalist': ['glaister', 'regalist'], 'regallop': ['galloper', 'regallop'], 'regally': ['allergy', 'gallery', 'largely', 'regally'], 'regalness': ['largeness', 'rangeless', 'regalness'], 'regard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'regarnish': ['garnisher', 'regarnish'], 'regather': ['gatherer', 'regather'], 'regatta': ['garetta', 'rattage', 'regatta'], 'regelate': ['eglatere', 'regelate', 'relegate'], 'regelation': ['regelation', 'relegation'], 'regenesis': ['energesis', 'regenesis'], 'regent': ['gerent', 'regent'], 'reges': ['reges', 'serge'], 'reget': ['egret', 'greet', 'reget'], 'regga': ['agger', 'gager', 'regga'], 'reggie': ['greige', 'reggie'], 'regia': ['geira', 'regia'], 'regild': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'regill': ['giller', 'grille', 'regill'], 'regimen': ['reeming', 'regimen'], 'regimenal': ['margeline', 'regimenal'], 'regin': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reginal': ['aligner', 'engrail', 'realign', 'reginal'], 'reginald': ['dragline', 'reginald', 'ringlead'], 'region': ['ignore', 'region'], 'regional': ['geraniol', 'regional'], 'registered': ['deregister', 'registered'], 'registerer': ['registerer', 'reregister'], 'regive': ['grieve', 'regive'], 'regladden': ['gladdener', 'glandered', 'regladden'], 'reglair': ['grailer', 'reglair'], 'regle': ['leger', 'regle'], 'reglet': ['gretel', 'reglet'], 'regloss': ['glosser', 'regloss'], 'reglove': ['overleg', 'reglove'], 'reglow': ['glower', 'reglow'], 'regma': ['grame', 'marge', 'regma'], 'regnal': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'regraft': ['grafter', 'regraft'], 'regrant': ['granter', 'regrant'], 'regrasp': ['grasper', 'regrasp', 'sparger'], 'regrass': ['grasser', 'regrass'], 'regrate': ['greater', 'regrate', 'terrage'], 'regrating': ['gartering', 'regrating'], 'regrator': ['garroter', 'regrator'], 'regreen': ['greener', 'regreen', 'reneger'], 'regreet': ['greeter', 'regreet'], 'regrind': ['grinder', 'regrind'], 'regrinder': ['derringer', 'regrinder'], 'regrip': ['griper', 'regrip'], 'regroup': ['grouper', 'regroup'], 'regrow': ['grower', 'regrow'], 'reguard': ['guarder', 'reguard'], 'regula': ['ragule', 'regula'], 'regulation': ['regulation', 'urogenital'], 'reguli': ['ligure', 'reguli'], 'regur': ['regur', 'urger'], 'regush': ['gusher', 'regush'], 'reh': ['her', 'reh', 'rhe'], 'rehale': ['healer', 'rehale', 'reheal'], 'rehallow': ['hallower', 'rehallow'], 'rehammer': ['hammerer', 'rehammer'], 'rehang': ['hanger', 'rehang'], 'reharden': ['hardener', 'reharden'], 'reharm': ['harmer', 'reharm'], 'reharness': ['harnesser', 'reharness'], 'reharrow': ['harrower', 'reharrow'], 'reharvest': ['harvester', 'reharvest'], 'rehash': ['hasher', 'rehash'], 'rehaul': ['hauler', 'rehaul'], 'rehazard': ['hazarder', 'rehazard'], 'rehead': ['adhere', 'header', 'hedera', 'rehead'], 'reheal': ['healer', 'rehale', 'reheal'], 'reheap': ['heaper', 'reheap'], 'rehear': ['hearer', 'rehear'], 'rehearser': ['rehearser', 'reshearer'], 'rehearten': ['heartener', 'rehearten'], 'reheat': ['heater', 'hereat', 'reheat'], 'reheel': ['heeler', 'reheel'], 'reheighten': ['heightener', 'reheighten'], 'rehoist': ['hoister', 'rehoist'], 'rehollow': ['hollower', 'rehollow'], 'rehonor': ['honorer', 'rehonor'], 'rehook': ['hooker', 'rehook'], 'rehoop': ['hooper', 'rehoop'], 'rehung': ['hunger', 'rehung'], 'reid': ['dier', 'dire', 'reid', 'ride'], 'reif': ['fire', 'reif', 'rife'], 'reify': ['fiery', 'reify'], 'reign': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reignore': ['erigeron', 'reignore'], 'reillustrate': ['reillustrate', 'ultrasterile'], 'reim': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'reimbody': ['embryoid', 'reimbody'], 'reimpart': ['imparter', 'reimpart'], 'reimplant': ['implanter', 'reimplant'], 'reimply': ['primely', 'reimply'], 'reimport': ['importer', 'promerit', 'reimport'], 'reimpose': ['perisome', 'promisee', 'reimpose'], 'reimpress': ['impresser', 'reimpress'], 'reimpression': ['reimpression', 'repermission'], 'reimprint': ['imprinter', 'reimprint'], 'reimprison': ['imprisoner', 'reimprison'], 'rein': ['neri', 'rein', 'rine'], 'reina': ['erian', 'irena', 'reina'], 'reincentive': ['internecive', 'reincentive'], 'reincite': ['icterine', 'reincite'], 'reincrudate': ['antireducer', 'reincrudate', 'untraceried'], 'reindeer': ['denierer', 'reindeer'], 'reindict': ['indicter', 'indirect', 'reindict'], 'reindue': ['reindue', 'uredine'], 'reinfect': ['frenetic', 'infecter', 'reinfect'], 'reinfer': ['refiner', 'reinfer'], 'reinfest': ['infester', 'reinfest'], 'reinflate': ['interleaf', 'reinflate'], 'reinflict': ['inflicter', 'reinflict'], 'reinform': ['informer', 'reinform', 'reniform'], 'reinhabit': ['inhabiter', 'reinhabit'], 'reins': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'reinsane': ['anserine', 'reinsane'], 'reinsert': ['inserter', 'reinsert'], 'reinsist': ['insister', 'reinsist', 'sinister', 'sisterin'], 'reinspect': ['prescient', 'reinspect'], 'reinspector': ['prosecretin', 'reinspector'], 'reinspirit': ['inspiriter', 'reinspirit'], 'reinstall': ['installer', 'reinstall'], 'reinstation': ['reinstation', 'santorinite'], 'reinstill': ['instiller', 'reinstill'], 'reinstruct': ['instructer', 'intercrust', 'reinstruct'], 'reinsult': ['insulter', 'lustrine', 'reinsult'], 'reintend': ['indenter', 'intender', 'reintend'], 'reinter': ['reinter', 'terrine'], 'reinterest': ['interester', 'reinterest'], 'reinterpret': ['interpreter', 'reinterpret'], 'reinterrupt': ['interrupter', 'reinterrupt'], 'reinterview': ['interviewer', 'reinterview'], 'reintrench': ['intrencher', 'reintrench'], 'reintrude': ['reintrude', 'unretired'], 'reinvent': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'reinvert': ['inverter', 'reinvert', 'trinerve'], 'reinvest': ['reinvest', 'servient'], 'reis': ['reis', 'rise', 'seri', 'sier', 'sire'], 'reit': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'reiter': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'reiterable': ['reiterable', 'reliberate'], 'rejail': ['jailer', 'rejail'], 'rejerk': ['jerker', 'rejerk'], 'rejoin': ['joiner', 'rejoin'], 'rejolt': ['jolter', 'rejolt'], 'rejourney': ['journeyer', 'rejourney'], 'reki': ['erik', 'kier', 'reki'], 'rekick': ['kicker', 'rekick'], 'rekill': ['killer', 'rekill'], 'rekiss': ['kisser', 'rekiss'], 'reknit': ['reknit', 'tinker'], 'reknow': ['knower', 'reknow', 'wroken'], 'rel': ['ler', 'rel'], 'relabel': ['labeler', 'relabel'], 'relace': ['alerce', 'cereal', 'relace'], 'relacquer': ['lacquerer', 'relacquer'], 'relade': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'reladen': ['leander', 'learned', 'reladen'], 'relais': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'relament': ['lamenter', 'relament', 'remantle'], 'relamp': ['lamper', 'palmer', 'relamp'], 'reland': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'relap': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'relapse': ['pleaser', 'preseal', 'relapse'], 'relapsing': ['espringal', 'presignal', 'relapsing'], 'relast': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'relata': ['latera', 'relata'], 'relatability': ['alterability', 'bilaterality', 'relatability'], 'relatable': ['alterable', 'relatable'], 'relatch': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'relate': ['earlet', 'elater', 'relate'], 'related': ['delater', 'related', 'treadle'], 'relater': ['alterer', 'realter', 'relater'], 'relation': ['oriental', 'relation', 'tirolean'], 'relationism': ['misrelation', 'orientalism', 'relationism'], 'relationist': ['orientalist', 'relationist'], 'relative': ['levirate', 'relative'], 'relativization': ['relativization', 'revitalization'], 'relativize': ['relativize', 'revitalize'], 'relator': ['realtor', 'relator'], 'relaunch': ['launcher', 'relaunch'], 'relay': ['early', 'layer', 'relay'], 'relead': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'releap': ['leaper', 'releap', 'repale', 'repeal'], 'relearn': ['learner', 'relearn'], 'releather': ['leatherer', 'releather', 'tarheeler'], 'relection': ['centriole', 'electrion', 'relection'], 'relegate': ['eglatere', 'regelate', 'relegate'], 'relegation': ['regelation', 'relegation'], 'relend': ['lender', 'relend'], 'reletter': ['letterer', 'reletter'], 'relevant': ['levanter', 'relevant', 'revelant'], 'relevation': ['relevation', 'revelation'], 'relevator': ['relevator', 'revelator', 'veratrole'], 'relevel': ['leveler', 'relevel'], 'reliably': ['beryllia', 'reliably'], 'reliance': ['cerealin', 'cinereal', 'reliance'], 'reliant': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'reliantly': ['interally', 'reliantly'], 'reliberate': ['reiterable', 'reliberate'], 'relic': ['crile', 'elric', 'relic'], 'relick': ['licker', 'relick', 'rickle'], 'relicted': ['derelict', 'relicted'], 'relier': ['lierre', 'relier'], 'relieving': ['inveigler', 'relieving'], 'relievo': ['overlie', 'relievo'], 'relift': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'religation': ['genitorial', 'religation'], 'relight': ['lighter', 'relight', 'rightle'], 'relighten': ['lightener', 'relighten', 'threeling'], 'religion': ['ligroine', 'religion'], 'relimit': ['limiter', 'relimit'], 'reline': ['lierne', 'reline'], 'relink': ['linker', 'relink'], 'relish': ['hirsel', 'hirsle', 'relish'], 'relishy': ['relishy', 'shirley'], 'relist': ['lister', 'relist'], 'relisten': ['enlister', 'esterlin', 'listener', 'relisten'], 'relive': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reload': ['loader', 'ordeal', 'reload'], 'reloan': ['lenora', 'loaner', 'orlean', 'reloan'], 'relocation': ['iconolater', 'relocation'], 'relock': ['locker', 'relock'], 'relook': ['looker', 'relook'], 'relose': ['relose', 'resole'], 'relost': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'relot': ['lerot', 'orlet', 'relot'], 'relower': ['lowerer', 'relower'], 'reluct': ['cutler', 'reluct'], 'reluctation': ['countertail', 'reluctation'], 'relumine': ['lemurine', 'meruline', 'relumine'], 'rely': ['lyre', 'rely'], 'remade': ['meader', 'remade'], 'remagnification': ['germanification', 'remagnification'], 'remagnify': ['germanify', 'remagnify'], 'remail': ['mailer', 'remail'], 'remain': ['ermani', 'marine', 'remain'], 'remains': ['remains', 'seminar'], 'remaintain': ['antimerina', 'maintainer', 'remaintain'], 'reman': ['enarm', 'namer', 'reman'], 'remand': ['damner', 'manred', 'randem', 'remand'], 'remanet': ['remanet', 'remeant', 'treeman'], 'remantle': ['lamenter', 'relament', 'remantle'], 'remap': ['amper', 'remap'], 'remarch': ['charmer', 'marcher', 'remarch'], 'remark': ['marker', 'remark'], 'remarket': ['marketer', 'remarket'], 'remarry': ['marryer', 'remarry'], 'remarshal': ['marshaler', 'remarshal'], 'remask': ['masker', 'remask'], 'remass': ['masser', 'remass'], 'remast': ['martes', 'master', 'remast', 'stream'], 'remasticate': ['metrectasia', 'remasticate'], 'rematch': ['matcher', 'rematch'], 'remeant': ['remanet', 'remeant', 'treeman'], 'remede': ['deemer', 'meered', 'redeem', 'remede'], 'remeet': ['meeter', 'remeet', 'teemer'], 'remelt': ['melter', 'remelt'], 'remend': ['mender', 'remend'], 'remetal': ['lameter', 'metaler', 'remetal'], 'remi': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'remication': ['marcionite', 'microtinae', 'remication'], 'remigate': ['emigrate', 'remigate'], 'remigation': ['emigration', 'remigation'], 'remill': ['miller', 'remill'], 'remind': ['minder', 'remind'], 'remint': ['minter', 'remint', 'termin'], 'remiped': ['demirep', 'epiderm', 'impeder', 'remiped'], 'remisrepresent': ['misrepresenter', 'remisrepresent'], 'remission': ['missioner', 'remission'], 'remisunderstand': ['misunderstander', 'remisunderstand'], 'remit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'remittal': ['remittal', 'termital'], 'remittance': ['carminette', 'remittance'], 'remittence': ['centimeter', 'recitement', 'remittence'], 'remitter': ['remitter', 'trimeter'], 'remix': ['mixer', 'remix'], 'remnant': ['manrent', 'remnant'], 'remock': ['mocker', 'remock'], 'remodel': ['demerol', 'modeler', 'remodel'], 'remold': ['dermol', 'molder', 'remold'], 'remontant': ['nonmatter', 'remontant'], 'remontoir': ['interroom', 'remontoir'], 'remop': ['merop', 'moper', 'proem', 'remop'], 'remora': ['remora', 'roamer'], 'remord': ['dormer', 'remord'], 'remote': ['meteor', 'remote'], 'remotive': ['overtime', 'remotive'], 'remould': ['remould', 'ruledom'], 'remount': ['monture', 'mounter', 'remount'], 'removable': ['overblame', 'removable'], 'remunerate': ['remunerate', 'renumerate'], 'remuneration': ['remuneration', 'renumeration'], 'remurmur': ['murmurer', 'remurmur'], 'remus': ['muser', 'remus', 'serum'], 'remuster': ['musterer', 'remuster'], 'renable': ['enabler', 'renable'], 'renably': ['blarney', 'renably'], 'renail': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'renaissance': ['necessarian', 'renaissance'], 'renal': ['learn', 'renal'], 'rename': ['enarme', 'meaner', 'rename'], 'renavigate': ['renavigate', 'vegetarian'], 'rend': ['dern', 'rend'], 'rendition': ['rendition', 'trinodine'], 'reneg': ['genre', 'green', 'neger', 'reneg'], 'renegadism': ['grandeeism', 'renegadism'], 'renegation': ['generation', 'renegation'], 'renege': ['neeger', 'reenge', 'renege'], 'reneger': ['greener', 'regreen', 'reneger'], 'reneglect': ['neglecter', 'reneglect'], 'renerve': ['renerve', 'venerer'], 'renes': ['renes', 'sneer'], 'renet': ['enter', 'neter', 'renet', 'terne', 'treen'], 'reniform': ['informer', 'reinform', 'reniform'], 'renilla': ['ralline', 'renilla'], 'renin': ['inner', 'renin'], 'reniportal': ['interpolar', 'reniportal'], 'renish': ['renish', 'shiner', 'shrine'], 'renitence': ['centenier', 'renitence'], 'renitency': ['nycterine', 'renitency'], 'renitent': ['renitent', 'trentine'], 'renk': ['kern', 'renk'], 'rennet': ['rennet', 'tenner'], 'renography': ['granophyre', 'renography'], 'renominate': ['enantiomer', 'renominate'], 'renotation': ['renotation', 'retonation'], 'renotice': ['erection', 'neoteric', 'nocerite', 'renotice'], 'renourish': ['nourisher', 'renourish'], 'renovate': ['overneat', 'renovate'], 'renovater': ['enervator', 'renovater', 'venerator'], 'renown': ['renown', 'wonner'], 'rent': ['rent', 'tern'], 'rentage': ['grantee', 'greaten', 'reagent', 'rentage'], 'rental': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'rentaler': ['rentaler', 'rerental'], 'rented': ['denter', 'rented', 'tender'], 'rentee': ['entree', 'rentee', 'retene'], 'renter': ['renter', 'rerent'], 'renu': ['renu', 'ruen', 'rune'], 'renumber': ['numberer', 'renumber'], 'renumerate': ['remunerate', 'renumerate'], 'renumeration': ['remuneration', 'renumeration'], 'reobtain': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'reoccasion': ['occasioner', 'reoccasion'], 'reoccupation': ['cornucopiate', 'reoccupation'], 'reoffend': ['offender', 'reoffend'], 'reoffer': ['offerer', 'reoffer'], 'reoil': ['oiler', 'oriel', 'reoil'], 'reopen': ['opener', 'reopen', 'repone'], 'reordain': ['inroader', 'ordainer', 'reordain'], 'reorder': ['orderer', 'reorder'], 'reordinate': ['reordinate', 'treronidae'], 'reornament': ['ornamenter', 'reornament'], 'reoverflow': ['overflower', 'reoverflow'], 'reown': ['owner', 'reown', 'rowen'], 'rep': ['per', 'rep'], 'repack': ['packer', 'repack'], 'repaint': ['painter', 'pertain', 'pterian', 'repaint'], 'repair': ['pairer', 'rapier', 'repair'], 'repairer': ['rareripe', 'repairer'], 'repale': ['leaper', 'releap', 'repale', 'repeal'], 'repand': ['pander', 'repand'], 'repandly': ['panderly', 'repandly'], 'repandous': ['panderous', 'repandous'], 'repanel': ['paneler', 'repanel', 'replane'], 'repaper': ['paperer', 'perpera', 'prepare', 'repaper'], 'reparagraph': ['paragrapher', 'reparagraph'], 'reparation': ['praetorian', 'reparation'], 'repark': ['parker', 'repark'], 'repartee': ['repartee', 'repeater'], 'repartition': ['partitioner', 'repartition'], 'repass': ['passer', 'repass', 'sparse'], 'repasser': ['asperser', 'repasser'], 'repast': ['paster', 'repast', 'trapes'], 'repaste': ['perates', 'repaste', 'sperate'], 'repasture': ['repasture', 'supertare'], 'repatch': ['chapter', 'patcher', 'repatch'], 'repatent': ['pattener', 'repatent'], 'repattern': ['patterner', 'repattern'], 'repawn': ['enwrap', 'pawner', 'repawn'], 'repay': ['apery', 'payer', 'repay'], 'repeal': ['leaper', 'releap', 'repale', 'repeal'], 'repeat': ['petrea', 'repeat', 'retape'], 'repeater': ['repartee', 'repeater'], 'repel': ['leper', 'perle', 'repel'], 'repen': ['neper', 'preen', 'repen'], 'repension': ['pensioner', 'repension'], 'repent': ['perten', 'repent'], 'repentable': ['penetrable', 'repentable'], 'repentance': ['penetrance', 'repentance'], 'repentant': ['penetrant', 'repentant'], 'reperceive': ['prereceive', 'reperceive'], 'repercussion': ['percussioner', 'repercussion'], 'repercussive': ['repercussive', 'superservice'], 'reperform': ['performer', 'prereform', 'reperform'], 'repermission': ['reimpression', 'repermission'], 'repermit': ['premerit', 'preremit', 'repermit'], 'reperplex': ['perplexer', 'reperplex'], 'reperusal': ['pleasurer', 'reperusal'], 'repetition': ['petitioner', 'repetition'], 'rephael': ['preheal', 'rephael'], 'rephase': ['hespera', 'rephase', 'reshape'], 'rephotograph': ['photographer', 'rephotograph'], 'rephrase': ['preshare', 'rephrase'], 'repic': ['price', 'repic'], 'repick': ['picker', 'repick'], 'repiece': ['creepie', 'repiece'], 'repin': ['piner', 'prine', 'repin', 'ripen'], 'repine': ['neiper', 'perine', 'pirene', 'repine'], 'repiner': ['repiner', 'ripener'], 'repiningly': ['repiningly', 'ripeningly'], 'repique': ['perique', 'repique'], 'repitch': ['pitcher', 'repitch'], 'replace': ['percale', 'replace'], 'replait': ['partile', 'plaiter', 'replait'], 'replan': ['parnel', 'planer', 'replan'], 'replane': ['paneler', 'repanel', 'replane'], 'replant': ['pantler', 'planter', 'replant'], 'replantable': ['planetabler', 'replantable'], 'replanter': ['prerental', 'replanter'], 'replaster': ['plasterer', 'replaster'], 'replate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'replay': ['parley', 'pearly', 'player', 'replay'], 'replead': ['pearled', 'pedaler', 'pleader', 'replead'], 'repleader': ['predealer', 'repleader'], 'repleat': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'repleteness': ['repleteness', 'terpeneless'], 'repletion': ['interlope', 'interpole', 'repletion', 'terpineol'], 'repliant': ['interlap', 'repliant', 'triplane'], 'replica': ['caliper', 'picarel', 'replica'], 'replight': ['plighter', 'replight'], 'replod': ['podler', 'polder', 'replod'], 'replot': ['petrol', 'replot'], 'replow': ['plower', 'replow'], 'replum': ['lumper', 'plumer', 'replum', 'rumple'], 'replunder': ['plunderer', 'replunder'], 'reply': ['plyer', 'reply'], 'repocket': ['pocketer', 'repocket'], 'repoint': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'repolish': ['polisher', 'repolish'], 'repoll': ['poller', 'repoll'], 'reponder': ['ponderer', 'reponder'], 'repone': ['opener', 'reopen', 'repone'], 'report': ['porret', 'porter', 'report', 'troper'], 'reportage': ['porterage', 'reportage'], 'reporterism': ['misreporter', 'reporterism'], 'reportion': ['portioner', 'reportion'], 'reposed': ['deposer', 'reposed'], 'reposit': ['periost', 'porites', 'reposit', 'riposte'], 'reposition': ['positioner', 'reposition'], 'repositor': ['posterior', 'repositor'], 'repossession': ['possessioner', 'repossession'], 'repost': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'repot': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'repound': ['pounder', 'repound', 'unroped'], 'repour': ['pourer', 'repour', 'rouper'], 'repowder': ['powderer', 'repowder'], 'repp': ['prep', 'repp'], 'repray': ['prayer', 'repray'], 'repreach': ['preacher', 'repreach'], 'repredict': ['precredit', 'predirect', 'repredict'], 'reprefer': ['prerefer', 'reprefer'], 'represent': ['presenter', 'represent'], 'representationism': ['misrepresentation', 'representationism'], 'repress': ['presser', 'repress'], 'repressive': ['repressive', 'respersive'], 'reprice': ['piercer', 'reprice'], 'reprieval': ['prevailer', 'reprieval'], 'reprime': ['premier', 'reprime'], 'reprint': ['printer', 'reprint'], 'reprise': ['reprise', 'respire'], 'repristination': ['interspiration', 'repristination'], 'reproachable': ['blepharocera', 'reproachable'], 'reprobate': ['perborate', 'prorebate', 'reprobate'], 'reprobation': ['probationer', 'reprobation'], 'reproceed': ['proceeder', 'reproceed'], 'reproclaim': ['proclaimer', 'reproclaim'], 'reproduce': ['procedure', 'reproduce'], 'reproduction': ['proreduction', 'reproduction'], 'reprohibit': ['prohibiter', 'reprohibit'], 'reproof': ['proofer', 'reproof'], 'reproportion': ['proportioner', 'reproportion'], 'reprotection': ['interoceptor', 'reprotection'], 'reprotest': ['protester', 'reprotest'], 'reprovision': ['prorevision', 'provisioner', 'reprovision'], 'reps': ['reps', 'resp'], 'reptant': ['pattern', 'reptant'], 'reptatorial': ['proletariat', 'reptatorial'], 'reptatory': ['protreaty', 'reptatory'], 'reptile': ['perlite', 'reptile'], 'reptilia': ['liparite', 'reptilia'], 'republish': ['publisher', 'republish'], 'repudiatory': ['preauditory', 'repudiatory'], 'repuff': ['puffer', 'repuff'], 'repugn': ['punger', 'repugn'], 'repulpit': ['pulpiter', 'repulpit'], 'repulsion': ['prelusion', 'repulsion'], 'repulsive': ['prelusive', 'repulsive'], 'repulsively': ['prelusively', 'repulsively'], 'repulsory': ['prelusory', 'repulsory'], 'repump': ['pumper', 'repump'], 'repunish': ['punisher', 'repunish'], 'reputative': ['reputative', 'vituperate'], 'repute': ['repute', 'uptree'], 'requench': ['quencher', 'requench'], 'request': ['quester', 'request'], 'requestion': ['questioner', 'requestion'], 'require': ['querier', 'require'], 'requital': ['quartile', 'requital', 'triequal'], 'requite': ['quieter', 'requite'], 'rerack': ['racker', 'rerack'], 'rerail': ['railer', 'rerail'], 'reraise': ['rearise', 'reraise'], 'rerake': ['karree', 'rerake'], 'rerank': ['ranker', 'rerank'], 'rerate': ['rerate', 'retare', 'tearer'], 'reread': ['reader', 'redare', 'reread'], 'rereel': ['reeler', 'rereel'], 'reregister': ['registerer', 'reregister'], 'rerent': ['renter', 'rerent'], 'rerental': ['rentaler', 'rerental'], 'rering': ['erring', 'rering', 'ringer'], 'rerise': ['rerise', 'sirree'], 'rerivet': ['rerivet', 'riveter'], 'rerob': ['borer', 'rerob', 'rober'], 'rerobe': ['rebore', 'rerobe'], 'reroll': ['reroll', 'roller'], 'reroof': ['reroof', 'roofer'], 'reroot': ['reroot', 'rooter', 'torero'], 'rerow': ['rerow', 'rower'], 'rerun': ['rerun', 'runer'], 'resaca': ['ascare', 'caesar', 'resaca'], 'resack': ['resack', 'sacker', 'screak'], 'resail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'resale': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'resalt': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'resanction': ['resanction', 'sanctioner'], 'resaw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'resawer': ['resawer', 'reswear', 'swearer'], 'resay': ['reasy', 'resay', 'sayer', 'seary'], 'rescan': ['casern', 'rescan'], 'rescind': ['discern', 'rescind'], 'rescinder': ['discerner', 'rescinder'], 'rescindment': ['discernment', 'rescindment'], 'rescratch': ['rescratch', 'scratcher'], 'rescuable': ['rescuable', 'securable'], 'rescue': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'rescuer': ['recurse', 'rescuer', 'securer'], 'reseal': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'reseam': ['reseam', 'seamer'], 'research': ['rechaser', 'research', 'searcher'], 'reseat': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'resect': ['resect', 'screet', 'secret'], 'resection': ['resection', 'secretion'], 'resectional': ['resectional', 'secretional'], 'reseda': ['erased', 'reseda', 'seared'], 'resee': ['esere', 'reese', 'resee'], 'reseed': ['reseed', 'seeder'], 'reseek': ['reseek', 'seeker'], 'resell': ['resell', 'seller'], 'resend': ['resend', 'sender'], 'resene': ['resene', 'serene'], 'resent': ['ernest', 'nester', 'resent', 'streen'], 'reservable': ['reservable', 'reversable'], 'reserval': ['reserval', 'reversal', 'slaverer'], 'reserve': ['reserve', 'resever', 'reverse', 'severer'], 'reserved': ['deserver', 'reserved', 'reversed'], 'reservedly': ['reservedly', 'reversedly'], 'reserveful': ['reserveful', 'reverseful'], 'reserveless': ['reserveless', 'reverseless'], 'reserver': ['reserver', 'reverser'], 'reservist': ['reservist', 'reversist'], 'reset': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'resever': ['reserve', 'resever', 'reverse', 'severer'], 'resew': ['resew', 'sewer', 'sweer'], 'resex': ['resex', 'xeres'], 'resh': ['hers', 'resh', 'sher'], 'reshape': ['hespera', 'rephase', 'reshape'], 'reshare': ['reshare', 'reshear', 'shearer'], 'resharpen': ['resharpen', 'sharpener'], 'reshear': ['reshare', 'reshear', 'shearer'], 'reshearer': ['rehearser', 'reshearer'], 'reshift': ['reshift', 'shifter'], 'reshingle': ['englisher', 'reshingle'], 'reship': ['perish', 'reship'], 'reshipment': ['perishment', 'reshipment'], 'reshoot': ['orthose', 'reshoot', 'shooter', 'soother'], 'reshoulder': ['reshoulder', 'shoulderer'], 'reshower': ['reshower', 'showerer'], 'reshun': ['reshun', 'rushen'], 'reshunt': ['reshunt', 'shunter'], 'reshut': ['reshut', 'suther', 'thurse', 'tusher'], 'reside': ['desire', 'reside'], 'resident': ['indesert', 'inserted', 'resident'], 'resider': ['derries', 'desirer', 'resider', 'serried'], 'residua': ['residua', 'ursidae'], 'resift': ['fister', 'resift', 'sifter', 'strife'], 'resigh': ['resigh', 'sigher'], 'resign': ['resign', 'resing', 'signer', 'singer'], 'resignal': ['resignal', 'seringal', 'signaler'], 'resigned': ['designer', 'redesign', 'resigned'], 'resile': ['lisere', 'resile'], 'resiliate': ['israelite', 'resiliate'], 'resilient': ['listerine', 'resilient'], 'resilition': ['isonitrile', 'resilition'], 'resilver': ['resilver', 'silverer', 'sliverer'], 'resin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'resina': ['arisen', 'arsine', 'resina', 'serian'], 'resinate': ['arsenite', 'resinate', 'teresian', 'teresina'], 'resing': ['resign', 'resing', 'signer', 'singer'], 'resinic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'resinize': ['resinize', 'sirenize'], 'resink': ['resink', 'reskin', 'sinker'], 'resinlike': ['resinlike', 'sirenlike'], 'resinoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'resinol': ['resinol', 'serolin'], 'resinous': ['neurosis', 'resinous'], 'resinously': ['neurolysis', 'resinously'], 'resiny': ['resiny', 'sireny'], 'resist': ['resist', 'restis', 'sister'], 'resistable': ['assertible', 'resistable'], 'resistance': ['resistance', 'senatrices'], 'resistful': ['fruitless', 'resistful'], 'resisting': ['resisting', 'sistering'], 'resistless': ['resistless', 'sisterless'], 'resize': ['resize', 'seizer'], 'resketch': ['resketch', 'sketcher'], 'reskin': ['resink', 'reskin', 'sinker'], 'reslash': ['reslash', 'slasher'], 'reslate': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'reslay': ['reslay', 'slayer'], 'reslot': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'resmell': ['resmell', 'smeller'], 'resmelt': ['melters', 'resmelt', 'smelter'], 'resmooth': ['resmooth', 'romeshot', 'smoother'], 'resnap': ['resnap', 'respan', 'snaper'], 'resnatch': ['resnatch', 'snatcher', 'stancher'], 'resoak': ['arkose', 'resoak', 'soaker'], 'resoap': ['resoap', 'soaper'], 'resoften': ['resoften', 'softener'], 'resoil': ['elisor', 'resoil'], 'resojourn': ['resojourn', 'sojourner'], 'resolder': ['resolder', 'solderer'], 'resole': ['relose', 'resole'], 'resolicit': ['resolicit', 'soliciter'], 'resolution': ['resolution', 'solutioner'], 'resonate': ['orestean', 'resonate', 'stearone'], 'resort': ['resort', 'roster', 'sorter', 'storer'], 'resorter': ['resorter', 'restorer', 'retrorse'], 'resound': ['resound', 'sounder', 'unrosed'], 'resource': ['recourse', 'resource'], 'resow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'resp': ['reps', 'resp'], 'respace': ['escaper', 'respace'], 'respade': ['psedera', 'respade'], 'respan': ['resnap', 'respan', 'snaper'], 'respeak': ['respeak', 'speaker'], 'respect': ['respect', 'scepter', 'specter'], 'respectless': ['respectless', 'scepterless'], 'respell': ['presell', 'respell', 'speller'], 'respersive': ['repressive', 'respersive'], 'respin': ['pernis', 'respin', 'sniper'], 'respiration': ['respiration', 'retinispora'], 'respire': ['reprise', 'respire'], 'respirit': ['respirit', 'spiriter'], 'respite': ['respite', 'septier'], 'resplend': ['resplend', 'splender'], 'resplice': ['eclipser', 'pericles', 'resplice'], 'responde': ['personed', 'responde'], 'respondence': ['precondense', 'respondence'], 'responsal': ['apronless', 'responsal'], 'response': ['pessoner', 'response'], 'respot': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'respray': ['respray', 'sprayer'], 'respread': ['respread', 'spreader'], 'respring': ['respring', 'springer'], 'resprout': ['posturer', 'resprout', 'sprouter'], 'respue': ['peruse', 'respue'], 'resqueak': ['resqueak', 'squeaker'], 'ressaut': ['erastus', 'ressaut'], 'rest': ['rest', 'sert', 'stre'], 'restack': ['restack', 'stacker'], 'restaff': ['restaff', 'staffer'], 'restain': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'restake': ['restake', 'sakeret'], 'restamp': ['restamp', 'stamper'], 'restart': ['restart', 'starter'], 'restate': ['estreat', 'restate', 'retaste'], 'resteal': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'resteel': ['reestle', 'resteel', 'steeler'], 'resteep': ['estrepe', 'resteep', 'steeper'], 'restem': ['mester', 'restem', 'temser', 'termes'], 'restep': ['pester', 'preset', 'restep', 'streep'], 'restful': ['fluster', 'restful'], 'restiad': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'restiffen': ['restiffen', 'stiffener'], 'restiform': ['reformist', 'restiform'], 'resting': ['resting', 'stinger'], 'restio': ['restio', 'sorite', 'sortie', 'triose'], 'restis': ['resist', 'restis', 'sister'], 'restitch': ['restitch', 'stitcher'], 'restive': ['restive', 'servite'], 'restock': ['restock', 'stocker'], 'restorer': ['resorter', 'restorer', 'retrorse'], 'restow': ['restow', 'stower', 'towser', 'worset'], 'restowal': ['restowal', 'sealwort'], 'restraighten': ['restraighten', 'straightener'], 'restrain': ['restrain', 'strainer', 'transire'], 'restraint': ['restraint', 'retransit', 'trainster', 'transiter'], 'restream': ['masterer', 'restream', 'streamer'], 'restrengthen': ['restrengthen', 'strengthener'], 'restress': ['restress', 'stresser'], 'restretch': ['restretch', 'stretcher'], 'restring': ['restring', 'ringster', 'stringer'], 'restrip': ['restrip', 'striper'], 'restrive': ['restrive', 'reverist'], 'restuff': ['restuff', 'stuffer'], 'resty': ['resty', 'strey'], 'restyle': ['restyle', 'tersely'], 'resucceed': ['resucceed', 'succeeder'], 'resuck': ['resuck', 'sucker'], 'resue': ['resue', 'reuse'], 'resuffer': ['resuffer', 'sufferer'], 'resuggest': ['resuggest', 'suggester'], 'resuing': ['insurge', 'resuing'], 'resuit': ['isuret', 'resuit'], 'result': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'resulting': ['resulting', 'ulstering'], 'resultless': ['lusterless', 'lustreless', 'resultless'], 'resummon': ['resummon', 'summoner'], 'resun': ['nurse', 'resun'], 'resup': ['purse', 'resup', 'sprue', 'super'], 'resuperheat': ['resuperheat', 'superheater'], 'resupinate': ['interpause', 'resupinate'], 'resupination': ['resupination', 'uranospinite'], 'resupport': ['resupport', 'supporter'], 'resuppose': ['resuppose', 'superpose'], 'resupposition': ['resupposition', 'superposition'], 'resuppress': ['resuppress', 'suppresser'], 'resurrender': ['resurrender', 'surrenderer'], 'resurround': ['resurround', 'surrounder'], 'resuspect': ['resuspect', 'suspecter'], 'resuspend': ['resuspend', 'suspender', 'unpressed'], 'reswallow': ['reswallow', 'swallower'], 'resward': ['drawers', 'resward'], 'reswarm': ['reswarm', 'swarmer'], 'reswear': ['resawer', 'reswear', 'swearer'], 'resweat': ['resweat', 'sweater'], 'resweep': ['resweep', 'sweeper'], 'reswell': ['reswell', 'sweller'], 'reswill': ['reswill', 'swiller'], 'retable': ['bearlet', 'bleater', 'elberta', 'retable'], 'retack': ['racket', 'retack', 'tacker'], 'retag': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'retail': ['lirate', 'retail', 'retial', 'tailer'], 'retailer': ['irrelate', 'retailer'], 'retain': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retainal': ['retainal', 'telarian'], 'retainder': ['irredenta', 'retainder'], 'retainer': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'retaining': ['negritian', 'retaining'], 'retaliate': ['elettaria', 'retaliate'], 'retalk': ['kartel', 'retalk', 'talker'], 'retama': ['ramate', 'retama'], 'retame': ['reetam', 'retame', 'teamer'], 'retan': ['antre', 'arent', 'retan', 'terna'], 'retape': ['petrea', 'repeat', 'retape'], 'retard': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retardent': ['retardent', 'tetrander'], 'retare': ['rerate', 'retare', 'tearer'], 'retaste': ['estreat', 'restate', 'retaste'], 'retax': ['extra', 'retax', 'taxer'], 'retaxation': ['retaxation', 'tetraxonia'], 'retch': ['chert', 'retch'], 'reteach': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'retelegraph': ['retelegraph', 'telegrapher'], 'retell': ['retell', 'teller'], 'retem': ['meter', 'retem'], 'retemper': ['retemper', 'temperer'], 'retempt': ['retempt', 'tempter'], 'retenant': ['retenant', 'tenanter'], 'retender': ['retender', 'tenderer'], 'retene': ['entree', 'rentee', 'retene'], 'retent': ['netter', 'retent', 'tenter'], 'retention': ['intertone', 'retention'], 'retepora': ['perorate', 'retepora'], 'retest': ['retest', 'setter', 'street', 'tester'], 'rethank': ['rethank', 'thanker'], 'rethatch': ['rethatch', 'thatcher'], 'rethaw': ['rethaw', 'thawer', 'wreath'], 'rethe': ['ether', 'rethe', 'theer', 'there', 'three'], 'retheness': ['retheness', 'thereness', 'threeness'], 'rethicken': ['kitchener', 'rethicken', 'thickener'], 'rethink': ['rethink', 'thinker'], 'rethrash': ['rethrash', 'thrasher'], 'rethread': ['rethread', 'threader'], 'rethreaten': ['rethreaten', 'threatener'], 'rethresh': ['rethresh', 'thresher'], 'rethrill': ['rethrill', 'thriller'], 'rethrow': ['rethrow', 'thrower'], 'rethrust': ['rethrust', 'thruster'], 'rethunder': ['rethunder', 'thunderer'], 'retia': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'retial': ['lirate', 'retail', 'retial', 'tailer'], 'reticent': ['reticent', 'tencteri'], 'reticket': ['reticket', 'ticketer'], 'reticula': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'reticular': ['curtailer', 'recruital', 'reticular'], 'retier': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retighten': ['retighten', 'tightener'], 'retill': ['retill', 'rillet', 'tiller'], 'retimber': ['retimber', 'timberer'], 'retime': ['metier', 'retime', 'tremie'], 'retin': ['inert', 'inter', 'niter', 'retin', 'trine'], 'retina': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retinal': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'retinalite': ['retinalite', 'trilineate'], 'retinene': ['internee', 'retinene'], 'retinian': ['neritina', 'retinian'], 'retinispora': ['respiration', 'retinispora'], 'retinite': ['intertie', 'retinite'], 'retinker': ['retinker', 'tinkerer'], 'retinochorioiditis': ['chorioidoretinitis', 'retinochorioiditis'], 'retinoid': ['neritoid', 'retinoid'], 'retinue': ['neurite', 'retinue', 'reunite', 'uterine'], 'retinula': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'retinular': ['retinular', 'trineural'], 'retip': ['perit', 'retip', 'tripe'], 'retiral': ['retiral', 'retrial', 'trailer'], 'retire': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retirer': ['retirer', 'terrier'], 'retistene': ['retistene', 'serinette'], 'retoast': ['retoast', 'rosetta', 'stoater', 'toaster'], 'retold': ['retold', 'rodlet'], 'retomb': ['retomb', 'trombe'], 'retonation': ['renotation', 'retonation'], 'retool': ['looter', 'retool', 'rootle', 'tooler'], 'retooth': ['retooth', 'toother'], 'retort': ['retort', 'retrot', 'rotter'], 'retoss': ['retoss', 'tosser'], 'retouch': ['retouch', 'toucher'], 'retour': ['retour', 'router', 'tourer'], 'retrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'retrack': ['retrack', 'tracker'], 'retractation': ['reattraction', 'retractation'], 'retracted': ['detracter', 'retracted'], 'retraction': ['retraction', 'triaconter'], 'retrad': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retrade': ['derater', 'retrade', 'retread', 'treader'], 'retradition': ['retradition', 'traditioner'], 'retrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'retral': ['retral', 'terral'], 'retramp': ['retramp', 'tramper'], 'retransform': ['retransform', 'transformer'], 'retransit': ['restraint', 'retransit', 'trainster', 'transiter'], 'retransplant': ['retransplant', 'transplanter'], 'retransport': ['retransport', 'transporter'], 'retravel': ['retravel', 'revertal', 'traveler'], 'retread': ['derater', 'retrade', 'retread', 'treader'], 'retreat': ['ettarre', 'retreat', 'treater'], 'retree': ['retree', 'teerer'], 'retrench': ['retrench', 'trencher'], 'retrial': ['retiral', 'retrial', 'trailer'], 'retrim': ['mitrer', 'retrim', 'trimer'], 'retrocaecal': ['accelerator', 'retrocaecal'], 'retrogradient': ['redintegrator', 'retrogradient'], 'retrorse': ['resorter', 'restorer', 'retrorse'], 'retrot': ['retort', 'retrot', 'rotter'], 'retrue': ['retrue', 'ureter'], 'retrust': ['retrust', 'truster'], 'retry': ['retry', 'terry'], 'retter': ['retter', 'terret'], 'retting': ['gittern', 'gritten', 'retting'], 'retube': ['rebute', 'retube'], 'retuck': ['retuck', 'tucker'], 'retune': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'returf': ['returf', 'rufter'], 'return': ['return', 'turner'], 'retuse': ['retuse', 'tereus'], 'retwine': ['enwrite', 'retwine'], 'retwist': ['retwist', 'twister'], 'retzian': ['retzian', 'terzina'], 'reub': ['bure', 'reub', 'rube'], 'reundergo': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'reune': ['enure', 'reune'], 'reunfold': ['flounder', 'reunfold', 'unfolder'], 'reunify': ['reunify', 'unfiery'], 'reunionist': ['reunionist', 'sturionine'], 'reunite': ['neurite', 'retinue', 'reunite', 'uterine'], 'reunpack': ['reunpack', 'unpacker'], 'reuphold': ['reuphold', 'upholder'], 'reupholster': ['reupholster', 'upholsterer'], 'reuplift': ['reuplift', 'uplifter'], 'reuse': ['resue', 'reuse'], 'reutter': ['reutter', 'utterer'], 'revacate': ['acervate', 'revacate'], 'revalidation': ['derivational', 'revalidation'], 'revamp': ['revamp', 'vamper'], 'revarnish': ['revarnish', 'varnisher'], 'reve': ['ever', 'reve', 'veer'], 'reveal': ['laveer', 'leaver', 'reveal', 'vealer'], 'reveil': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'revel': ['elver', 'lever', 'revel'], 'revelant': ['levanter', 'relevant', 'revelant'], 'revelation': ['relevation', 'revelation'], 'revelator': ['relevator', 'revelator', 'veratrole'], 'reveler': ['leverer', 'reveler'], 'revenant': ['revenant', 'venerant'], 'revend': ['revend', 'vender'], 'revender': ['revender', 'reverend'], 'reveneer': ['reveneer', 'veneerer'], 'revent': ['revent', 'venter'], 'revenue': ['revenue', 'unreeve'], 'rever': ['rever', 'verre'], 'reverend': ['revender', 'reverend'], 'reverential': ['interleaver', 'reverential'], 'reverist': ['restrive', 'reverist'], 'revers': ['revers', 'server', 'verser'], 'reversable': ['reservable', 'reversable'], 'reversal': ['reserval', 'reversal', 'slaverer'], 'reverse': ['reserve', 'resever', 'reverse', 'severer'], 'reversed': ['deserver', 'reserved', 'reversed'], 'reversedly': ['reservedly', 'reversedly'], 'reverseful': ['reserveful', 'reverseful'], 'reverseless': ['reserveless', 'reverseless'], 'reverser': ['reserver', 'reverser'], 'reversewise': ['reversewise', 'revieweress'], 'reversi': ['reversi', 'reviser'], 'reversion': ['reversion', 'versioner'], 'reversist': ['reservist', 'reversist'], 'revertal': ['retravel', 'revertal', 'traveler'], 'revest': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'revet': ['evert', 'revet'], 'revete': ['revete', 'tervee'], 'revictual': ['lucrative', 'revictual', 'victualer'], 'review': ['review', 'viewer'], 'revieweress': ['reversewise', 'revieweress'], 'revigorate': ['overgaiter', 'revigorate'], 'revile': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reviling': ['reviling', 'vierling'], 'revisal': ['revisal', 'virales'], 'revise': ['revise', 'siever'], 'revised': ['deviser', 'diverse', 'revised'], 'reviser': ['reversi', 'reviser'], 'revision': ['revision', 'visioner'], 'revisit': ['revisit', 'visiter'], 'revisitant': ['revisitant', 'transitive'], 'revitalization': ['relativization', 'revitalization'], 'revitalize': ['relativize', 'revitalize'], 'revocation': ['overaction', 'revocation'], 'revocative': ['overactive', 'revocative'], 'revoke': ['evoker', 'revoke'], 'revolting': ['overglint', 'revolting'], 'revolute': ['revolute', 'truelove'], 'revolve': ['evolver', 'revolve'], 'revomit': ['revomit', 'vomiter'], 'revote': ['revote', 'vetoer'], 'revuist': ['revuist', 'stuiver'], 'rewade': ['drawee', 'rewade'], 'rewager': ['rewager', 'wagerer'], 'rewake': ['kerewa', 'rewake'], 'rewaken': ['rewaken', 'wakener'], 'rewall': ['rewall', 'waller'], 'rewallow': ['rewallow', 'wallower'], 'reward': ['drawer', 'redraw', 'reward', 'warder'], 'rewarder': ['redrawer', 'rewarder', 'warderer'], 'rewarm': ['rewarm', 'warmer'], 'rewarn': ['rewarn', 'warner', 'warren'], 'rewash': ['hawser', 'rewash', 'washer'], 'rewater': ['rewater', 'waterer'], 'rewave': ['rewave', 'weaver'], 'rewax': ['rewax', 'waxer'], 'reweaken': ['reweaken', 'weakener'], 'rewear': ['rewear', 'warree', 'wearer'], 'rewed': ['dewer', 'ewder', 'rewed'], 'reweigh': ['reweigh', 'weigher'], 'reweld': ['reweld', 'welder'], 'rewet': ['rewet', 'tewer', 'twere'], 'rewhirl': ['rewhirl', 'whirler'], 'rewhisper': ['rewhisper', 'whisperer'], 'rewhiten': ['rewhiten', 'whitener'], 'rewiden': ['rewiden', 'widener'], 'rewin': ['erwin', 'rewin', 'winer'], 'rewind': ['rewind', 'winder'], 'rewish': ['rewish', 'wisher'], 'rewithdraw': ['rewithdraw', 'withdrawer'], 'reword': ['reword', 'worder'], 'rework': ['rework', 'worker'], 'reworked': ['reedwork', 'reworked'], 'rewound': ['rewound', 'unrowed', 'wounder'], 'rewoven': ['overnew', 'rewoven'], 'rewrap': ['prewar', 'rewrap', 'warper'], 'reyield': ['reedily', 'reyield', 'yielder'], 'rhacianectes': ['rachianectes', 'rhacianectes'], 'rhaetian': ['earthian', 'rhaetian'], 'rhaetic': ['certhia', 'rhaetic', 'theriac'], 'rhamnose': ['horseman', 'rhamnose', 'shoreman'], 'rhamnoside': ['admonisher', 'rhamnoside'], 'rhapis': ['parish', 'raphis', 'rhapis'], 'rhapontic': ['anthropic', 'rhapontic'], 'rhaponticin': ['panornithic', 'rhaponticin'], 'rhason': ['rhason', 'sharon', 'shoran'], 'rhatania': ['ratanhia', 'rhatania'], 'rhe': ['her', 'reh', 'rhe'], 'rhea': ['hare', 'hear', 'rhea'], 'rheen': ['herne', 'rheen'], 'rheic': ['cheir', 'rheic'], 'rhein': ['hiren', 'rhein', 'rhine'], 'rheinic': ['hircine', 'rheinic'], 'rhema': ['harem', 'herma', 'rhema'], 'rhematic': ['athermic', 'marchite', 'rhematic'], 'rheme': ['herem', 'rheme'], 'rhemist': ['rhemist', 'smither'], 'rhenium': ['inhumer', 'rhenium'], 'rheometric': ['chirometer', 'rheometric'], 'rheophile': ['herophile', 'rheophile'], 'rheoscope': ['prechoose', 'rheoscope'], 'rheostatic': ['choristate', 'rheostatic'], 'rheotactic': ['rheotactic', 'theocratic'], 'rheotan': ['another', 'athenor', 'rheotan'], 'rheotropic': ['horopteric', 'rheotropic', 'trichopore'], 'rhesian': ['arshine', 'nearish', 'rhesian', 'sherani'], 'rhesus': ['rhesus', 'suresh'], 'rhetor': ['rhetor', 'rother'], 'rhetoricals': ['rhetoricals', 'trochlearis'], 'rhetorize': ['rhetorize', 'theorizer'], 'rheumatic': ['hematuric', 'rheumatic'], 'rhine': ['hiren', 'rhein', 'rhine'], 'rhinestone': ['neornithes', 'rhinestone'], 'rhineura': ['rhineura', 'unhairer'], 'rhinocele': ['cholerine', 'rhinocele'], 'rhinopharyngitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'rhipidate': ['rhipidate', 'thripidae'], 'rhizoctonia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'rhoda': ['hoard', 'rhoda'], 'rhodaline': ['hodiernal', 'rhodaline'], 'rhodanthe': ['rhodanthe', 'thornhead'], 'rhodeose': ['rhodeose', 'seerhood'], 'rhodes': ['dehors', 'rhodes', 'shoder', 'shored'], 'rhodic': ['orchid', 'rhodic'], 'rhodite': ['rhodite', 'theroid'], 'rhodium': ['humidor', 'rhodium'], 'rhodope': ['redhoop', 'rhodope'], 'rhodopsin': ['donorship', 'rhodopsin'], 'rhoecus': ['choreus', 'chouser', 'rhoecus'], 'rhopalic': ['orphical', 'rhopalic'], 'rhus': ['rhus', 'rush'], 'rhynchotal': ['chloranthy', 'rhynchotal'], 'rhyton': ['rhyton', 'thorny'], 'ria': ['air', 'ira', 'ria'], 'rial': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'riancy': ['cairny', 'riancy'], 'riant': ['riant', 'tairn', 'tarin', 'train'], 'riata': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'ribald': ['bildar', 'bridal', 'ribald'], 'ribaldly': ['bridally', 'ribaldly'], 'riband': ['brandi', 'riband'], 'ribat': ['barit', 'ribat'], 'ribbed': ['dibber', 'ribbed'], 'ribber': ['briber', 'ribber'], 'ribble': ['libber', 'ribble'], 'ribbon': ['ribbon', 'robbin'], 'ribe': ['beri', 'bier', 'brei', 'ribe'], 'ribes': ['birse', 'ribes'], 'riblet': ['beltir', 'riblet'], 'ribroast': ['arborist', 'ribroast'], 'ribspare': ['ribspare', 'sparerib'], 'rice': ['eric', 'rice'], 'ricer': ['crier', 'ricer'], 'ricey': ['criey', 'ricey'], 'richardia': ['charadrii', 'richardia'], 'richdom': ['chromid', 'richdom'], 'richen': ['enrich', 'nicher', 'richen'], 'riches': ['riches', 'shicer'], 'richt': ['crith', 'richt'], 'ricine': ['irenic', 'ricine'], 'ricinoleate': ['arenicolite', 'ricinoleate'], 'rickets': ['rickets', 'sticker'], 'rickle': ['licker', 'relick', 'rickle'], 'rictal': ['citral', 'rictal'], 'rictus': ['citrus', 'curtis', 'rictus', 'rustic'], 'ridable': ['bedrail', 'bridale', 'ridable'], 'ridably': ['bardily', 'rabidly', 'ridably'], 'riddam': ['madrid', 'riddam'], 'riddance': ['adendric', 'riddance'], 'riddel': ['lidder', 'riddel', 'riddle'], 'ridden': ['dinder', 'ridden', 'rinded'], 'riddle': ['lidder', 'riddel', 'riddle'], 'ride': ['dier', 'dire', 'reid', 'ride'], 'rideau': ['auride', 'rideau'], 'riden': ['diner', 'riden', 'rinde'], 'rident': ['dirten', 'rident', 'tinder'], 'rider': ['drier', 'rider'], 'ridered': ['deirdre', 'derider', 'derride', 'ridered'], 'ridge': ['dirge', 'gride', 'redig', 'ridge'], 'ridgel': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'ridgelike': ['dirgelike', 'ridgelike'], 'ridger': ['girder', 'ridger'], 'ridging': ['girding', 'ridging'], 'ridgingly': ['girdingly', 'ridgingly'], 'ridgling': ['girdling', 'ridgling'], 'ridgy': ['igdyr', 'ridgy'], 'rie': ['ire', 'rie'], 'riem': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rife': ['fire', 'reif', 'rife'], 'rifeness': ['finesser', 'rifeness'], 'rifle': ['filer', 'flier', 'lifer', 'rifle'], 'rifleman': ['inflamer', 'rifleman'], 'rift': ['frit', 'rift'], 'rigadoon': ['gordonia', 'organoid', 'rigadoon'], 'rigation': ['rigation', 'trigonia'], 'rigbane': ['bearing', 'begrain', 'brainge', 'rigbane'], 'right': ['girth', 'grith', 'right'], 'rightle': ['lighter', 'relight', 'rightle'], 'rigling': ['girling', 'rigling'], 'rigolette': ['gloriette', 'rigolette'], 'rik': ['irk', 'rik'], 'rikisha': ['rikisha', 'shikari'], 'rikk': ['kirk', 'rikk'], 'riksha': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rile': ['lier', 'lire', 'rile'], 'rillet': ['retill', 'rillet', 'tiller'], 'rillett': ['rillett', 'trillet'], 'rillock': ['rillock', 'rollick'], 'rim': ['mir', 'rim'], 'rima': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'rimal': ['armil', 'marli', 'rimal'], 'rimate': ['imaret', 'metria', 'mirate', 'rimate'], 'rime': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rimmed': ['dimmer', 'immerd', 'rimmed'], 'rimose': ['isomer', 'rimose'], 'rimple': ['limper', 'prelim', 'rimple'], 'rimu': ['muir', 'rimu'], 'rimula': ['rimula', 'uramil'], 'rimy': ['miry', 'rimy', 'yirm'], 'rinaldo': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rinceau': ['aneuric', 'rinceau'], 'rincon': ['cornin', 'rincon'], 'rinde': ['diner', 'riden', 'rinde'], 'rinded': ['dinder', 'ridden', 'rinded'], 'rindle': ['linder', 'rindle'], 'rine': ['neri', 'rein', 'rine'], 'ring': ['girn', 'grin', 'ring'], 'ringable': ['balinger', 'ringable'], 'ringe': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ringed': ['engird', 'ringed'], 'ringer': ['erring', 'rering', 'ringer'], 'ringgoer': ['gorgerin', 'ringgoer'], 'ringhead': ['headring', 'ringhead'], 'ringite': ['igniter', 'ringite', 'tigrine'], 'ringle': ['linger', 'ringle'], 'ringlead': ['dragline', 'reginald', 'ringlead'], 'ringlet': ['ringlet', 'tingler', 'tringle'], 'ringster': ['restring', 'ringster', 'stringer'], 'ringtail': ['ringtail', 'trailing'], 'ringy': ['girny', 'ringy'], 'rink': ['kirn', 'rink'], 'rinka': ['inkra', 'krina', 'nakir', 'rinka'], 'rinse': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rio': ['rio', 'roi'], 'riot': ['riot', 'roit', 'trio'], 'rioting': ['ignitor', 'rioting'], 'rip': ['pir', 'rip'], 'ripa': ['pair', 'pari', 'pria', 'ripa'], 'ripal': ['april', 'pilar', 'ripal'], 'ripe': ['peri', 'pier', 'ripe'], 'ripelike': ['pierlike', 'ripelike'], 'ripen': ['piner', 'prine', 'repin', 'ripen'], 'ripener': ['repiner', 'ripener'], 'ripeningly': ['repiningly', 'ripeningly'], 'riper': ['prier', 'riper'], 'ripgut': ['ripgut', 'upgirt'], 'ripost': ['ripost', 'triops', 'tripos'], 'riposte': ['periost', 'porites', 'reposit', 'riposte'], 'rippet': ['rippet', 'tipper'], 'ripple': ['lipper', 'ripple'], 'ripplet': ['ripplet', 'tippler', 'tripple'], 'ripup': ['ripup', 'uprip'], 'rise': ['reis', 'rise', 'seri', 'sier', 'sire'], 'risen': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rishi': ['irish', 'rishi', 'sirih'], 'risk': ['kris', 'risk'], 'risky': ['risky', 'sirky'], 'risper': ['risper', 'sprier'], 'risque': ['risque', 'squire'], 'risquee': ['esquire', 'risquee'], 'rissel': ['rissel', 'rissle'], 'rissle': ['rissel', 'rissle'], 'rissoa': ['aissor', 'rissoa'], 'rist': ['rist', 'stir'], 'rit': ['rit', 'tri'], 'rita': ['airt', 'rita', 'tari', 'tiar'], 'rite': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'riteless': ['riteless', 'tireless'], 'ritelessness': ['ritelessness', 'tirelessness'], 'ritling': ['glitnir', 'ritling'], 'ritualize': ['ritualize', 'uralitize'], 'riva': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'rivage': ['argive', 'rivage'], 'rival': ['rival', 'viral'], 'rive': ['rive', 'veri', 'vier', 'vire'], 'rivel': ['levir', 'liver', 'livre', 'rivel'], 'riven': ['riven', 'viner'], 'rivered': ['deriver', 'redrive', 'rivered'], 'rivet': ['rivet', 'tirve', 'tiver'], 'riveter': ['rerivet', 'riveter'], 'rivetless': ['rivetless', 'silvester'], 'riving': ['irving', 'riving', 'virgin'], 'rivingly': ['rivingly', 'virginly'], 'rivose': ['rivose', 'virose'], 'riyal': ['lairy', 'riyal'], 'ro': ['or', 'ro'], 'roach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'road': ['dora', 'orad', 'road'], 'roadability': ['adorability', 'roadability'], 'roadable': ['adorable', 'roadable'], 'roader': ['adorer', 'roader'], 'roading': ['gordian', 'idorgan', 'roading'], 'roadite': ['roadite', 'toadier'], 'roadman': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'roadster': ['dartrose', 'roadster'], 'roam': ['amor', 'maro', 'mora', 'omar', 'roam'], 'roamage': ['georama', 'roamage'], 'roamer': ['remora', 'roamer'], 'roaming': ['ingomar', 'moringa', 'roaming'], 'roan': ['nora', 'orna', 'roan'], 'roast': ['astor', 'roast'], 'roastable': ['astrolabe', 'roastable'], 'roasting': ['orangist', 'organist', 'roasting', 'signator'], 'rob': ['bor', 'orb', 'rob'], 'robalo': ['barolo', 'robalo'], 'roband': ['bandor', 'bondar', 'roband'], 'robbin': ['ribbon', 'robbin'], 'robe': ['boer', 'bore', 'robe'], 'rober': ['borer', 'rerob', 'rober'], 'roberd': ['border', 'roberd'], 'roberta': ['arboret', 'roberta', 'taborer'], 'robin': ['biron', 'inorb', 'robin'], 'robinet': ['bornite', 'robinet'], 'robing': ['boring', 'robing'], 'roble': ['blore', 'roble'], 'robot': ['boort', 'robot'], 'robotian': ['abortion', 'robotian'], 'robotism': ['bimotors', 'robotism'], 'robur': ['burro', 'robur', 'rubor'], 'roc': ['cor', 'cro', 'orc', 'roc'], 'rochea': ['chorea', 'ochrea', 'rochea'], 'rochet': ['hector', 'rochet', 'tocher', 'troche'], 'rock': ['cork', 'rock'], 'rocker': ['corker', 'recork', 'rocker'], 'rocketer': ['rocketer', 'rocktree'], 'rockiness': ['corkiness', 'rockiness'], 'rocking': ['corking', 'rocking'], 'rockish': ['corkish', 'rockish'], 'rocktree': ['rocketer', 'rocktree'], 'rockwood': ['corkwood', 'rockwood', 'woodrock'], 'rocky': ['corky', 'rocky'], 'rocta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'rod': ['dor', 'rod'], 'rode': ['doer', 'redo', 'rode', 'roed'], 'rodentia': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'rodential': ['lorandite', 'rodential'], 'rodinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rodingite': ['negritoid', 'rodingite'], 'rodless': ['drossel', 'rodless'], 'rodlet': ['retold', 'rodlet'], 'rodman': ['random', 'rodman'], 'rodney': ['rodney', 'yonder'], 'roe': ['oer', 'ore', 'roe'], 'roed': ['doer', 'redo', 'rode', 'roed'], 'roey': ['oyer', 'roey', 'yore'], 'rog': ['gor', 'rog'], 'rogan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rogative': ['ravigote', 'rogative'], 'roger': ['gorer', 'roger'], 'roggle': ['logger', 'roggle'], 'rogue': ['orgue', 'rogue', 'rouge'], 'rohan': ['nahor', 'norah', 'rohan'], 'rohob': ['bohor', 'rohob'], 'rohun': ['huron', 'rohun'], 'roi': ['rio', 'roi'], 'roid': ['dori', 'roid'], 'roil': ['loir', 'lori', 'roil'], 'roister': ['roister', 'storier'], 'roit': ['riot', 'roit', 'trio'], 'rok': ['kor', 'rok'], 'roka': ['karo', 'kora', 'okra', 'roka'], 'roke': ['kore', 'roke'], 'rokey': ['rokey', 'yoker'], 'roky': ['kory', 'roky', 'york'], 'roland': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'rolandic': ['ironclad', 'rolandic'], 'role': ['lore', 'orle', 'role'], 'rolfe': ['forel', 'rolfe'], 'roller': ['reroll', 'roller'], 'rollick': ['rillock', 'rollick'], 'romaean': ['neorama', 'romaean'], 'romain': ['marion', 'romain'], 'romaine': ['moraine', 'romaine'], 'romal': ['molar', 'moral', 'romal'], 'roman': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'romancist': ['narcotism', 'romancist'], 'romancy': ['acronym', 'romancy'], 'romandom': ['monodram', 'romandom'], 'romane': ['enamor', 'monera', 'oreman', 'romane'], 'romanes': ['masoner', 'romanes'], 'romanian': ['maronian', 'romanian'], 'romanic': ['amicron', 'marconi', 'minorca', 'romanic'], 'romanist': ['maronist', 'romanist'], 'romanistic': ['marcionist', 'romanistic'], 'romanite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'romanity': ['minatory', 'romanity'], 'romanly': ['almonry', 'romanly'], 'romantic': ['macrotin', 'romantic'], 'romanticly': ['matrocliny', 'romanticly'], 'romantism': ['matronism', 'romantism'], 'rome': ['mero', 'more', 'omer', 'rome'], 'romeite': ['moieter', 'romeite'], 'romeo': ['moore', 'romeo'], 'romero': ['romero', 'roomer'], 'romeshot': ['resmooth', 'romeshot', 'smoother'], 'romeward': ['marrowed', 'romeward'], 'romic': ['micro', 'moric', 'romic'], 'romish': ['hirmos', 'romish'], 'rompish': ['orphism', 'rompish'], 'ron': ['nor', 'ron'], 'ronald': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'roncet': ['conter', 'cornet', 'cronet', 'roncet'], 'ronco': ['conor', 'croon', 'ronco'], 'rond': ['dorn', 'rond'], 'rondache': ['anchored', 'rondache'], 'ronde': ['drone', 'ronde'], 'rondeau': ['rondeau', 'unoared'], 'rondel': ['rondel', 'rondle'], 'rondelet': ['redolent', 'rondelet'], 'rondeletia': ['delineator', 'rondeletia'], 'rondelle': ['enrolled', 'rondelle'], 'rondle': ['rondel', 'rondle'], 'rondo': ['donor', 'rondo'], 'rondure': ['rondure', 'rounder', 'unorder'], 'rone': ['oner', 'rone'], 'ronga': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rood': ['door', 'odor', 'oord', 'rood'], 'roodstone': ['doorstone', 'roodstone'], 'roofer': ['reroof', 'roofer'], 'rooflet': ['footler', 'rooflet'], 'rook': ['kroo', 'rook'], 'rooker': ['korero', 'rooker'], 'rool': ['loro', 'olor', 'orlo', 'rool'], 'room': ['moor', 'moro', 'room'], 'roomage': ['moorage', 'roomage'], 'roomed': ['doomer', 'mooder', 'redoom', 'roomed'], 'roomer': ['romero', 'roomer'], 'roomlet': ['roomlet', 'tremolo'], 'roomstead': ['astrodome', 'roomstead'], 'roomward': ['roomward', 'wardroom'], 'roomy': ['moory', 'roomy'], 'roost': ['roost', 'torso'], 'root': ['root', 'roto', 'toro'], 'rooter': ['reroot', 'rooter', 'torero'], 'rootle': ['looter', 'retool', 'rootle', 'tooler'], 'rootlet': ['rootlet', 'tootler'], 'rootworm': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'rope': ['pore', 'rope'], 'ropeable': ['operable', 'ropeable'], 'ropelike': ['porelike', 'ropelike'], 'ropeman': ['manrope', 'ropeman'], 'roper': ['porer', 'prore', 'roper'], 'ropes': ['poser', 'prose', 'ropes', 'spore'], 'ropiness': ['poriness', 'pression', 'ropiness'], 'roping': ['poring', 'roping'], 'ropp': ['prop', 'ropp'], 'ropy': ['pory', 'pyro', 'ropy'], 'roquet': ['quoter', 'roquet', 'torque'], 'rosa': ['asor', 'rosa', 'soar', 'sora'], 'rosabel': ['borlase', 'labrose', 'rosabel'], 'rosal': ['rosal', 'solar', 'soral'], 'rosales': ['lassoer', 'oarless', 'rosales'], 'rosalie': ['rosalie', 'seriola'], 'rosaniline': ['enaliornis', 'rosaniline'], 'rosated': ['rosated', 'torsade'], 'rose': ['eros', 'rose', 'sero', 'sore'], 'roseal': ['roseal', 'solera'], 'rosed': ['doser', 'rosed'], 'rosehead': ['rosehead', 'sorehead'], 'roseine': ['erinose', 'roseine'], 'rosel': ['loser', 'orsel', 'rosel', 'soler'], 'roselite': ['literose', 'roselite', 'tirolese'], 'roselle': ['orselle', 'roselle'], 'roseola': ['aerosol', 'roseola'], 'roset': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rosetan': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'rosetime': ['rosetime', 'timorese', 'tiresome'], 'rosetta': ['retoast', 'rosetta', 'stoater', 'toaster'], 'rosette': ['rosette', 'tetrose'], 'rosetum': ['oestrum', 'rosetum'], 'rosety': ['oyster', 'rosety'], 'rosin': ['ornis', 'rosin'], 'rosinate': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'rosine': ['rosine', 'senior', 'soneri'], 'rosiness': ['insessor', 'rosiness'], 'rosmarine': ['morrisean', 'rosmarine'], 'rosolite': ['oestriol', 'rosolite'], 'rosorial': ['rosorial', 'sororial'], 'rossite': ['rossite', 'sorites'], 'rostel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'roster': ['resort', 'roster', 'sorter', 'storer'], 'rostra': ['rostra', 'sartor'], 'rostrate': ['rostrate', 'trostera'], 'rosulate': ['oestrual', 'rosulate'], 'rosy': ['rosy', 'sory'], 'rot': ['ort', 'rot', 'tor'], 'rota': ['rota', 'taro', 'tora'], 'rotacism': ['acrotism', 'rotacism'], 'rotal': ['latro', 'rotal', 'toral'], 'rotala': ['aortal', 'rotala'], 'rotalian': ['notarial', 'rational', 'rotalian'], 'rotan': ['orant', 'rotan', 'toran', 'trona'], 'rotanev': ['rotanev', 'venator'], 'rotarian': ['rotarian', 'tornaria'], 'rotate': ['rotate', 'tetrao'], 'rotch': ['chort', 'rotch', 'torch'], 'rote': ['rote', 'tore'], 'rotella': ['reallot', 'rotella', 'tallero'], 'rotge': ['ergot', 'rotge'], 'rother': ['rhetor', 'rother'], 'roto': ['root', 'roto', 'toro'], 'rotse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rottan': ['attorn', 'ratton', 'rottan'], 'rotten': ['rotten', 'terton'], 'rotter': ['retort', 'retrot', 'rotter'], 'rottle': ['lotter', 'rottle', 'tolter'], 'rotula': ['rotula', 'torula'], 'rotulian': ['rotulian', 'uranotil'], 'rotuliform': ['rotuliform', 'toruliform'], 'rotulus': ['rotulus', 'torulus'], 'rotund': ['rotund', 'untrod'], 'rotunda': ['rotunda', 'tandour'], 'rotundate': ['rotundate', 'unrotated'], 'rotundifoliate': ['rotundifoliate', 'titanofluoride'], 'rotundo': ['orotund', 'rotundo'], 'roub': ['buro', 'roub'], 'roud': ['dour', 'duro', 'ordu', 'roud'], 'rouge': ['orgue', 'rogue', 'rouge'], 'rougeot': ['outgoer', 'rougeot'], 'roughen': ['enrough', 'roughen'], 'roughie': ['higuero', 'roughie'], 'rouky': ['rouky', 'yurok'], 'roulade': ['roulade', 'urodela'], 'rounce': ['conure', 'rounce', 'uncore'], 'rounded': ['redound', 'rounded', 'underdo'], 'roundel': ['durenol', 'lounder', 'roundel'], 'rounder': ['rondure', 'rounder', 'unorder'], 'roundhead': ['roundhead', 'unhoarded'], 'roundseam': ['meandrous', 'roundseam'], 'roundup': ['roundup', 'unproud'], 'roup': ['pour', 'roup'], 'rouper': ['pourer', 'repour', 'rouper'], 'roupet': ['pouter', 'roupet', 'troupe'], 'rousedness': ['rousedness', 'souredness'], 'rouser': ['rouser', 'sourer'], 'rousing': ['nigrous', 'rousing', 'souring'], 'rousseau': ['eosaurus', 'rousseau'], 'roust': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'rouster': ['rouster', 'trouser'], 'rousting': ['rousting', 'stouring'], 'rout': ['rout', 'toru', 'tour'], 'route': ['outer', 'outre', 'route'], 'router': ['retour', 'router', 'tourer'], 'routh': ['routh', 'throu'], 'routhie': ['outhire', 'routhie'], 'routine': ['routine', 'tueiron'], 'routing': ['outgrin', 'outring', 'routing', 'touring'], 'routinist': ['introitus', 'routinist'], 'rove': ['over', 'rove'], 'rovet': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'row': ['row', 'wro'], 'rowdily': ['rowdily', 'wordily'], 'rowdiness': ['rowdiness', 'wordiness'], 'rowdy': ['dowry', 'rowdy', 'wordy'], 'rowed': ['dower', 'rowed'], 'rowel': ['lower', 'owler', 'rowel'], 'rowelhead': ['rowelhead', 'wheelroad'], 'rowen': ['owner', 'reown', 'rowen'], 'rower': ['rerow', 'rower'], 'rowet': ['rowet', 'tower', 'wrote'], 'rowing': ['ingrow', 'rowing'], 'rowlet': ['rowlet', 'trowel', 'wolter'], 'rowley': ['lowery', 'owlery', 'rowley', 'yowler'], 'roxy': ['oryx', 'roxy'], 'roy': ['ory', 'roy', 'yor'], 'royalist': ['royalist', 'solitary'], 'royet': ['royet', 'toyer'], 'royt': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rua': ['aru', 'rua', 'ura'], 'ruana': ['anura', 'ruana'], 'rub': ['bur', 'rub'], 'rubasse': ['rubasse', 'surbase'], 'rubato': ['outbar', 'rubato', 'tabour'], 'rubbed': ['dubber', 'rubbed'], 'rubble': ['burble', 'lubber', 'rubble'], 'rubbler': ['burbler', 'rubbler'], 'rubbly': ['burbly', 'rubbly'], 'rube': ['bure', 'reub', 'rube'], 'rubella': ['rubella', 'rulable'], 'rubescent': ['rubescent', 'subcenter'], 'rubiate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'rubiator': ['rubiator', 'torrubia'], 'rubican': ['brucina', 'rubican'], 'rubied': ['burdie', 'buried', 'rubied'], 'rubification': ['rubification', 'urbification'], 'rubify': ['rubify', 'urbify'], 'rubine': ['burnie', 'rubine'], 'ruble': ['bluer', 'brule', 'burel', 'ruble'], 'rubor': ['burro', 'robur', 'rubor'], 'rubrical': ['bicrural', 'rubrical'], 'ruby': ['bury', 'ruby'], 'ructation': ['anticourt', 'curtation', 'ructation'], 'ruction': ['courtin', 'ruction'], 'rud': ['rud', 'urd'], 'rudas': ['rudas', 'sudra'], 'ruddle': ['dudler', 'ruddle'], 'rude': ['duer', 'dure', 'rude', 'urde'], 'rudish': ['hurdis', 'rudish'], 'rudista': ['dasturi', 'rudista'], 'rudity': ['durity', 'rudity'], 'rue': ['rue', 'ure'], 'ruen': ['renu', 'ruen', 'rune'], 'ruffed': ['duffer', 'ruffed'], 'rufter': ['returf', 'rufter'], 'rug': ['gur', 'rug'], 'ruga': ['gaur', 'guar', 'ruga'], 'rugate': ['argute', 'guetar', 'rugate', 'tuareg'], 'rugged': ['grudge', 'rugged'], 'ruggle': ['gurgle', 'lugger', 'ruggle'], 'rugose': ['grouse', 'rugose'], 'ruinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'ruination': ['ruination', 'urination'], 'ruinator': ['ruinator', 'urinator'], 'ruined': ['diurne', 'inured', 'ruined', 'unride'], 'ruing': ['irgun', 'ruing', 'unrig'], 'ruinous': ['ruinous', 'urinous'], 'ruinousness': ['ruinousness', 'urinousness'], 'rulable': ['rubella', 'rulable'], 'rule': ['lure', 'rule'], 'ruledom': ['remould', 'ruledom'], 'ruler': ['lurer', 'ruler'], 'ruling': ['ruling', 'urling'], 'rulingly': ['luringly', 'rulingly'], 'rum': ['mru', 'rum'], 'rumal': ['mural', 'rumal'], 'ruman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'rumble': ['lumber', 'rumble', 'umbrel'], 'rumelian': ['lemurian', 'malurine', 'rumelian'], 'rumex': ['murex', 'rumex'], 'ruminant': ['nutramin', 'ruminant'], 'ruminator': ['antirumor', 'ruminator'], 'rumly': ['murly', 'rumly'], 'rumple': ['lumper', 'plumer', 'replum', 'rumple'], 'run': ['run', 'urn'], 'runback': ['backrun', 'runback'], 'runby': ['burny', 'runby'], 'runch': ['churn', 'runch'], 'runcinate': ['encurtain', 'runcinate', 'uncertain'], 'rundale': ['launder', 'rundale'], 'rundi': ['rundi', 'unrid'], 'rundlet': ['rundlet', 'trundle'], 'rune': ['renu', 'ruen', 'rune'], 'runed': ['runed', 'under', 'unred'], 'runer': ['rerun', 'runer'], 'runfish': ['furnish', 'runfish'], 'rung': ['grun', 'rung'], 'runic': ['curin', 'incur', 'runic'], 'runically': ['runically', 'unlyrical'], 'runite': ['runite', 'triune', 'uniter', 'untire'], 'runkly': ['knurly', 'runkly'], 'runlet': ['runlet', 'turnel'], 'runnet': ['runnet', 'tunner', 'unrent'], 'runout': ['outrun', 'runout'], 'runover': ['overrun', 'runover'], 'runt': ['runt', 'trun', 'turn'], 'runted': ['runted', 'tunder', 'turned'], 'runtee': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'runway': ['runway', 'unwary'], 'rupa': ['prau', 'rupa'], 'rupee': ['puree', 'rupee'], 'rupestrian': ['rupestrian', 'supertrain'], 'rupiah': ['hairup', 'rupiah'], 'rural': ['rural', 'urlar'], 'rus': ['rus', 'sur', 'urs'], 'rusa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ruscus': ['cursus', 'ruscus'], 'ruse': ['ruse', 'suer', 'sure', 'user'], 'rush': ['rhus', 'rush'], 'rushen': ['reshun', 'rushen'], 'rusine': ['insure', 'rusine', 'ursine'], 'rusma': ['musar', 'ramus', 'rusma', 'surma'], 'rusot': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'russelia': ['russelia', 'siruelas'], 'russet': ['russet', 'tusser'], 'russify': ['fissury', 'russify'], 'russine': ['russine', 'serinus', 'sunrise'], 'rustable': ['baluster', 'rustable'], 'rustic': ['citrus', 'curtis', 'rictus', 'rustic'], 'rusticial': ['curialist', 'rusticial'], 'rusticly': ['crustily', 'rusticly'], 'rusticness': ['crustiness', 'rusticness'], 'rustle': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'rustling': ['lustring', 'rustling'], 'rustly': ['rustly', 'sultry'], 'rut': ['rut', 'tur'], 'ruta': ['ruta', 'taur'], 'rutch': ['cruth', 'rutch'], 'rutelian': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'rutelinae': ['lineature', 'rutelinae'], 'ruth': ['hurt', 'ruth'], 'ruthenian': ['hunterian', 'ruthenian'], 'ruther': ['hurter', 'ruther'], 'ruthful': ['hurtful', 'ruthful'], 'ruthfully': ['hurtfully', 'ruthfully'], 'ruthfulness': ['hurtfulness', 'ruthfulness'], 'ruthless': ['hurtless', 'ruthless'], 'ruthlessly': ['hurtlessly', 'ruthlessly'], 'ruthlessness': ['hurtlessness', 'ruthlessness'], 'rutilant': ['rutilant', 'turntail'], 'rutinose': ['rutinose', 'tursenoi'], 'rutter': ['rutter', 'turret'], 'rutyl': ['rutyl', 'truly'], 'rutylene': ['neuterly', 'rutylene'], 'ryal': ['aryl', 'lyra', 'ryal', 'yarl'], 'ryder': ['derry', 'redry', 'ryder'], 'rye': ['rye', 'yer'], 'ryen': ['ryen', 'yern'], 'ryot': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rype': ['prey', 'pyre', 'rype'], 'rytina': ['rytina', 'trainy', 'tyrian'], 'sa': ['as', 'sa'], 'saa': ['asa', 'saa'], 'saan': ['anas', 'ansa', 'saan'], 'sab': ['bas', 'sab'], 'saba': ['abas', 'saba'], 'sabal': ['balas', 'balsa', 'basal', 'sabal'], 'saban': ['nasab', 'saban'], 'sabanut': ['sabanut', 'sabutan', 'tabanus'], 'sabe': ['base', 'besa', 'sabe', 'seba'], 'sabeca': ['casabe', 'sabeca'], 'sabella': ['basella', 'sabella', 'salable'], 'sabelli': ['sabelli', 'sebilla'], 'sabellid': ['sabellid', 'slidable'], 'saber': ['barse', 'besra', 'saber', 'serab'], 'sabered': ['debaser', 'sabered'], 'sabian': ['sabian', 'sabina'], 'sabina': ['sabian', 'sabina'], 'sabino': ['basion', 'bonsai', 'sabino'], 'sabir': ['baris', 'sabir'], 'sable': ['blase', 'sable'], 'saboraim': ['ambrosia', 'saboraim'], 'sabot': ['basto', 'boast', 'sabot'], 'sabotine': ['obeisant', 'sabotine'], 'sabromin': ['ambrosin', 'barosmin', 'sabromin'], 'sabulite': ['sabulite', 'suitable'], 'sabutan': ['sabanut', 'sabutan', 'tabanus'], 'sacalait': ['castalia', 'sacalait'], 'saccade': ['cascade', 'saccade'], 'saccomyian': ['saccomyian', 'saccomyina'], 'saccomyina': ['saccomyian', 'saccomyina'], 'sacculoutricular': ['sacculoutricular', 'utriculosaccular'], 'sacellum': ['camellus', 'sacellum'], 'sachem': ['sachem', 'schema'], 'sachet': ['chaste', 'sachet', 'scathe', 'scheat'], 'sacian': ['ascian', 'sacian', 'scania', 'sicana'], 'sack': ['cask', 'sack'], 'sackbut': ['sackbut', 'subtack'], 'sacken': ['sacken', 'skance'], 'sacker': ['resack', 'sacker', 'screak'], 'sacking': ['casking', 'sacking'], 'sacklike': ['casklike', 'sacklike'], 'sacque': ['casque', 'sacque'], 'sacral': ['lascar', 'rascal', 'sacral', 'scalar'], 'sacrification': ['sacrification', 'scarification'], 'sacrificator': ['sacrificator', 'scarificator'], 'sacripant': ['sacripant', 'spartanic'], 'sacro': ['arcos', 'crosa', 'oscar', 'sacro'], 'sacrodorsal': ['dorsosacral', 'sacrodorsal'], 'sacroischiac': ['isosaccharic', 'sacroischiac'], 'sacrolumbal': ['lumbosacral', 'sacrolumbal'], 'sacrovertebral': ['sacrovertebral', 'vertebrosacral'], 'sad': ['das', 'sad'], 'sadden': ['desand', 'sadden', 'sanded'], 'saddling': ['addlings', 'saddling'], 'sadh': ['dash', 'sadh', 'shad'], 'sadhe': ['deash', 'hades', 'sadhe', 'shade'], 'sadic': ['asdic', 'sadic'], 'sadie': ['aides', 'aside', 'sadie'], 'sadiron': ['sadiron', 'sardoin'], 'sado': ['dosa', 'sado', 'soda'], 'sadr': ['sadr', 'sard'], 'saeima': ['asemia', 'saeima'], 'saernaite': ['arseniate', 'saernaite'], 'saeter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'saeume': ['amusee', 'saeume'], 'safar': ['safar', 'saraf'], 'safely': ['fayles', 'safely'], 'saft': ['fast', 'saft'], 'sag': ['gas', 'sag'], 'sagai': ['sagai', 'saiga'], 'sagene': ['sagene', 'senega'], 'sagger': ['sagger', 'seggar'], 'sagless': ['gasless', 'glasses', 'sagless'], 'sago': ['sago', 'soga'], 'sagoin': ['gosain', 'isagon', 'sagoin'], 'sagra': ['argas', 'sagra'], 'sah': ['ash', 'sah', 'sha'], 'saharic': ['arachis', 'asiarch', 'saharic'], 'sahh': ['hash', 'sahh', 'shah'], 'sahidic': ['hasidic', 'sahidic'], 'sahme': ['sahme', 'shame'], 'saho': ['saho', 'shoa'], 'sai': ['sai', 'sia'], 'saic': ['acis', 'asci', 'saic'], 'said': ['dais', 'dasi', 'disa', 'said', 'sida'], 'saidi': ['saidi', 'saiid'], 'saiga': ['sagai', 'saiga'], 'saiid': ['saidi', 'saiid'], 'sail': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sailable': ['isabella', 'sailable'], 'sailage': ['algesia', 'sailage'], 'sailed': ['aisled', 'deasil', 'ladies', 'sailed'], 'sailer': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'sailing': ['aisling', 'sailing'], 'sailoring': ['sailoring', 'signorial'], 'sailsman': ['nasalism', 'sailsman'], 'saily': ['islay', 'saily'], 'saim': ['mias', 'saim', 'siam', 'sima'], 'sain': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sainfoin': ['sainfoin', 'sinfonia'], 'saint': ['saint', 'satin', 'stain'], 'saintdom': ['donatism', 'saintdom'], 'sainted': ['destain', 'instead', 'sainted', 'satined'], 'saintless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'saintlike': ['kleistian', 'saintlike', 'satinlike'], 'saintly': ['nastily', 'saintly', 'staynil'], 'saintship': ['hispanist', 'saintship'], 'saip': ['apis', 'pais', 'pasi', 'saip'], 'saiph': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'sair': ['rais', 'sair', 'sari'], 'saite': ['saite', 'taise'], 'saithe': ['saithe', 'tashie', 'teaish'], 'saitic': ['isatic', 'saitic'], 'saivism': ['saivism', 'sivaism'], 'sak': ['ask', 'sak'], 'saka': ['asak', 'kasa', 'saka'], 'sake': ['sake', 'seak'], 'sakeen': ['sakeen', 'sekane'], 'sakel': ['alkes', 'sakel', 'slake'], 'saker': ['asker', 'reask', 'saker', 'sekar'], 'sakeret': ['restake', 'sakeret'], 'sakha': ['kasha', 'khasa', 'sakha', 'shaka'], 'saki': ['saki', 'siak', 'sika'], 'sal': ['las', 'sal', 'sla'], 'salable': ['basella', 'sabella', 'salable'], 'salably': ['basally', 'salably'], 'salaceta': ['catalase', 'salaceta'], 'salacot': ['coastal', 'salacot'], 'salading': ['salading', 'salangid'], 'salago': ['aglaos', 'salago'], 'salamandarin': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrian': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrina': ['salamandarin', 'salamandrian', 'salamandrina'], 'salangid': ['salading', 'salangid'], 'salariat': ['alastair', 'salariat'], 'salat': ['atlas', 'salat', 'salta'], 'salay': ['asyla', 'salay', 'sayal'], 'sale': ['elsa', 'sale', 'seal', 'slae'], 'salele': ['salele', 'sallee'], 'salep': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'saleratus': ['assaulter', 'reassault', 'saleratus'], 'salian': ['anisal', 'nasial', 'salian', 'salina'], 'salic': ['lacis', 'salic'], 'salicin': ['incisal', 'salicin'], 'salicylide': ['salicylide', 'scylliidae'], 'salience': ['salience', 'secaline'], 'salient': ['elastin', 'salient', 'saltine', 'slainte'], 'salimeter': ['misrelate', 'salimeter'], 'salimetry': ['mysterial', 'salimetry'], 'salina': ['anisal', 'nasial', 'salian', 'salina'], 'saline': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'salinoterreous': ['salinoterreous', 'soliterraneous'], 'salite': ['isleta', 'litsea', 'salite', 'stelai'], 'salited': ['distale', 'salited'], 'saliva': ['saliva', 'salvia'], 'salivan': ['salivan', 'slavian'], 'salivant': ['navalist', 'salivant'], 'salivate': ['salivate', 'vestalia'], 'salle': ['salle', 'sella'], 'sallee': ['salele', 'sallee'], 'sallet': ['sallet', 'stella', 'talles'], 'sallow': ['sallow', 'swallo'], 'salm': ['alms', 'salm', 'slam'], 'salma': ['salma', 'samal'], 'salmine': ['malines', 'salmine', 'selamin', 'seminal'], 'salmis': ['missal', 'salmis'], 'salmo': ['salmo', 'somal'], 'salmonsite': ['assoilment', 'salmonsite'], 'salome': ['melosa', 'salome', 'semola'], 'salometer': ['elastomer', 'salometer'], 'salon': ['salon', 'sloan', 'solan'], 'saloon': ['alonso', 'alsoon', 'saloon'], 'salp': ['salp', 'slap'], 'salpa': ['palas', 'salpa'], 'salpidae': ['palisade', 'salpidae'], 'salpoid': ['psaloid', 'salpoid'], 'salt': ['last', 'salt', 'slat'], 'salta': ['atlas', 'salat', 'salta'], 'saltary': ['astylar', 'saltary'], 'saltation': ['saltation', 'stational'], 'salted': ['desalt', 'salted'], 'saltee': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'salter': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'saltern': ['saltern', 'starnel', 'sternal'], 'saltery': ['saltery', 'stearyl'], 'saltier': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'saltine': ['elastin', 'salient', 'saltine', 'slainte'], 'saltiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'salting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'saltish': ['saltish', 'slatish'], 'saltly': ['lastly', 'saltly'], 'saltness': ['lastness', 'saltness'], 'saltometer': ['rattlesome', 'saltometer'], 'saltus': ['saltus', 'tussal'], 'saltwife': ['flatwise', 'saltwife'], 'salty': ['lasty', 'salty', 'slaty'], 'salung': ['lugnas', 'salung'], 'salute': ['salute', 'setula'], 'saluter': ['arustle', 'estrual', 'saluter', 'saulter'], 'salva': ['salva', 'valsa', 'vasal'], 'salve': ['salve', 'selva', 'slave', 'valse'], 'salver': ['salver', 'serval', 'slaver', 'versal'], 'salvia': ['saliva', 'salvia'], 'salvy': ['salvy', 'sylva'], 'sam': ['mas', 'sam', 'sma'], 'samal': ['salma', 'samal'], 'saman': ['manas', 'saman'], 'samani': ['samani', 'samian'], 'samaritan': ['samaritan', 'sarmatian'], 'samas': ['amass', 'assam', 'massa', 'samas'], 'sambal': ['balsam', 'sambal'], 'sambo': ['ambos', 'sambo'], 'same': ['asem', 'mesa', 'same', 'seam'], 'samel': ['amsel', 'melas', 'mesal', 'samel'], 'samely': ['measly', 'samely'], 'samen': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'samh': ['mash', 'samh', 'sham'], 'samian': ['samani', 'samian'], 'samiel': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'samir': ['maris', 'marsi', 'samir', 'simar'], 'samisen': ['samisen', 'samsien'], 'samish': ['samish', 'sisham'], 'samite': ['samite', 'semita', 'tamise', 'teaism'], 'sammer': ['mamers', 'sammer'], 'sammier': ['amerism', 'asimmer', 'sammier'], 'samnani': ['ananism', 'samnani'], 'samnite': ['atenism', 'inmeats', 'insteam', 'samnite'], 'samoan': ['monasa', 'samoan'], 'samothere': ['heartsome', 'samothere'], 'samoyed': ['samoyed', 'someday'], 'samphire': ['samphire', 'seraphim'], 'sampi': ['apism', 'sampi'], 'sampler': ['lampers', 'sampler'], 'samsien': ['samisen', 'samsien'], 'samskara': ['makassar', 'samskara'], 'samucan': ['manacus', 'samucan'], 'samuel': ['amelus', 'samuel'], 'sanability': ['insatiably', 'sanability'], 'sanai': ['asian', 'naias', 'sanai'], 'sanand': ['sanand', 'sandan'], 'sanche': ['encash', 'sanche'], 'sanct': ['sanct', 'scant'], 'sanction': ['canonist', 'sanction', 'sonantic'], 'sanctioner': ['resanction', 'sanctioner'], 'sanctity': ['sanctity', 'scantity'], 'sandak': ['sandak', 'skanda'], 'sandan': ['sanand', 'sandan'], 'sandarac': ['carandas', 'sandarac'], 'sandawe': ['sandawe', 'weasand'], 'sanded': ['desand', 'sadden', 'sanded'], 'sanderling': ['sanderling', 'slandering'], 'sandflower': ['flandowser', 'sandflower'], 'sandhi': ['danish', 'sandhi'], 'sandra': ['nasard', 'sandra'], 'sandworm': ['sandworm', 'swordman', 'wordsman'], 'sane': ['anes', 'sane', 'sean'], 'sanetch': ['chasten', 'sanetch'], 'sang': ['sang', 'snag'], 'sanga': ['gasan', 'sanga'], 'sangar': ['argans', 'sangar'], 'sangei': ['easing', 'sangei'], 'sanger': ['angers', 'sanger', 'serang'], 'sangrel': ['sangrel', 'snagrel'], 'sanhita': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'sanicle': ['celsian', 'escalin', 'sanicle', 'secalin'], 'sanies': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sanious': ['sanious', 'suasion'], 'sanitate': ['astatine', 'sanitate'], 'sanitize': ['sanitize', 'satinize'], 'sanity': ['sanity', 'satiny'], 'sank': ['kans', 'sank'], 'sankha': ['kashan', 'sankha'], 'sannup': ['pannus', 'sannup', 'unsnap', 'unspan'], 'sanpoil': ['sanpoil', 'spaniol'], 'sansei': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sansi': ['sansi', 'sasin'], 'sant': ['nast', 'sant', 'stan'], 'santa': ['santa', 'satan'], 'santal': ['aslant', 'lansat', 'natals', 'santal'], 'santali': ['lanista', 'santali'], 'santalin': ['annalist', 'santalin'], 'santee': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'santiago': ['agonista', 'santiago'], 'santimi': ['animist', 'santimi'], 'santir': ['instar', 'santir', 'strain'], 'santon': ['santon', 'sonant', 'stanno'], 'santorinite': ['reinstation', 'santorinite'], 'sap': ['asp', 'sap', 'spa'], 'sapan': ['pasan', 'sapan'], 'sapek': ['sapek', 'speak'], 'saperda': ['aspread', 'saperda'], 'saphena': ['aphanes', 'saphena'], 'sapid': ['sapid', 'spaid'], 'sapient': ['panties', 'sapient', 'spinate'], 'sapiential': ['antilipase', 'sapiential'], 'sapin': ['pisan', 'sapin', 'spina'], 'sapinda': ['anapsid', 'sapinda'], 'saple': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sapling': ['lapsing', 'sapling'], 'sapo': ['asop', 'sapo', 'soap'], 'sapor': ['psora', 'sapor', 'sarpo'], 'saporous': ['asporous', 'saporous'], 'sapota': ['sapota', 'taposa'], 'sapotilha': ['hapalotis', 'sapotilha'], 'sapphire': ['papisher', 'sapphire'], 'sapples': ['papless', 'sapples'], 'sapremia': ['aspermia', 'sapremia'], 'sapremic': ['aspermic', 'sapremic'], 'saprine': ['persian', 'prasine', 'saprine'], 'saprolite': ['posterial', 'saprolite'], 'saprolitic': ['polaristic', 'poristical', 'saprolitic'], 'sapropel': ['prolapse', 'sapropel'], 'sapropelic': ['periscopal', 'sapropelic'], 'saprophagous': ['prasophagous', 'saprophagous'], 'sapwort': ['postwar', 'sapwort'], 'sar': ['ras', 'sar'], 'sara': ['rasa', 'sara'], 'saraad': ['saraad', 'sarada'], 'sarada': ['saraad', 'sarada'], 'saraf': ['safar', 'saraf'], 'sarah': ['asarh', 'raash', 'sarah'], 'saran': ['ansar', 'saran', 'sarna'], 'sarangi': ['giansar', 'sarangi'], 'sarcenet': ['reascent', 'sarcenet'], 'sarcine': ['arsenic', 'cerasin', 'sarcine'], 'sarcitis': ['sarcitis', 'triassic'], 'sarcle': ['sarcle', 'scaler', 'sclera'], 'sarcoadenoma': ['adenosarcoma', 'sarcoadenoma'], 'sarcocarcinoma': ['carcinosarcoma', 'sarcocarcinoma'], 'sarcoid': ['sarcoid', 'scaroid'], 'sarcoline': ['censorial', 'sarcoline'], 'sarcolite': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sarcoplast': ['postsacral', 'sarcoplast'], 'sarcotic': ['acrostic', 'sarcotic', 'socratic'], 'sard': ['sadr', 'sard'], 'sardian': ['andrias', 'sardian', 'sarinda'], 'sardine': ['andries', 'isander', 'sardine'], 'sardoin': ['sadiron', 'sardoin'], 'sardonic': ['draconis', 'sardonic'], 'sare': ['arse', 'rase', 'sare', 'sear', 'sera'], 'sargonide': ['grandiose', 'sargonide'], 'sari': ['rais', 'sair', 'sari'], 'sarif': ['farsi', 'sarif'], 'sarigue': ['ergusia', 'gerusia', 'sarigue'], 'sarinda': ['andrias', 'sardian', 'sarinda'], 'sarip': ['paris', 'parsi', 'sarip'], 'sark': ['askr', 'kras', 'sark'], 'sarkine': ['kerasin', 'sarkine'], 'sarkit': ['rastik', 'sarkit', 'straik'], 'sarmatian': ['samaritan', 'sarmatian'], 'sarment': ['sarment', 'smarten'], 'sarmentous': ['sarmentous', 'tarsonemus'], 'sarna': ['ansar', 'saran', 'sarna'], 'sarod': ['sarod', 'sorda'], 'saron': ['arson', 'saron', 'sonar'], 'saronic': ['arsonic', 'saronic'], 'sarpo': ['psora', 'sapor', 'sarpo'], 'sarra': ['arras', 'sarra'], 'sarsenet': ['assenter', 'reassent', 'sarsenet'], 'sarsi': ['arsis', 'sarsi'], 'sart': ['sart', 'star', 'stra', 'tars', 'tsar'], 'sartain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'sartish': ['sartish', 'shastri'], 'sartor': ['rostra', 'sartor'], 'sasan': ['nassa', 'sasan'], 'sasin': ['sansi', 'sasin'], 'sasine': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sat': ['ast', 'sat'], 'satan': ['santa', 'satan'], 'satanical': ['castalian', 'satanical'], 'satanism': ['mantissa', 'satanism'], 'sate': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'sateen': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'sateless': ['sateless', 'seatless'], 'satelles': ['satelles', 'tessella'], 'satellite': ['satellite', 'telestial'], 'satiable': ['bisaltae', 'satiable'], 'satiate': ['isatate', 'satiate', 'taetsia'], 'satieno': ['aeonist', 'asiento', 'satieno'], 'satient': ['atenist', 'instate', 'satient', 'steatin'], 'satin': ['saint', 'satin', 'stain'], 'satine': ['satine', 'tisane'], 'satined': ['destain', 'instead', 'sainted', 'satined'], 'satinette': ['enstatite', 'intestate', 'satinette'], 'satinite': ['satinite', 'sittinae'], 'satinize': ['sanitize', 'satinize'], 'satinlike': ['kleistian', 'saintlike', 'satinlike'], 'satiny': ['sanity', 'satiny'], 'satire': ['satire', 'striae'], 'satirical': ['racialist', 'satirical'], 'satirist': ['satirist', 'tarsitis'], 'satrae': ['astare', 'satrae'], 'satrapic': ['aspartic', 'satrapic'], 'satron': ['asnort', 'satron'], 'sattle': ['latest', 'sattle', 'taslet'], 'sattva': ['sattva', 'tavast'], 'saturable': ['balaustre', 'saturable'], 'saturation': ['saturation', 'titanosaur'], 'saturator': ['saturator', 'tartarous'], 'saturn': ['saturn', 'unstar'], 'saturnale': ['alaternus', 'saturnale'], 'saturnalia': ['australian', 'saturnalia'], 'saturnia': ['asturian', 'austrian', 'saturnia'], 'saturnine': ['neustrian', 'saturnine', 'sturninae'], 'saturnism': ['saturnism', 'surmisant'], 'satyr': ['satyr', 'stary', 'stray', 'trasy'], 'satyrlike': ['satyrlike', 'streakily'], 'sauce': ['cause', 'sauce'], 'sauceless': ['causeless', 'sauceless'], 'sauceline': ['sauceline', 'seleucian'], 'saucer': ['causer', 'saucer'], 'sauger': ['sauger', 'usager'], 'saugh': ['agush', 'saugh'], 'saul': ['saul', 'sula'], 'sauld': ['aldus', 'sauld'], 'sault': ['latus', 'sault', 'talus'], 'saulter': ['arustle', 'estrual', 'saluter', 'saulter'], 'saum': ['masu', 'musa', 'saum'], 'sauna': ['nasua', 'sauna'], 'saur': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'saura': ['arusa', 'saura', 'usara'], 'saurian': ['saurian', 'suriana'], 'saury': ['saury', 'surya'], 'sausage': ['assuage', 'sausage'], 'saut': ['saut', 'tasu', 'utas'], 'sauve': ['sauve', 'suave'], 'save': ['aves', 'save', 'vase'], 'savin': ['savin', 'sivan'], 'saviour': ['saviour', 'various'], 'savor': ['savor', 'sorva'], 'savored': ['oversad', 'savored'], 'saw': ['saw', 'swa', 'was'], 'sawah': ['awash', 'sawah'], 'sawali': ['aswail', 'sawali'], 'sawback': ['backsaw', 'sawback'], 'sawbuck': ['bucksaw', 'sawbuck'], 'sawer': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sawing': ['aswing', 'sawing'], 'sawish': ['sawish', 'siwash'], 'sawn': ['sawn', 'snaw', 'swan'], 'sawt': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'sawyer': ['sawyer', 'swayer'], 'saxe': ['axes', 'saxe', 'seax'], 'saxten': ['saxten', 'sextan'], 'say': ['say', 'yas'], 'sayal': ['asyla', 'salay', 'sayal'], 'sayer': ['reasy', 'resay', 'sayer', 'seary'], 'sayid': ['daisy', 'sayid'], 'scabbler': ['scabbler', 'scrabble'], 'scabies': ['abscise', 'scabies'], 'scaddle': ['scaddle', 'scalded'], 'scaean': ['anaces', 'scaean'], 'scala': ['calas', 'casal', 'scala'], 'scalar': ['lascar', 'rascal', 'sacral', 'scalar'], 'scalded': ['scaddle', 'scalded'], 'scale': ['alces', 'casel', 'scale'], 'scalena': ['escalan', 'scalena'], 'scalene': ['cleanse', 'scalene'], 'scaler': ['sarcle', 'scaler', 'sclera'], 'scallola': ['callosal', 'scallola'], 'scalloper': ['procellas', 'scalloper'], 'scaloni': ['nicolas', 'scaloni'], 'scalp': ['clasp', 'scalp'], 'scalper': ['clasper', 'reclasp', 'scalper'], 'scalping': ['clasping', 'scalping'], 'scalpture': ['prescutal', 'scalpture'], 'scaly': ['aclys', 'scaly'], 'scambler': ['scambler', 'scramble'], 'scampish': ['scampish', 'scaphism'], 'scania': ['ascian', 'sacian', 'scania', 'sicana'], 'scant': ['sanct', 'scant'], 'scantity': ['sanctity', 'scantity'], 'scantle': ['asclent', 'scantle'], 'scape': ['capes', 'scape', 'space'], 'scapeless': ['scapeless', 'spaceless'], 'scapha': ['pascha', 'scapha'], 'scaphander': ['handscrape', 'scaphander'], 'scaphism': ['scampish', 'scaphism'], 'scaphite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'scaphopod': ['podoscaph', 'scaphopod'], 'scapoid': ['psoadic', 'scapoid', 'sciapod'], 'scapolite': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'scappler': ['scappler', 'scrapple'], 'scapula': ['capsula', 'pascual', 'scapula'], 'scapular': ['capsular', 'scapular'], 'scapulated': ['capsulated', 'scapulated'], 'scapulectomy': ['capsulectomy', 'scapulectomy'], 'scarab': ['barsac', 'scarab'], 'scarcement': ['marcescent', 'scarcement'], 'scare': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scarification': ['sacrification', 'scarification'], 'scarificator': ['sacrificator', 'scarificator'], 'scarily': ['scarily', 'scraily'], 'scarlet': ['scarlet', 'sclater'], 'scarn': ['scarn', 'scran'], 'scaroid': ['sarcoid', 'scaroid'], 'scarp': ['craps', 'scarp', 'scrap'], 'scarping': ['scarping', 'scraping'], 'scart': ['scart', 'scrat'], 'scarth': ['scarth', 'scrath', 'starch'], 'scary': ['ascry', 'scary', 'scray'], 'scase': ['casse', 'scase'], 'scat': ['acts', 'cast', 'scat'], 'scathe': ['chaste', 'sachet', 'scathe', 'scheat'], 'scatterer': ['scatterer', 'streetcar'], 'scaturient': ['incrustate', 'scaturient', 'scrutinate'], 'scaum': ['camus', 'musca', 'scaum', 'sumac'], 'scaur': ['cursa', 'scaur'], 'scaut': ['scaut', 'scuta'], 'scavel': ['calves', 'scavel'], 'scawl': ['scawl', 'sclaw'], 'sceat': ['caste', 'sceat'], 'scene': ['cense', 'scene', 'sence'], 'scenery': ['scenery', 'screeny'], 'scented': ['descent', 'scented'], 'scepter': ['respect', 'scepter', 'specter'], 'sceptered': ['sceptered', 'spectered'], 'scepterless': ['respectless', 'scepterless'], 'sceptral': ['sceptral', 'scraplet', 'spectral'], 'sceptry': ['precyst', 'sceptry', 'spectry'], 'scerne': ['censer', 'scerne', 'screen', 'secern'], 'schalmei': ['camelish', 'schalmei'], 'scheat': ['chaste', 'sachet', 'scathe', 'scheat'], 'schema': ['sachem', 'schema'], 'schematic': ['catechism', 'schematic'], 'scheme': ['scheme', 'smeech'], 'schemer': ['chermes', 'schemer'], 'scho': ['cosh', 'scho'], 'scholae': ['oscheal', 'scholae'], 'schone': ['cheson', 'chosen', 'schone'], 'schooltime': ['chilostome', 'schooltime'], 'schout': ['schout', 'scouth'], 'schute': ['schute', 'tusche'], 'sciaenoid': ['oniscidae', 'oscinidae', 'sciaenoid'], 'scian': ['canis', 'scian'], 'sciapod': ['psoadic', 'scapoid', 'sciapod'], 'sciara': ['carisa', 'sciara'], 'sciarid': ['cidaris', 'sciarid'], 'sciatic': ['ascitic', 'sciatic'], 'sciatical': ['ascitical', 'sciatical'], 'scient': ['encist', 'incest', 'insect', 'scient'], 'sciential': ['elasticin', 'inelastic', 'sciential'], 'scillitan': ['scillitan', 'scintilla'], 'scintilla': ['scillitan', 'scintilla'], 'scintle': ['lentisc', 'scintle', 'stencil'], 'scion': ['oscin', 'scion', 'sonic'], 'sciot': ['ostic', 'sciot', 'stoic'], 'sciotherical': ['ischiorectal', 'sciotherical'], 'scious': ['scious', 'socius'], 'scirenga': ['creasing', 'scirenga'], 'scirpus': ['prussic', 'scirpus'], 'scissortail': ['scissortail', 'solaristics'], 'sciurine': ['incisure', 'sciurine'], 'sciuroid': ['dioscuri', 'sciuroid'], 'sclate': ['castle', 'sclate'], 'sclater': ['scarlet', 'sclater'], 'sclaw': ['scawl', 'sclaw'], 'sclera': ['sarcle', 'scaler', 'sclera'], 'sclere': ['sclere', 'screel'], 'scleria': ['scleria', 'sercial'], 'sclerite': ['sclerite', 'silcrete'], 'sclerodermite': ['dermosclerite', 'sclerodermite'], 'scleromata': ['clamatores', 'scleromata'], 'sclerose': ['coreless', 'sclerose'], 'sclerospora': ['prolacrosse', 'sclerospora'], 'sclerote': ['corselet', 'sclerote', 'selector'], 'sclerotia': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sclerotial': ['cloisteral', 'sclerotial'], 'sclerotinia': ['intersocial', 'orleanistic', 'sclerotinia'], 'sclerotium': ['closterium', 'sclerotium'], 'sclerotomy': ['mycosterol', 'sclerotomy'], 'scoad': ['cados', 'scoad'], 'scob': ['bosc', 'scob'], 'scobicular': ['scobicular', 'scrobicula'], 'scolia': ['colias', 'scolia', 'social'], 'scolion': ['scolion', 'solonic'], 'scombrine': ['becrimson', 'scombrine'], 'scone': ['cones', 'scone'], 'scooper': ['coprose', 'scooper'], 'scoot': ['coost', 'scoot'], 'scopa': ['posca', 'scopa'], 'scoparin': ['parsonic', 'scoparin'], 'scope': ['copse', 'pecos', 'scope'], 'scopidae': ['diascope', 'psocidae', 'scopidae'], 'scopine': ['psocine', 'scopine'], 'scopiped': ['podiceps', 'scopiped'], 'scopoline': ['niloscope', 'scopoline'], 'scorbutical': ['scorbutical', 'subcortical'], 'scorbutically': ['scorbutically', 'subcortically'], 'score': ['corse', 'score'], 'scorer': ['scorer', 'sorcer'], 'scoriae': ['coraise', 'scoriae'], 'scorpidae': ['carpiodes', 'scorpidae'], 'scorpiones': ['procession', 'scorpiones'], 'scorpionic': ['orniscopic', 'scorpionic'], 'scorse': ['cessor', 'crosse', 'scorse'], 'scortation': ['cartoonist', 'scortation'], 'scot': ['cost', 'scot'], 'scotale': ['alecost', 'lactose', 'scotale', 'talcose'], 'scote': ['coset', 'estoc', 'scote'], 'scoter': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'scotia': ['isotac', 'scotia'], 'scotism': ['cosmist', 'scotism'], 'scotomatic': ['osmotactic', 'scotomatic'], 'scotty': ['cytost', 'scotty'], 'scoup': ['copus', 'scoup'], 'scour': ['cours', 'scour'], 'scoured': ['coursed', 'scoured'], 'scourer': ['courser', 'scourer'], 'scourge': ['scourge', 'scrouge'], 'scourger': ['scourger', 'scrouger'], 'scouring': ['coursing', 'scouring'], 'scouth': ['schout', 'scouth'], 'scrabble': ['scabbler', 'scrabble'], 'scrabe': ['braces', 'scrabe'], 'scrae': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scraily': ['scarily', 'scraily'], 'scramble': ['scambler', 'scramble'], 'scran': ['scarn', 'scran'], 'scrap': ['craps', 'scarp', 'scrap'], 'scrape': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'scrapie': ['epacris', 'scrapie', 'serapic'], 'scraping': ['scarping', 'scraping'], 'scraplet': ['sceptral', 'scraplet', 'spectral'], 'scrapple': ['scappler', 'scrapple'], 'scrat': ['scart', 'scrat'], 'scratcher': ['rescratch', 'scratcher'], 'scrath': ['scarth', 'scrath', 'starch'], 'scray': ['ascry', 'scary', 'scray'], 'screak': ['resack', 'sacker', 'screak'], 'screaming': ['germanics', 'screaming'], 'screamy': ['armscye', 'screamy'], 'scree': ['scree', 'secre'], 'screel': ['sclere', 'screel'], 'screen': ['censer', 'scerne', 'screen', 'secern'], 'screenless': ['censerless', 'screenless'], 'screeny': ['scenery', 'screeny'], 'screet': ['resect', 'screet', 'secret'], 'screwdrive': ['drivescrew', 'screwdrive'], 'scrieve': ['cerevis', 'scrieve', 'service'], 'scrike': ['scrike', 'sicker'], 'scrip': ['crisp', 'scrip'], 'scripee': ['precise', 'scripee'], 'scripula': ['scripula', 'spicular'], 'scrobicula': ['scobicular', 'scrobicula'], 'scrota': ['arctos', 'castor', 'costar', 'scrota'], 'scrouge': ['scourge', 'scrouge'], 'scrouger': ['scourger', 'scrouger'], 'scrout': ['scrout', 'scruto'], 'scroyle': ['cryosel', 'scroyle'], 'scruf': ['scruf', 'scurf'], 'scruffle': ['scruffle', 'scuffler'], 'scruple': ['scruple', 'sculper'], 'scrutate': ['crustate', 'scrutate'], 'scrutation': ['crustation', 'scrutation'], 'scrutinant': ['incrustant', 'scrutinant'], 'scrutinate': ['incrustate', 'scaturient', 'scrutinate'], 'scruto': ['scrout', 'scruto'], 'scudi': ['scudi', 'sudic'], 'scuffler': ['scruffle', 'scuffler'], 'sculper': ['scruple', 'sculper'], 'sculpin': ['insculp', 'sculpin'], 'scup': ['cusp', 'scup'], 'scur': ['crus', 'scur'], 'scurf': ['scruf', 'scurf'], 'scusation': ['cosustain', 'scusation'], 'scuta': ['scaut', 'scuta'], 'scutal': ['scutal', 'suclat'], 'scute': ['cetus', 'scute'], 'scutifer': ['fusteric', 'scutifer'], 'scutigeral': ['gesticular', 'scutigeral'], 'scutula': ['auscult', 'scutula'], 'scye': ['scye', 'syce'], 'scylliidae': ['salicylide', 'scylliidae'], 'scyllium': ['clumsily', 'scyllium'], 'scyphi': ['physic', 'scyphi'], 'scyphomancy': ['psychomancy', 'scyphomancy'], 'scyt': ['cyst', 'scyt'], 'scythe': ['chesty', 'scythe'], 'scytitis': ['cystitis', 'scytitis'], 'se': ['es', 'se'], 'sea': ['aes', 'ase', 'sea'], 'seadog': ['dosage', 'seadog'], 'seagirt': ['seagirt', 'strigae'], 'seah': ['seah', 'shea'], 'seak': ['sake', 'seak'], 'seal': ['elsa', 'sale', 'seal', 'slae'], 'sealable': ['leasable', 'sealable'], 'sealch': ['cashel', 'laches', 'sealch'], 'sealer': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'sealet': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'sealing': ['leasing', 'sealing'], 'sealwort': ['restowal', 'sealwort'], 'seam': ['asem', 'mesa', 'same', 'seam'], 'seamanite': ['anamesite', 'seamanite'], 'seamark': ['kamares', 'seamark'], 'seamer': ['reseam', 'seamer'], 'seamlet': ['maltese', 'seamlet'], 'seamlike': ['mesalike', 'seamlike'], 'seamrend': ['redesman', 'seamrend'], 'seamster': ['masseter', 'seamster'], 'seamus': ['assume', 'seamus'], 'sean': ['anes', 'sane', 'sean'], 'seance': ['encase', 'seance', 'seneca'], 'seaplane': ['seaplane', 'spelaean'], 'seaport': ['esparto', 'petrosa', 'seaport'], 'sear': ['arse', 'rase', 'sare', 'sear', 'sera'], 'searce': ['cesare', 'crease', 'recase', 'searce'], 'searcer': ['creaser', 'searcer'], 'search': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'searcher': ['rechaser', 'research', 'searcher'], 'searchment': ['manchester', 'searchment'], 'searcloth': ['clathrose', 'searcloth'], 'seared': ['erased', 'reseda', 'seared'], 'searer': ['eraser', 'searer'], 'searing': ['searing', 'seringa'], 'seary': ['reasy', 'resay', 'sayer', 'seary'], 'seaside': ['disease', 'seaside'], 'seat': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'seated': ['seated', 'sedate'], 'seater': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'seating': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'seatless': ['sateless', 'seatless'], 'seatrain': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'seatron': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'seave': ['eaves', 'evase', 'seave'], 'seax': ['axes', 'saxe', 'seax'], 'seba': ['base', 'besa', 'sabe', 'seba'], 'sebastian': ['bassanite', 'sebastian'], 'sebilla': ['sabelli', 'sebilla'], 'sebum': ['embus', 'sebum'], 'secalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'secaline': ['salience', 'secaline'], 'secant': ['ascent', 'secant', 'stance'], 'secern': ['censer', 'scerne', 'screen', 'secern'], 'secernent': ['secernent', 'sentencer'], 'secondar': ['endosarc', 'secondar'], 'secos': ['cosse', 'secos'], 'secpar': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'secre': ['scree', 'secre'], 'secret': ['resect', 'screet', 'secret'], 'secretarian': ['ascertainer', 'reascertain', 'secretarian'], 'secretion': ['resection', 'secretion'], 'secretional': ['resectional', 'secretional'], 'sect': ['cest', 'sect'], 'sectarian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'sectarianism': ['cartesianism', 'sectarianism'], 'section': ['contise', 'noetics', 'section'], 'sectism': ['sectism', 'smectis'], 'sector': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'sectorial': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sectroid': ['decorist', 'sectroid'], 'securable': ['rescuable', 'securable'], 'securance': ['recusance', 'securance'], 'secure': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'securer': ['recurse', 'rescuer', 'securer'], 'sedan': ['sedan', 'snead'], 'sedanier': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'sedat': ['sedat', 'stade', 'stead'], 'sedate': ['seated', 'sedate'], 'sedation': ['astonied', 'sedation'], 'sederunt': ['sederunt', 'underset', 'undesert', 'unrested'], 'sedile': ['diesel', 'sedile', 'seidel'], 'sedimetric': ['sedimetric', 'semidirect'], 'sedimetrical': ['decimestrial', 'sedimetrical'], 'sedition': ['desition', 'sedition'], 'sedulity': ['dysluite', 'sedulity'], 'sedum': ['mused', 'sedum'], 'seedbird': ['birdseed', 'seedbird'], 'seeded': ['deseed', 'seeded'], 'seeder': ['reseed', 'seeder'], 'seedlip': ['pelides', 'seedlip'], 'seeing': ['seeing', 'signee'], 'seek': ['kees', 'seek', 'skee'], 'seeker': ['reseek', 'seeker'], 'seel': ['else', 'lees', 'seel', 'sele', 'slee'], 'seem': ['mese', 'seem', 'seme', 'smee'], 'seemer': ['emerse', 'seemer'], 'seen': ['ense', 'esne', 'nese', 'seen', 'snee'], 'seenu': ['ensue', 'seenu', 'unsee'], 'seer': ['erse', 'rees', 'seer', 'sere'], 'seerband': ['seerband', 'serabend'], 'seerhand': ['denshare', 'seerhand'], 'seerhood': ['rhodeose', 'seerhood'], 'seership': ['hesperis', 'seership'], 'seething': ['seething', 'sheeting'], 'seg': ['ges', 'seg'], 'seggar': ['sagger', 'seggar'], 'seggard': ['daggers', 'seggard'], 'sego': ['goes', 'sego'], 'segolate': ['gelatose', 'segolate'], 'segreant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'seid': ['desi', 'ides', 'seid', 'side'], 'seidel': ['diesel', 'sedile', 'seidel'], 'seignioral': ['seignioral', 'seignorial'], 'seignoral': ['gasoliner', 'seignoral'], 'seignorial': ['seignioral', 'seignorial'], 'seine': ['insee', 'seine'], 'seiner': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'seise': ['essie', 'seise'], 'seism': ['seism', 'semis'], 'seismal': ['aimless', 'melissa', 'seismal'], 'seismotic': ['seismotic', 'societism'], 'seit': ['seit', 'site'], 'seizable': ['seizable', 'sizeable'], 'seizer': ['resize', 'seizer'], 'sekane': ['sakeen', 'sekane'], 'sekani': ['kinase', 'sekani'], 'sekar': ['asker', 'reask', 'saker', 'sekar'], 'seker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'selagite': ['elegiast', 'selagite'], 'selah': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'selamin': ['malines', 'salmine', 'selamin', 'seminal'], 'selbergite': ['gilbertese', 'selbergite'], 'seldor': ['dorsel', 'seldor', 'solder'], 'seldseen': ['needless', 'seldseen'], 'sele': ['else', 'lees', 'seel', 'sele', 'slee'], 'selector': ['corselet', 'sclerote', 'selector'], 'selenic': ['license', 'selenic', 'silence'], 'selenion': ['leonines', 'selenion'], 'selenitic': ['insectile', 'selenitic'], 'selenium': ['selenium', 'semilune', 'seminule'], 'selenosis': ['noiseless', 'selenosis'], 'seleucian': ['sauceline', 'seleucian'], 'self': ['fels', 'self'], 'selfsame': ['fameless', 'selfsame'], 'selfsameness': ['famelessness', 'selfsameness'], 'selictar': ['altrices', 'selictar'], 'selina': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'selion': ['insole', 'leonis', 'lesion', 'selion'], 'seljukian': ['januslike', 'seljukian'], 'sella': ['salle', 'sella'], 'sellably': ['sellably', 'syllable'], 'sellate': ['estella', 'sellate'], 'seller': ['resell', 'seller'], 'selli': ['lisle', 'selli'], 'sellie': ['leslie', 'sellie'], 'sellout': ['outsell', 'sellout'], 'selt': ['lest', 'selt'], 'selter': ['lester', 'selter', 'streel'], 'selung': ['gunsel', 'selung', 'slunge'], 'selva': ['salve', 'selva', 'slave', 'valse'], 'semang': ['magnes', 'semang'], 'semantic': ['amnestic', 'semantic'], 'semaphore': ['mesohepar', 'semaphore'], 'sematic': ['cameist', 'etacism', 'sematic'], 'sematrope': ['perosmate', 'sematrope'], 'seme': ['mese', 'seem', 'seme', 'smee'], 'semen': ['mense', 'mesne', 'semen'], 'semeostoma': ['semeostoma', 'semostomae'], 'semi': ['mise', 'semi', 'sime'], 'semiarch': ['semiarch', 'smachrie'], 'semibald': ['bedismal', 'semibald'], 'semiball': ['mislabel', 'semiball'], 'semic': ['mesic', 'semic'], 'semicircle': ['semicircle', 'semicleric'], 'semicleric': ['semicircle', 'semicleric'], 'semicone': ['nicesome', 'semicone'], 'semicoronet': ['oncosimeter', 'semicoronet'], 'semicrome': ['mesomeric', 'microseme', 'semicrome'], 'semidirect': ['sedimetric', 'semidirect'], 'semidormant': ['memorandist', 'moderantism', 'semidormant'], 'semihard': ['dreamish', 'semihard'], 'semihiant': ['histamine', 'semihiant'], 'semilimber': ['immersible', 'semilimber'], 'semilunar': ['semilunar', 'unrealism'], 'semilune': ['selenium', 'semilune', 'seminule'], 'semiminor': ['immersion', 'semiminor'], 'semimoron': ['monroeism', 'semimoron'], 'seminal': ['malines', 'salmine', 'selamin', 'seminal'], 'seminar': ['remains', 'seminar'], 'seminasal': ['messalian', 'seminasal'], 'seminomadic': ['demoniacism', 'seminomadic'], 'seminomata': ['mastomenia', 'seminomata'], 'seminule': ['selenium', 'semilune', 'seminule'], 'semiopal': ['malpoise', 'semiopal'], 'semiorb': ['boreism', 'semiorb'], 'semiovaloid': ['semiovaloid', 'semiovoidal'], 'semiovoidal': ['semiovaloid', 'semiovoidal'], 'semipolar': ['perisomal', 'semipolar'], 'semipro': ['imposer', 'promise', 'semipro'], 'semipronation': ['impersonation', 'prosemination', 'semipronation'], 'semiquote': ['quietsome', 'semiquote'], 'semirotund': ['semirotund', 'unmortised'], 'semis': ['seism', 'semis'], 'semispan': ['menaspis', 'semispan'], 'semisteel': ['messelite', 'semisteel', 'teleseism'], 'semistill': ['limitless', 'semistill'], 'semistriated': ['disastimeter', 'semistriated'], 'semita': ['samite', 'semita', 'tamise', 'teaism'], 'semitae': ['amesite', 'mesitae', 'semitae'], 'semitour': ['moisture', 'semitour'], 'semiurban': ['semiurban', 'submarine'], 'semiurn': ['neurism', 'semiurn'], 'semivector': ['semivector', 'viscometer'], 'semnae': ['enseam', 'semnae'], 'semola': ['melosa', 'salome', 'semola'], 'semolella': ['lamellose', 'semolella'], 'semolina': ['laminose', 'lemonias', 'semolina'], 'semological': ['mesological', 'semological'], 'semology': ['mesology', 'semology'], 'semostomae': ['semeostoma', 'semostomae'], 'sempiternous': ['sempiternous', 'supermoisten'], 'semuncia': ['muscinae', 'semuncia'], 'semuncial': ['masculine', 'semuncial', 'simulance'], 'sen': ['ens', 'sen'], 'senaite': ['etesian', 'senaite'], 'senam': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'senarius': ['anuresis', 'senarius'], 'senate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'senator': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'senatorian': ['arsenation', 'senatorian', 'sonneratia'], 'senatrices': ['resistance', 'senatrices'], 'sence': ['cense', 'scene', 'sence'], 'senci': ['senci', 'since'], 'send': ['send', 'sned'], 'sender': ['resend', 'sender'], 'seneca': ['encase', 'seance', 'seneca'], 'senega': ['sagene', 'senega'], 'senesce': ['essence', 'senesce'], 'senile': ['enisle', 'ensile', 'senile', 'silene'], 'senilism': ['liminess', 'senilism'], 'senior': ['rosine', 'senior', 'soneri'], 'senlac': ['lances', 'senlac'], 'senna': ['nanes', 'senna'], 'sennit': ['innest', 'sennit', 'sinnet', 'tennis'], 'sennite': ['intense', 'sennite'], 'senocular': ['larcenous', 'senocular'], 'senones': ['oneness', 'senones'], 'sensable': ['ableness', 'blaeness', 'sensable'], 'sensatorial': ['assertional', 'sensatorial'], 'sensical': ['laciness', 'sensical'], 'sensilia': ['sensilia', 'silesian'], 'sensilla': ['nailless', 'sensilla'], 'sension': ['neossin', 'sension'], 'sensuism': ['sensuism', 'senusism'], 'sent': ['nest', 'sent', 'sten'], 'sentencer': ['secernent', 'sentencer'], 'sentition': ['sentition', 'tenonitis'], 'senusism': ['sensuism', 'senusism'], 'sepad': ['depas', 'sepad', 'spade'], 'sepal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sepaled': ['delapse', 'sepaled'], 'sepaloid': ['episodal', 'lapidose', 'sepaloid'], 'separable': ['separable', 'spareable'], 'separate': ['asperate', 'separate'], 'separation': ['anisoptera', 'asperation', 'separation'], 'sephardi': ['diphaser', 'parished', 'raphides', 'sephardi'], 'sephen': ['sephen', 'sphene'], 'sepian': ['sepian', 'spinae'], 'sepic': ['sepic', 'spice'], 'sepion': ['espino', 'sepion'], 'sepoy': ['poesy', 'posey', 'sepoy'], 'seps': ['pess', 'seps'], 'sepsis': ['sepsis', 'speiss'], 'sept': ['pest', 'sept', 'spet', 'step'], 'septa': ['paste', 'septa', 'spate'], 'septal': ['pastel', 'septal', 'staple'], 'septane': ['penates', 'septane'], 'septarium': ['impasture', 'septarium'], 'septenar': ['entrepas', 'septenar'], 'septennium': ['pennisetum', 'septennium'], 'septentrio': ['septentrio', 'tripestone'], 'septerium': ['misrepute', 'septerium'], 'septi': ['septi', 'spite', 'stipe'], 'septicemia': ['episematic', 'septicemia'], 'septicidal': ['pesticidal', 'septicidal'], 'septicopyemia': ['pyosepticemia', 'septicopyemia'], 'septicopyemic': ['pyosepticemic', 'septicopyemic'], 'septier': ['respite', 'septier'], 'septiferous': ['pestiferous', 'septiferous'], 'septile': ['epistle', 'septile'], 'septimal': ['petalism', 'septimal'], 'septocosta': ['septocosta', 'statoscope'], 'septoic': ['poetics', 'septoic'], 'septonasal': ['nasoseptal', 'septonasal'], 'septoria': ['isoptera', 'septoria'], 'septum': ['septum', 'upstem'], 'septuor': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sequential': ['latinesque', 'sequential'], 'sequin': ['quinse', 'sequin'], 'ser': ['ers', 'ser'], 'sera': ['arse', 'rase', 'sare', 'sear', 'sera'], 'serab': ['barse', 'besra', 'saber', 'serab'], 'serabend': ['seerband', 'serabend'], 'seraglio': ['girasole', 'seraglio'], 'serai': ['aries', 'arise', 'raise', 'serai'], 'serail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'seral': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'serang': ['angers', 'sanger', 'serang'], 'serape': ['parsee', 'persae', 'persea', 'serape'], 'seraph': ['phrase', 'seraph', 'shaper', 'sherpa'], 'seraphic': ['parchesi', 'seraphic'], 'seraphim': ['samphire', 'seraphim'], 'seraphina': ['pharisean', 'seraphina'], 'seraphine': ['hesperian', 'phrenesia', 'seraphine'], 'seraphism': ['misphrase', 'seraphism'], 'serapic': ['epacris', 'scrapie', 'serapic'], 'serapis': ['paresis', 'serapis'], 'serapist': ['piratess', 'serapist', 'tarsipes'], 'serau': ['serau', 'urase'], 'seraw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sercial': ['scleria', 'sercial'], 'sere': ['erse', 'rees', 'seer', 'sere'], 'serean': ['serean', 'serena'], 'sereh': ['herse', 'sereh', 'sheer', 'shree'], 'serena': ['serean', 'serena'], 'serenata': ['arsenate', 'serenata'], 'serene': ['resene', 'serene'], 'serenoa': ['arenose', 'serenoa'], 'serge': ['reges', 'serge'], 'sergeant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sergei': ['sergei', 'sieger'], 'serger': ['gerres', 'serger'], 'serging': ['serging', 'snigger'], 'sergiu': ['guiser', 'sergiu'], 'seri': ['reis', 'rise', 'seri', 'sier', 'sire'], 'serial': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'serialist': ['eristalis', 'serialist'], 'serian': ['arisen', 'arsine', 'resina', 'serian'], 'sericate': ['ecrasite', 'sericate'], 'sericated': ['discreate', 'sericated'], 'sericin': ['irenics', 'resinic', 'sericin', 'sirenic'], 'serific': ['friesic', 'serific'], 'serin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'serine': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'serinette': ['retistene', 'serinette'], 'seringa': ['searing', 'seringa'], 'seringal': ['resignal', 'seringal', 'signaler'], 'serinus': ['russine', 'serinus', 'sunrise'], 'serio': ['osier', 'serio'], 'seriola': ['rosalie', 'seriola'], 'serioludicrous': ['ludicroserious', 'serioludicrous'], 'sermo': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'sermonist': ['monitress', 'sermonist'], 'sero': ['eros', 'rose', 'sero', 'sore'], 'serofibrous': ['fibroserous', 'serofibrous'], 'serolin': ['resinol', 'serolin'], 'seromucous': ['mucoserous', 'seromucous'], 'seron': ['norse', 'noser', 'seron', 'snore'], 'seroon': ['nooser', 'seroon', 'sooner'], 'seroot': ['seroot', 'sooter', 'torose'], 'serotina': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'serotinal': ['lairstone', 'orleanist', 'serotinal'], 'serotine': ['serotine', 'torinese'], 'serous': ['serous', 'souser'], 'serow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'serpari': ['aspirer', 'praiser', 'serpari'], 'serpent': ['penster', 'present', 'serpent', 'strepen'], 'serpentian': ['serpentian', 'serpentina'], 'serpentid': ['president', 'serpentid'], 'serpentina': ['serpentian', 'serpentina'], 'serpentinous': ['serpentinous', 'supertension'], 'serpently': ['presently', 'serpently'], 'serpiginous': ['serpiginous', 'spinigerous'], 'serpolet': ['proteles', 'serpolet'], 'serpula': ['perusal', 'serpula'], 'serpulae': ['pleasure', 'serpulae'], 'serpulan': ['purslane', 'serpulan', 'supernal'], 'serpulidae': ['serpulidae', 'superideal'], 'serpuline': ['serpuline', 'superline'], 'serra': ['ersar', 'raser', 'serra'], 'serrage': ['argeers', 'greaser', 'serrage'], 'serran': ['serran', 'snarer'], 'serrano': ['serrano', 'sornare'], 'serratic': ['crateris', 'serratic'], 'serratodentate': ['dentatoserrate', 'serratodentate'], 'serrature': ['serrature', 'treasurer'], 'serried': ['derries', 'desirer', 'resider', 'serried'], 'serriped': ['presider', 'serriped'], 'sert': ['rest', 'sert', 'stre'], 'serta': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'sertum': ['muster', 'sertum', 'stumer'], 'serum': ['muser', 'remus', 'serum'], 'serut': ['serut', 'strue', 'turse', 'uster'], 'servable': ['beslaver', 'servable', 'versable'], 'servage': ['gervase', 'greaves', 'servage'], 'serval': ['salver', 'serval', 'slaver', 'versal'], 'servant': ['servant', 'versant'], 'servation': ['overstain', 'servation', 'versation'], 'serve': ['serve', 'sever', 'verse'], 'server': ['revers', 'server', 'verser'], 'servet': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'servetian': ['invertase', 'servetian'], 'servian': ['servian', 'vansire'], 'service': ['cerevis', 'scrieve', 'service'], 'serviceable': ['receivables', 'serviceable'], 'servient': ['reinvest', 'servient'], 'serviential': ['inversatile', 'serviential'], 'servilize': ['servilize', 'silverize'], 'servite': ['restive', 'servite'], 'servitor': ['overstir', 'servitor'], 'servitude': ['detrusive', 'divesture', 'servitude'], 'servo': ['servo', 'verso'], 'sesma': ['masse', 'sesma'], 'sestertium': ['sestertium', 'trusteeism'], 'sestet': ['sestet', 'testes', 'tsetse'], 'sestiad': ['disseat', 'sestiad'], 'sestian': ['entasis', 'sestian', 'sestina'], 'sestina': ['entasis', 'sestian', 'sestina'], 'sestole': ['osselet', 'sestole', 'toeless'], 'sestuor': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'sesuto': ['sesuto', 'setous'], 'seta': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'setae': ['setae', 'tease'], 'setal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'setaria': ['asarite', 'asteria', 'atresia', 'setaria'], 'setback': ['backset', 'setback'], 'setdown': ['downset', 'setdown'], 'seth': ['esth', 'hest', 'seth'], 'sethead': ['headset', 'sethead'], 'sethian': ['sethian', 'sthenia'], 'sethic': ['ethics', 'sethic'], 'setibo': ['setibo', 'sobeit'], 'setirostral': ['latirostres', 'setirostral'], 'setline': ['leisten', 'setline', 'tensile'], 'setoff': ['offset', 'setoff'], 'seton': ['onset', 'seton', 'steno', 'stone'], 'setous': ['sesuto', 'setous'], 'setout': ['outset', 'setout'], 'setover': ['overset', 'setover'], 'sett': ['sett', 'stet', 'test'], 'settable': ['settable', 'testable'], 'settaine': ['anisette', 'atestine', 'settaine'], 'settee': ['settee', 'testee'], 'setter': ['retest', 'setter', 'street', 'tester'], 'setting': ['setting', 'testing'], 'settler': ['settler', 'sterlet', 'trestle'], 'settlor': ['settlor', 'slotter'], 'setula': ['salute', 'setula'], 'setup': ['setup', 'stupe', 'upset'], 'setwall': ['setwall', 'swallet'], 'seven': ['evens', 'seven'], 'sevener': ['sevener', 'veneres'], 'sever': ['serve', 'sever', 'verse'], 'severer': ['reserve', 'resever', 'reverse', 'severer'], 'sew': ['sew', 'wes'], 'sewed': ['sewed', 'swede'], 'sewer': ['resew', 'sewer', 'sweer'], 'sewered': ['sewered', 'sweered'], 'sewing': ['sewing', 'swinge'], 'sewn': ['news', 'sewn', 'snew'], 'sewround': ['sewround', 'undersow'], 'sexed': ['desex', 'sexed'], 'sextan': ['saxten', 'sextan'], 'sextipartition': ['extirpationist', 'sextipartition'], 'sextodecimo': ['decimosexto', 'sextodecimo'], 'sextry': ['sextry', 'xyster'], 'sexuale': ['esexual', 'sexuale'], 'sey': ['sey', 'sye', 'yes'], 'seymour': ['mousery', 'seymour'], 'sfoot': ['foots', 'sfoot', 'stoof'], 'sgad': ['dags', 'sgad'], 'sha': ['ash', 'sah', 'sha'], 'shab': ['bash', 'shab'], 'shabbily': ['babishly', 'shabbily'], 'shabbiness': ['babishness', 'shabbiness'], 'shabunder': ['husbander', 'shabunder'], 'shad': ['dash', 'sadh', 'shad'], 'shade': ['deash', 'hades', 'sadhe', 'shade'], 'shaded': ['dashed', 'shaded'], 'shader': ['dasher', 'shader', 'sheard'], 'shadily': ['ladyish', 'shadily'], 'shading': ['dashing', 'shading'], 'shadkan': ['dashnak', 'shadkan'], 'shady': ['dashy', 'shady'], 'shafting': ['shafting', 'tangfish'], 'shag': ['gash', 'shag'], 'shagrag': ['ragshag', 'shagrag'], 'shah': ['hash', 'sahh', 'shah'], 'shahi': ['shahi', 'shiah'], 'shaitan': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'shaivism': ['shaivism', 'shivaism'], 'shaka': ['kasha', 'khasa', 'sakha', 'shaka'], 'shakeout': ['outshake', 'shakeout'], 'shaker': ['kasher', 'shaker'], 'shakil': ['lakish', 'shakil'], 'shaku': ['kusha', 'shaku', 'ushak'], 'shaky': ['hasky', 'shaky'], 'shale': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shalt': ['shalt', 'slath'], 'sham': ['mash', 'samh', 'sham'], 'shama': ['hamsa', 'masha', 'shama'], 'shamable': ['baalshem', 'shamable'], 'shamal': ['mashal', 'shamal'], 'shaman': ['ashman', 'shaman'], 'shamba': ['ambash', 'shamba'], 'shambrier': ['herbarism', 'shambrier'], 'shambu': ['ambush', 'shambu'], 'shame': ['sahme', 'shame'], 'shamer': ['masher', 'ramesh', 'shamer'], 'shamir': ['marish', 'shamir'], 'shammish': ['mishmash', 'shammish'], 'shan': ['hans', 'nash', 'shan'], 'shane': ['ashen', 'hanse', 'shane', 'shean'], 'shang': ['gnash', 'shang'], 'shant': ['shant', 'snath'], 'shap': ['hasp', 'pash', 'psha', 'shap'], 'shape': ['heaps', 'pesah', 'phase', 'shape'], 'shapeless': ['phaseless', 'shapeless'], 'shaper': ['phrase', 'seraph', 'shaper', 'sherpa'], 'shapometer': ['atmosphere', 'shapometer'], 'shapy': ['physa', 'shapy'], 'shardana': ['darshana', 'shardana'], 'share': ['asher', 'share', 'shear'], 'shareman': ['shareman', 'shearman'], 'sharer': ['rasher', 'sharer'], 'sharesman': ['sharesman', 'shearsman'], 'shargar': ['shargar', 'sharrag'], 'shari': ['ashir', 'shari'], 'sharon': ['rhason', 'sharon', 'shoran'], 'sharp': ['sharp', 'shrap'], 'sharpener': ['resharpen', 'sharpener'], 'sharper': ['phraser', 'sharper'], 'sharpy': ['phrasy', 'sharpy'], 'sharrag': ['shargar', 'sharrag'], 'shasta': ['shasta', 'tassah'], 'shaster': ['hatress', 'shaster'], 'shastraik': ['katharsis', 'shastraik'], 'shastri': ['sartish', 'shastri'], 'shat': ['shat', 'tash'], 'shatter': ['rathest', 'shatter'], 'shatterer': ['ratherest', 'shatterer'], 'shattering': ['shattering', 'straighten'], 'shauri': ['shauri', 'surahi'], 'shave': ['shave', 'sheva'], 'shavee': ['shavee', 'sheave'], 'shaver': ['havers', 'shaver', 'shrave'], 'shavery': ['shavery', 'shravey'], 'shaw': ['shaw', 'wash'], 'shawano': ['shawano', 'washoan'], 'shawl': ['shawl', 'walsh'], 'shawy': ['shawy', 'washy'], 'shay': ['ashy', 'shay'], 'shea': ['seah', 'shea'], 'sheal': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shean': ['ashen', 'hanse', 'shane', 'shean'], 'shear': ['asher', 'share', 'shear'], 'shearbill': ['shearbill', 'shillaber'], 'sheard': ['dasher', 'shader', 'sheard'], 'shearer': ['reshare', 'reshear', 'shearer'], 'shearman': ['shareman', 'shearman'], 'shearsman': ['sharesman', 'shearsman'], 'sheat': ['ashet', 'haste', 'sheat'], 'sheave': ['shavee', 'sheave'], 'shebeen': ['benshee', 'shebeen'], 'shechem': ['meshech', 'shechem'], 'sheder': ['hersed', 'sheder'], 'sheely': ['sheely', 'sheyle'], 'sheer': ['herse', 'sereh', 'sheer', 'shree'], 'sheering': ['greenish', 'sheering'], 'sheet': ['sheet', 'these'], 'sheeter': ['sheeter', 'therese'], 'sheeting': ['seething', 'sheeting'], 'sheila': ['elisha', 'hailse', 'sheila'], 'shela': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shelf': ['flesh', 'shelf'], 'shelfful': ['fleshful', 'shelfful'], 'shelflist': ['filthless', 'shelflist'], 'shelfy': ['fleshy', 'shelfy'], 'shelta': ['haslet', 'lesath', 'shelta'], 'shelty': ['shelty', 'thysel'], 'shelve': ['shelve', 'shevel'], 'shemitic': ['ethicism', 'shemitic'], 'shen': ['nesh', 'shen'], 'sheol': ['hosel', 'sheol', 'shole'], 'sher': ['hers', 'resh', 'sher'], 'sherani': ['arshine', 'nearish', 'rhesian', 'sherani'], 'sheratan': ['hanaster', 'sheratan'], 'sheriat': ['atheris', 'sheriat'], 'sherif': ['fisher', 'sherif'], 'sherifate': ['fisheater', 'sherifate'], 'sherify': ['fishery', 'sherify'], 'sheriyat': ['hysteria', 'sheriyat'], 'sherpa': ['phrase', 'seraph', 'shaper', 'sherpa'], 'sherri': ['hersir', 'sherri'], 'sheugh': ['hughes', 'sheugh'], 'sheva': ['shave', 'sheva'], 'shevel': ['shelve', 'shevel'], 'shevri': ['shevri', 'shiver', 'shrive'], 'shewa': ['hawse', 'shewa', 'whase'], 'sheyle': ['sheely', 'sheyle'], 'shi': ['his', 'hsi', 'shi'], 'shiah': ['shahi', 'shiah'], 'shibar': ['barish', 'shibar'], 'shice': ['echis', 'shice'], 'shicer': ['riches', 'shicer'], 'shide': ['shide', 'shied', 'sidhe'], 'shied': ['shide', 'shied', 'sidhe'], 'shiel': ['liesh', 'shiel'], 'shieldable': ['deshabille', 'shieldable'], 'shier': ['hirse', 'shier', 'shire'], 'shiest': ['shiest', 'thesis'], 'shifter': ['reshift', 'shifter'], 'shih': ['hish', 'shih'], 'shiite': ['histie', 'shiite'], 'shik': ['kish', 'shik', 'sikh'], 'shikar': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shikara': ['shikara', 'sikhara'], 'shikari': ['rikisha', 'shikari'], 'shikra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shillaber': ['shearbill', 'shillaber'], 'shimal': ['lamish', 'shimal'], 'shimmery': ['misrhyme', 'shimmery'], 'shin': ['hisn', 'shin', 'sinh'], 'shina': ['naish', 'shina'], 'shine': ['eshin', 'shine'], 'shiner': ['renish', 'shiner', 'shrine'], 'shingle': ['english', 'shingle'], 'shinto': ['histon', 'shinto', 'tonish'], 'shinty': ['shinty', 'snithy'], 'ship': ['pish', 'ship'], 'shipboy': ['boyship', 'shipboy'], 'shipkeeper': ['keepership', 'shipkeeper'], 'shiplap': ['lappish', 'shiplap'], 'shipman': ['manship', 'shipman'], 'shipmaster': ['mastership', 'shipmaster'], 'shipmate': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'shipowner': ['ownership', 'shipowner'], 'shippage': ['pageship', 'shippage'], 'shipper': ['preship', 'shipper'], 'shippo': ['popish', 'shippo'], 'shipward': ['shipward', 'wardship'], 'shipwork': ['shipwork', 'workship'], 'shipworm': ['shipworm', 'wormship'], 'shire': ['hirse', 'shier', 'shire'], 'shirker': ['shirker', 'skirreh'], 'shirley': ['relishy', 'shirley'], 'shirty': ['shirty', 'thyris'], 'shirvan': ['shirvan', 'varnish'], 'shita': ['shita', 'thais'], 'shivaism': ['shaivism', 'shivaism'], 'shive': ['hives', 'shive'], 'shiver': ['shevri', 'shiver', 'shrive'], 'shlu': ['lush', 'shlu', 'shul'], 'sho': ['sho', 'soh'], 'shoa': ['saho', 'shoa'], 'shoal': ['shoal', 'shola'], 'shoat': ['hoast', 'hosta', 'shoat'], 'shockable': ['shockable', 'shoeblack'], 'shode': ['hosed', 'shode'], 'shoder': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoe': ['hose', 'shoe'], 'shoeblack': ['shockable', 'shoeblack'], 'shoebrush': ['shoebrush', 'shorebush'], 'shoeless': ['hoseless', 'shoeless'], 'shoeman': ['hoseman', 'shoeman'], 'shoer': ['horse', 'shoer', 'shore'], 'shog': ['gosh', 'shog'], 'shoji': ['joshi', 'shoji'], 'shola': ['shoal', 'shola'], 'shole': ['hosel', 'sheol', 'shole'], 'shoo': ['shoo', 'soho'], 'shoot': ['shoot', 'sooth', 'sotho', 'toosh'], 'shooter': ['orthose', 'reshoot', 'shooter', 'soother'], 'shooting': ['shooting', 'soothing'], 'shop': ['phos', 'posh', 'shop', 'soph'], 'shopbook': ['bookshop', 'shopbook'], 'shopmaid': ['phasmoid', 'shopmaid'], 'shopper': ['hoppers', 'shopper'], 'shopwork': ['shopwork', 'workshop'], 'shoran': ['rhason', 'sharon', 'shoran'], 'shore': ['horse', 'shoer', 'shore'], 'shorea': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'shorebush': ['shoebrush', 'shorebush'], 'shored': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoreless': ['horseless', 'shoreless'], 'shoreman': ['horseman', 'rhamnose', 'shoreman'], 'shorer': ['horser', 'shorer'], 'shoreward': ['drawhorse', 'shoreward'], 'shoreweed': ['horseweed', 'shoreweed'], 'shoring': ['horsing', 'shoring'], 'short': ['horst', 'short'], 'shortage': ['hostager', 'shortage'], 'shorten': ['shorten', 'threnos'], 'shot': ['host', 'shot', 'thos', 'tosh'], 'shote': ['ethos', 'shote', 'those'], 'shotgun': ['gunshot', 'shotgun', 'uhtsong'], 'shotless': ['hostless', 'shotless'], 'shotstar': ['shotstar', 'starshot'], 'shou': ['huso', 'shou'], 'shoulderer': ['reshoulder', 'shoulderer'], 'shout': ['shout', 'south'], 'shouter': ['shouter', 'souther'], 'shouting': ['shouting', 'southing'], 'shover': ['shover', 'shrove'], 'showerer': ['reshower', 'showerer'], 'shrab': ['brash', 'shrab'], 'shram': ['marsh', 'shram'], 'shrap': ['sharp', 'shrap'], 'shrave': ['havers', 'shaver', 'shrave'], 'shravey': ['shavery', 'shravey'], 'shree': ['herse', 'sereh', 'sheer', 'shree'], 'shrewly': ['shrewly', 'welshry'], 'shriek': ['shriek', 'shrike'], 'shrieval': ['lavisher', 'shrieval'], 'shrike': ['shriek', 'shrike'], 'shrine': ['renish', 'shiner', 'shrine'], 'shrite': ['shrite', 'theirs'], 'shrive': ['shevri', 'shiver', 'shrive'], 'shriven': ['nervish', 'shriven'], 'shroudy': ['hydrous', 'shroudy'], 'shrove': ['shover', 'shrove'], 'shrub': ['brush', 'shrub'], 'shrubbery': ['berrybush', 'shrubbery'], 'shrubland': ['brushland', 'shrubland'], 'shrubless': ['brushless', 'shrubless'], 'shrublet': ['brushlet', 'shrublet'], 'shrublike': ['brushlike', 'shrublike'], 'shrubwood': ['brushwood', 'shrubwood'], 'shrug': ['grush', 'shrug'], 'shu': ['shu', 'ush'], 'shuba': ['shuba', 'subah'], 'shug': ['gush', 'shug', 'sugh'], 'shul': ['lush', 'shlu', 'shul'], 'shulamite': ['hamulites', 'shulamite'], 'shuler': ['lusher', 'shuler'], 'shunless': ['lushness', 'shunless'], 'shunter': ['reshunt', 'shunter'], 'shure': ['shure', 'usher'], 'shurf': ['frush', 'shurf'], 'shut': ['shut', 'thus', 'tush'], 'shutness': ['shutness', 'thusness'], 'shutout': ['outshut', 'shutout'], 'shuttering': ['hurtingest', 'shuttering'], 'shyam': ['mashy', 'shyam'], 'si': ['is', 'si'], 'sia': ['sai', 'sia'], 'siak': ['saki', 'siak', 'sika'], 'sial': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sialagogic': ['isagogical', 'sialagogic'], 'sialic': ['sialic', 'silica'], 'sialid': ['asilid', 'sialid'], 'sialidae': ['asilidae', 'sialidae'], 'siam': ['mias', 'saim', 'siam', 'sima'], 'siamese': ['misease', 'siamese'], 'sib': ['bis', 'sib'], 'sibyl': ['sibyl', 'sybil'], 'sibylla': ['sibylla', 'syllabi'], 'sicana': ['ascian', 'sacian', 'scania', 'sicana'], 'sicani': ['anisic', 'sicani', 'sinaic'], 'sicarius': ['acrisius', 'sicarius'], 'siccate': ['ascetic', 'castice', 'siccate'], 'siccation': ['cocainist', 'siccation'], 'sice': ['cise', 'sice'], 'sicel': ['sicel', 'slice'], 'sicilian': ['anisilic', 'sicilian'], 'sickbed': ['bedsick', 'sickbed'], 'sicker': ['scrike', 'sicker'], 'sickerly': ['sickerly', 'slickery'], 'sickle': ['sickle', 'skelic'], 'sickler': ['sickler', 'slicker'], 'sicklied': ['disclike', 'sicklied'], 'sickling': ['sickling', 'slicking'], 'sicula': ['caulis', 'clusia', 'sicula'], 'siculian': ['luscinia', 'siculian'], 'sid': ['dis', 'sid'], 'sida': ['dais', 'dasi', 'disa', 'said', 'sida'], 'sidalcea': ['diaclase', 'sidalcea'], 'side': ['desi', 'ides', 'seid', 'side'], 'sidearm': ['misread', 'sidearm'], 'sideboard': ['broadside', 'sideboard'], 'sideburns': ['burnsides', 'sideburns'], 'sidecar': ['diceras', 'radices', 'sidecar'], 'sidehill': ['hillside', 'sidehill'], 'siderean': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'siderin': ['insider', 'siderin'], 'sideronatrite': ['endoarteritis', 'sideronatrite'], 'siderous': ['desirous', 'siderous'], 'sidership': ['sidership', 'spiderish'], 'sidesway': ['sidesway', 'sideways'], 'sidetrack': ['sidetrack', 'trackside'], 'sidewalk': ['sidewalk', 'walkside'], 'sideway': ['sideway', 'wayside'], 'sideways': ['sidesway', 'sideways'], 'sidhe': ['shide', 'shied', 'sidhe'], 'sidle': ['sidle', 'slide'], 'sidler': ['sidler', 'slider'], 'sidling': ['sidling', 'sliding'], 'sidlingly': ['sidlingly', 'slidingly'], 'sieger': ['sergei', 'sieger'], 'siena': ['anise', 'insea', 'siena', 'sinae'], 'sienna': ['insane', 'sienna'], 'sier': ['reis', 'rise', 'seri', 'sier', 'sire'], 'sierra': ['raiser', 'sierra'], 'siesta': ['siesta', 'tassie'], 'siever': ['revise', 'siever'], 'sife': ['feis', 'fise', 'sife'], 'sift': ['fist', 'sift'], 'sifted': ['fisted', 'sifted'], 'sifter': ['fister', 'resift', 'sifter', 'strife'], 'sifting': ['fisting', 'sifting'], 'sigh': ['gish', 'sigh'], 'sigher': ['resigh', 'sigher'], 'sighted': ['desight', 'sighted'], 'sightlily': ['sightlily', 'slightily'], 'sightliness': ['sightliness', 'slightiness'], 'sightly': ['sightly', 'slighty'], 'sigillated': ['distillage', 'sigillated'], 'sigla': ['gisla', 'ligas', 'sigla'], 'sigmatism': ['astigmism', 'sigmatism'], 'sigmoidal': ['dialogism', 'sigmoidal'], 'sign': ['sign', 'sing', 'snig'], 'signable': ['signable', 'singable'], 'signalee': ['ensilage', 'genesial', 'signalee'], 'signaler': ['resignal', 'seringal', 'signaler'], 'signalese': ['agileness', 'signalese'], 'signally': ['signally', 'singally', 'slangily'], 'signary': ['signary', 'syringa'], 'signate': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'signator': ['orangist', 'organist', 'roasting', 'signator'], 'signee': ['seeing', 'signee'], 'signer': ['resign', 'resing', 'signer', 'singer'], 'signet': ['ingest', 'signet', 'stinge'], 'signorial': ['sailoring', 'signorial'], 'signpost': ['postsign', 'signpost'], 'signum': ['musing', 'signum'], 'sika': ['saki', 'siak', 'sika'], 'sikar': ['kisra', 'sikar', 'skair'], 'siket': ['siket', 'skite'], 'sikh': ['kish', 'shik', 'sikh'], 'sikhara': ['shikara', 'sikhara'], 'sikhra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'sil': ['lis', 'sil'], 'silane': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'silas': ['silas', 'sisal'], 'silcrete': ['sclerite', 'silcrete'], 'sile': ['isle', 'lise', 'sile'], 'silen': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'silence': ['license', 'selenic', 'silence'], 'silenced': ['licensed', 'silenced'], 'silencer': ['licenser', 'silencer'], 'silene': ['enisle', 'ensile', 'senile', 'silene'], 'silent': ['enlist', 'listen', 'silent', 'tinsel'], 'silently': ['silently', 'tinselly'], 'silenus': ['insulse', 'silenus'], 'silesian': ['sensilia', 'silesian'], 'silica': ['sialic', 'silica'], 'silicam': ['islamic', 'laicism', 'silicam'], 'silicane': ['silicane', 'silicean'], 'silicean': ['silicane', 'silicean'], 'siliceocalcareous': ['calcareosiliceous', 'siliceocalcareous'], 'silicoaluminate': ['aluminosilicate', 'silicoaluminate'], 'silicone': ['isocline', 'silicone'], 'silicotitanate': ['silicotitanate', 'titanosilicate'], 'silicotungstate': ['silicotungstate', 'tungstosilicate'], 'silicotungstic': ['silicotungstic', 'tungstosilicic'], 'silk': ['lisk', 'silk', 'skil'], 'silkaline': ['silkaline', 'snaillike'], 'silkman': ['klanism', 'silkman'], 'silkness': ['silkness', 'sinkless', 'skinless'], 'silly': ['silly', 'silyl'], 'sillyhow': ['lowishly', 'owlishly', 'sillyhow'], 'silo': ['lois', 'silo', 'siol', 'soil', 'soli'], 'silpha': ['palish', 'silpha'], 'silt': ['list', 'silt', 'slit'], 'silting': ['listing', 'silting'], 'siltlike': ['siltlike', 'slitlike'], 'silva': ['silva', 'slavi'], 'silver': ['silver', 'sliver'], 'silvered': ['desilver', 'silvered'], 'silverer': ['resilver', 'silverer', 'sliverer'], 'silverize': ['servilize', 'silverize'], 'silverlike': ['silverlike', 'sliverlike'], 'silverwood': ['silverwood', 'woodsilver'], 'silvery': ['silvery', 'slivery'], 'silvester': ['rivetless', 'silvester'], 'silyl': ['silly', 'silyl'], 'sim': ['ism', 'sim'], 'sima': ['mias', 'saim', 'siam', 'sima'], 'simal': ['islam', 'ismal', 'simal'], 'simar': ['maris', 'marsi', 'samir', 'simar'], 'sime': ['mise', 'semi', 'sime'], 'simeon': ['eonism', 'mesion', 'oneism', 'simeon'], 'simeonism': ['misoneism', 'simeonism'], 'simiad': ['idiasm', 'simiad'], 'simile': ['milsie', 'simile'], 'simity': ['myitis', 'simity'], 'simling': ['simling', 'smiling'], 'simmer': ['merism', 'mermis', 'simmer'], 'simmon': ['monism', 'nomism', 'simmon'], 'simon': ['minos', 'osmin', 'simon'], 'simonian': ['insomnia', 'simonian'], 'simonist': ['simonist', 'sintoism'], 'simony': ['isonym', 'myosin', 'simony'], 'simple': ['mespil', 'simple'], 'simpleton': ['simpleton', 'spoilment'], 'simplicist': ['simplicist', 'simplistic'], 'simplistic': ['simplicist', 'simplistic'], 'simply': ['limpsy', 'simply'], 'simson': ['nosism', 'simson'], 'simulance': ['masculine', 'semuncial', 'simulance'], 'simulcast': ['masculist', 'simulcast'], 'simuler': ['misrule', 'simuler'], 'sina': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sinae': ['anise', 'insea', 'siena', 'sinae'], 'sinaean': ['nisaean', 'sinaean'], 'sinaic': ['anisic', 'sicani', 'sinaic'], 'sinaitic': ['isatinic', 'sinaitic'], 'sinal': ['sinal', 'slain', 'snail'], 'sinapic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'since': ['senci', 'since'], 'sincere': ['ceresin', 'sincere'], 'sinecure': ['insecure', 'sinecure'], 'sinew': ['sinew', 'swine', 'wisen'], 'sinewed': ['endwise', 'sinewed'], 'sinewy': ['sinewy', 'swiney'], 'sinfonia': ['sainfoin', 'sinfonia'], 'sinfonietta': ['festination', 'infestation', 'sinfonietta'], 'sing': ['sign', 'sing', 'snig'], 'singable': ['signable', 'singable'], 'singally': ['signally', 'singally', 'slangily'], 'singarip': ['aspiring', 'praising', 'singarip'], 'singed': ['design', 'singed'], 'singer': ['resign', 'resing', 'signer', 'singer'], 'single': ['single', 'slinge'], 'singler': ['singler', 'slinger'], 'singles': ['essling', 'singles'], 'singlet': ['glisten', 'singlet'], 'sinh': ['hisn', 'shin', 'sinh'], 'sinico': ['inosic', 'sinico'], 'sinister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sinistrodextral': ['dextrosinistral', 'sinistrodextral'], 'sink': ['inks', 'sink', 'skin'], 'sinker': ['resink', 'reskin', 'sinker'], 'sinkhead': ['headskin', 'nakedish', 'sinkhead'], 'sinkless': ['silkness', 'sinkless', 'skinless'], 'sinklike': ['sinklike', 'skinlike'], 'sinnet': ['innest', 'sennit', 'sinnet', 'tennis'], 'sinoatrial': ['sinoatrial', 'solitarian'], 'sinogram': ['orangism', 'organism', 'sinogram'], 'sinolog': ['loosing', 'sinolog'], 'sinopia': ['pisonia', 'sinopia'], 'sinople': ['epsilon', 'sinople'], 'sinter': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sinto': ['sinto', 'stion'], 'sintoc': ['nostic', 'sintoc', 'tocsin'], 'sintoism': ['simonist', 'sintoism'], 'sintu': ['sintu', 'suint'], 'sinuatodentate': ['dentatosinuate', 'sinuatodentate'], 'sinuose': ['sinuose', 'suiones'], 'sinus': ['nisus', 'sinus'], 'sinward': ['inwards', 'sinward'], 'siol': ['lois', 'silo', 'siol', 'soil', 'soli'], 'sionite': ['inosite', 'sionite'], 'sip': ['psi', 'sip'], 'sipe': ['pise', 'sipe'], 'siper': ['siper', 'spier', 'spire'], 'siphonal': ['nailshop', 'siphonal'], 'siphuncle': ['siphuncle', 'uncleship'], 'sipling': ['sipling', 'spiling'], 'sipylite': ['pyelitis', 'sipylite'], 'sir': ['sir', 'sri'], 'sire': ['reis', 'rise', 'seri', 'sier', 'sire'], 'siredon': ['indorse', 'ordines', 'siredon', 'sordine'], 'siren': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'sirene': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'sirenic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'sirenize': ['resinize', 'sirenize'], 'sirenlike': ['resinlike', 'sirenlike'], 'sirenoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'sireny': ['resiny', 'sireny'], 'sirian': ['raisin', 'sirian'], 'sirih': ['irish', 'rishi', 'sirih'], 'sirky': ['risky', 'sirky'], 'sirmian': ['iranism', 'sirmian'], 'sirpea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'sirple': ['lisper', 'pliers', 'sirple', 'spiler'], 'sirrah': ['arrish', 'harris', 'rarish', 'sirrah'], 'sirree': ['rerise', 'sirree'], 'siruelas': ['russelia', 'siruelas'], 'sirup': ['prius', 'sirup'], 'siruper': ['siruper', 'upriser'], 'siryan': ['siryan', 'syrian'], 'sis': ['sis', 'ssi'], 'sisal': ['silas', 'sisal'], 'sish': ['hiss', 'sish'], 'sisham': ['samish', 'sisham'], 'sisi': ['isis', 'sisi'], 'sisseton': ['sisseton', 'stenosis'], 'sistani': ['nasitis', 'sistani'], 'sister': ['resist', 'restis', 'sister'], 'sisterin': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sistering': ['resisting', 'sistering'], 'sisterless': ['resistless', 'sisterless'], 'sistrum': ['sistrum', 'trismus'], 'sit': ['ist', 'its', 'sit'], 'sita': ['atis', 'sita', 'tsia'], 'sitao': ['sitao', 'staio'], 'sitar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'sitch': ['sitch', 'stchi', 'stich'], 'site': ['seit', 'site'], 'sith': ['hist', 'sith', 'this', 'tshi'], 'sithens': ['sithens', 'thissen'], 'sitient': ['sitient', 'sittine'], 'sitology': ['sitology', 'tsiology'], 'sittinae': ['satinite', 'sittinae'], 'sittine': ['sitient', 'sittine'], 'situal': ['situal', 'situla', 'tulasi'], 'situate': ['situate', 'usitate'], 'situla': ['situal', 'situla', 'tulasi'], 'situs': ['situs', 'suist'], 'siva': ['avis', 'siva', 'visa'], 'sivaism': ['saivism', 'sivaism'], 'sivan': ['savin', 'sivan'], 'siwan': ['siwan', 'swain'], 'siwash': ['sawish', 'siwash'], 'sixte': ['exist', 'sixte'], 'sixty': ['sixty', 'xysti'], 'sizeable': ['seizable', 'sizeable'], 'sizeman': ['sizeman', 'zamenis'], 'skair': ['kisra', 'sikar', 'skair'], 'skal': ['lask', 'skal'], 'skance': ['sacken', 'skance'], 'skanda': ['sandak', 'skanda'], 'skart': ['karst', 'skart', 'stark'], 'skat': ['skat', 'task'], 'skate': ['skate', 'stake', 'steak'], 'skater': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'skating': ['gitksan', 'skating', 'takings'], 'skean': ['skean', 'snake', 'sneak'], 'skee': ['kees', 'seek', 'skee'], 'skeel': ['skeel', 'sleek'], 'skeeling': ['skeeling', 'sleeking'], 'skeely': ['skeely', 'sleeky'], 'skeen': ['skeen', 'skene'], 'skeer': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'skeery': ['kersey', 'skeery'], 'skeet': ['keest', 'skeet', 'skete', 'steek'], 'skeeter': ['skeeter', 'teskere'], 'skeletin': ['nestlike', 'skeletin'], 'skelic': ['sickle', 'skelic'], 'skelp': ['skelp', 'spelk'], 'skelter': ['kestrel', 'skelter'], 'skene': ['skeen', 'skene'], 'skeo': ['skeo', 'soke'], 'skeptic': ['skeptic', 'spicket'], 'skere': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'sketcher': ['resketch', 'sketcher'], 'skete': ['keest', 'skeet', 'skete', 'steek'], 'skey': ['skey', 'skye'], 'skid': ['disk', 'kids', 'skid'], 'skier': ['kreis', 'skier'], 'skil': ['lisk', 'silk', 'skil'], 'skin': ['inks', 'sink', 'skin'], 'skinch': ['chinks', 'skinch'], 'skinless': ['silkness', 'sinkless', 'skinless'], 'skinlike': ['sinklike', 'skinlike'], 'skip': ['pisk', 'skip'], 'skippel': ['skippel', 'skipple'], 'skipple': ['skippel', 'skipple'], 'skirmish': ['skirmish', 'smirkish'], 'skirreh': ['shirker', 'skirreh'], 'skirret': ['skirret', 'skirter', 'striker'], 'skirt': ['skirt', 'stirk'], 'skirter': ['skirret', 'skirter', 'striker'], 'skirting': ['skirting', 'striking'], 'skirtingly': ['skirtingly', 'strikingly'], 'skirty': ['kirsty', 'skirty'], 'skit': ['kist', 'skit'], 'skite': ['siket', 'skite'], 'skiter': ['skiter', 'strike'], 'skittle': ['kittles', 'skittle'], 'sklate': ['lasket', 'sklate'], 'sklater': ['sklater', 'stalker'], 'sklinter': ['sklinter', 'strinkle'], 'skoal': ['skoal', 'sloka'], 'skoo': ['koso', 'skoo', 'sook'], 'skua': ['kusa', 'skua'], 'skun': ['skun', 'sunk'], 'skye': ['skey', 'skye'], 'sla': ['las', 'sal', 'sla'], 'slab': ['blas', 'slab'], 'slacken': ['slacken', 'snackle'], 'slade': ['leads', 'slade'], 'slae': ['elsa', 'sale', 'seal', 'slae'], 'slain': ['sinal', 'slain', 'snail'], 'slainte': ['elastin', 'salient', 'saltine', 'slainte'], 'slait': ['alist', 'litas', 'slait', 'talis'], 'slake': ['alkes', 'sakel', 'slake'], 'slam': ['alms', 'salm', 'slam'], 'slamp': ['plasm', 'psalm', 'slamp'], 'slandering': ['sanderling', 'slandering'], 'slane': ['ansel', 'slane'], 'slang': ['glans', 'slang'], 'slangily': ['signally', 'singally', 'slangily'], 'slangish': ['slangish', 'slashing'], 'slangishly': ['slangishly', 'slashingly'], 'slangster': ['slangster', 'strangles'], 'slap': ['salp', 'slap'], 'slape': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'slare': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'slasher': ['reslash', 'slasher'], 'slashing': ['slangish', 'slashing'], 'slashingly': ['slangishly', 'slashingly'], 'slat': ['last', 'salt', 'slat'], 'slate': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'slater': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'slath': ['shalt', 'slath'], 'slather': ['hastler', 'slather'], 'slatiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'slating': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'slatish': ['saltish', 'slatish'], 'slatter': ['rattles', 'slatter', 'starlet', 'startle'], 'slaty': ['lasty', 'salty', 'slaty'], 'slaughter': ['lethargus', 'slaughter'], 'slaughterman': ['manslaughter', 'slaughterman'], 'slaum': ['lamus', 'malus', 'musal', 'slaum'], 'slave': ['salve', 'selva', 'slave', 'valse'], 'slaver': ['salver', 'serval', 'slaver', 'versal'], 'slaverer': ['reserval', 'reversal', 'slaverer'], 'slavey': ['slavey', 'sylvae'], 'slavi': ['silva', 'slavi'], 'slavian': ['salivan', 'slavian'], 'slavic': ['clavis', 'slavic'], 'slavonic': ['slavonic', 'volscian'], 'slay': ['lyas', 'slay'], 'slayer': ['reslay', 'slayer'], 'sleave': ['leaves', 'sleave'], 'sledger': ['redlegs', 'sledger'], 'slee': ['else', 'lees', 'seel', 'sele', 'slee'], 'sleech': ['lesche', 'sleech'], 'sleek': ['skeel', 'sleek'], 'sleeking': ['skeeling', 'sleeking'], 'sleeky': ['skeely', 'sleeky'], 'sleep': ['sleep', 'speel'], 'sleepless': ['sleepless', 'speelless'], 'sleepry': ['presley', 'sleepry'], 'sleet': ['sleet', 'slete', 'steel', 'stele'], 'sleetiness': ['sleetiness', 'steeliness'], 'sleeting': ['sleeting', 'steeling'], 'sleetproof': ['sleetproof', 'steelproof'], 'sleety': ['sleety', 'steely'], 'slept': ['slept', 'spelt', 'splet'], 'slete': ['sleet', 'slete', 'steel', 'stele'], 'sleuth': ['hustle', 'sleuth'], 'slew': ['slew', 'wels'], 'slewing': ['slewing', 'swingle'], 'sley': ['lyse', 'sley'], 'slice': ['sicel', 'slice'], 'slicht': ['slicht', 'slitch'], 'slicken': ['slicken', 'snickle'], 'slicker': ['sickler', 'slicker'], 'slickery': ['sickerly', 'slickery'], 'slicking': ['sickling', 'slicking'], 'slidable': ['sabellid', 'slidable'], 'slidden': ['slidden', 'sniddle'], 'slide': ['sidle', 'slide'], 'slider': ['sidler', 'slider'], 'sliding': ['sidling', 'sliding'], 'slidingly': ['sidlingly', 'slidingly'], 'slifter': ['slifter', 'stifler'], 'slightily': ['sightlily', 'slightily'], 'slightiness': ['sightliness', 'slightiness'], 'slighty': ['sightly', 'slighty'], 'slime': ['limes', 'miles', 'slime', 'smile'], 'slimeman': ['melanism', 'slimeman'], 'slimer': ['slimer', 'smiler'], 'slimy': ['limsy', 'slimy', 'smily'], 'sline': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'slinge': ['single', 'slinge'], 'slinger': ['singler', 'slinger'], 'slink': ['links', 'slink'], 'slip': ['lisp', 'slip'], 'slipcoat': ['postical', 'slipcoat'], 'slipe': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'slipover': ['overslip', 'slipover'], 'slipway': ['slipway', 'waspily'], 'slit': ['list', 'silt', 'slit'], 'slitch': ['slicht', 'slitch'], 'slite': ['islet', 'istle', 'slite', 'stile'], 'slithy': ['hylist', 'slithy'], 'slitless': ['listless', 'slitless'], 'slitlike': ['siltlike', 'slitlike'], 'slitted': ['slitted', 'stilted'], 'slitter': ['litster', 'slitter', 'stilter', 'testril'], 'slitty': ['slitty', 'stilty'], 'slive': ['elvis', 'levis', 'slive'], 'sliver': ['silver', 'sliver'], 'sliverer': ['resilver', 'silverer', 'sliverer'], 'sliverlike': ['silverlike', 'sliverlike'], 'slivery': ['silvery', 'slivery'], 'sloan': ['salon', 'sloan', 'solan'], 'slod': ['slod', 'sold'], 'sloe': ['lose', 'sloe', 'sole'], 'sloka': ['skoal', 'sloka'], 'slone': ['slone', 'solen'], 'sloo': ['sloo', 'solo', 'sool'], 'sloom': ['mools', 'sloom'], 'sloop': ['polos', 'sloop', 'spool'], 'slope': ['elops', 'slope', 'spole'], 'sloper': ['sloper', 'splore'], 'slot': ['lost', 'lots', 'slot'], 'slote': ['slote', 'stole'], 'sloted': ['sloted', 'stoled'], 'slotter': ['settlor', 'slotter'], 'slouch': ['holcus', 'lochus', 'slouch'], 'slouchiness': ['cushionless', 'slouchiness'], 'slouchy': ['chylous', 'slouchy'], 'slovenian': ['slovenian', 'venosinal'], 'slow': ['slow', 'sowl'], 'slud': ['slud', 'suld'], 'slue': ['lues', 'slue'], 'sluit': ['litus', 'sluit', 'tulsi'], 'slunge': ['gunsel', 'selung', 'slunge'], 'slurp': ['slurp', 'spurl'], 'slut': ['lust', 'slut'], 'sluther': ['hulster', 'hustler', 'sluther'], 'slutter': ['slutter', 'trustle'], 'sly': ['lys', 'sly'], 'sma': ['mas', 'sam', 'sma'], 'smachrie': ['semiarch', 'smachrie'], 'smallen': ['ensmall', 'smallen'], 'smalltime': ['metallism', 'smalltime'], 'smaltine': ['mentalis', 'smaltine', 'stileman'], 'smaltite': ['metalist', 'smaltite'], 'smart': ['smart', 'stram'], 'smarten': ['sarment', 'smarten'], 'smashage': ['gamashes', 'smashage'], 'smeary': ['ramsey', 'smeary'], 'smectis': ['sectism', 'smectis'], 'smee': ['mese', 'seem', 'seme', 'smee'], 'smeech': ['scheme', 'smeech'], 'smeek': ['meeks', 'smeek'], 'smeer': ['merse', 'smeer'], 'smeeth': ['smeeth', 'smethe'], 'smeller': ['resmell', 'smeller'], 'smelly': ['mysell', 'smelly'], 'smelter': ['melters', 'resmelt', 'smelter'], 'smethe': ['smeeth', 'smethe'], 'smilax': ['laxism', 'smilax'], 'smile': ['limes', 'miles', 'slime', 'smile'], 'smiler': ['slimer', 'smiler'], 'smilet': ['mistle', 'smilet'], 'smiling': ['simling', 'smiling'], 'smily': ['limsy', 'slimy', 'smily'], 'sminthian': ['mitannish', 'sminthian'], 'smirch': ['chrism', 'smirch'], 'smirkish': ['skirmish', 'smirkish'], 'smit': ['mist', 'smit', 'stim'], 'smite': ['metis', 'smite', 'stime', 'times'], 'smiter': ['merist', 'mister', 'smiter'], 'smither': ['rhemist', 'smither'], 'smithian': ['isthmian', 'smithian'], 'smoker': ['mosker', 'smoker'], 'smoot': ['moost', 'smoot'], 'smoother': ['resmooth', 'romeshot', 'smoother'], 'smoothingly': ['hymnologist', 'smoothingly'], 'smore': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'smote': ['moste', 'smote'], 'smother': ['smother', 'thermos'], 'smouse': ['mousse', 'smouse'], 'smouser': ['osmerus', 'smouser'], 'smuggle': ['muggles', 'smuggle'], 'smut': ['must', 'smut', 'stum'], 'smyrniot': ['smyrniot', 'tyronism'], 'smyrniote': ['myristone', 'smyrniote'], 'snab': ['nabs', 'snab'], 'snackle': ['slacken', 'snackle'], 'snag': ['sang', 'snag'], 'snagrel': ['sangrel', 'snagrel'], 'snail': ['sinal', 'slain', 'snail'], 'snaillike': ['silkaline', 'snaillike'], 'snaily': ['anisyl', 'snaily'], 'snaith': ['snaith', 'tahsin'], 'snake': ['skean', 'snake', 'sneak'], 'snap': ['snap', 'span'], 'snape': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'snaper': ['resnap', 'respan', 'snaper'], 'snapless': ['snapless', 'spanless'], 'snapy': ['pansy', 'snapy'], 'snare': ['anser', 'nares', 'rasen', 'snare'], 'snarer': ['serran', 'snarer'], 'snaste': ['assent', 'snaste'], 'snatch': ['chanst', 'snatch', 'stanch'], 'snatchable': ['snatchable', 'stanchable'], 'snatcher': ['resnatch', 'snatcher', 'stancher'], 'snath': ['shant', 'snath'], 'snathe': ['athens', 'hasten', 'snathe', 'sneath'], 'snaw': ['sawn', 'snaw', 'swan'], 'snead': ['sedan', 'snead'], 'sneak': ['skean', 'snake', 'sneak'], 'sneaker': ['keresan', 'sneaker'], 'sneaksman': ['masskanne', 'sneaksman'], 'sneap': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'sneath': ['athens', 'hasten', 'snathe', 'sneath'], 'sneathe': ['sneathe', 'thesean'], 'sned': ['send', 'sned'], 'snee': ['ense', 'esne', 'nese', 'seen', 'snee'], 'sneer': ['renes', 'sneer'], 'snew': ['news', 'sewn', 'snew'], 'snib': ['nibs', 'snib'], 'snickle': ['slicken', 'snickle'], 'sniddle': ['slidden', 'sniddle'], 'snide': ['denis', 'snide'], 'snig': ['sign', 'sing', 'snig'], 'snigger': ['serging', 'snigger'], 'snip': ['snip', 'spin'], 'snipe': ['penis', 'snipe', 'spine'], 'snipebill': ['snipebill', 'spinebill'], 'snipelike': ['snipelike', 'spinelike'], 'sniper': ['pernis', 'respin', 'sniper'], 'snipocracy': ['conspiracy', 'snipocracy'], 'snipper': ['nippers', 'snipper'], 'snippet': ['snippet', 'stippen'], 'snipy': ['snipy', 'spiny'], 'snitcher': ['christen', 'snitcher'], 'snite': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'snithy': ['shinty', 'snithy'], 'sniveler': ['ensilver', 'sniveler'], 'snively': ['snively', 'sylvine'], 'snob': ['bosn', 'nobs', 'snob'], 'snocker': ['conkers', 'snocker'], 'snod': ['snod', 'sond'], 'snoek': ['snoek', 'snoke', 'soken'], 'snog': ['snog', 'song'], 'snoke': ['snoek', 'snoke', 'soken'], 'snook': ['onkos', 'snook'], 'snoop': ['snoop', 'spoon'], 'snooper': ['snooper', 'spooner'], 'snoopy': ['snoopy', 'spoony'], 'snoot': ['snoot', 'stoon'], 'snore': ['norse', 'noser', 'seron', 'snore'], 'snorer': ['snorer', 'sorner'], 'snoring': ['snoring', 'sorning'], 'snork': ['norsk', 'snork'], 'snotter': ['snotter', 'stentor', 'torsten'], 'snout': ['notus', 'snout', 'stoun', 'tonus'], 'snouter': ['snouter', 'tonsure', 'unstore'], 'snow': ['snow', 'sown'], 'snowie': ['nowise', 'snowie'], 'snowish': ['snowish', 'whisson'], 'snowy': ['snowy', 'wyson'], 'snug': ['snug', 'sung'], 'snup': ['snup', 'spun'], 'snurp': ['snurp', 'spurn'], 'snurt': ['snurt', 'turns'], 'so': ['os', 'so'], 'soak': ['asok', 'soak', 'soka'], 'soaker': ['arkose', 'resoak', 'soaker'], 'soally': ['soally', 'sollya'], 'soam': ['amos', 'soam', 'soma'], 'soap': ['asop', 'sapo', 'soap'], 'soaper': ['resoap', 'soaper'], 'soar': ['asor', 'rosa', 'soar', 'sora'], 'sob': ['bos', 'sob'], 'sobeit': ['setibo', 'sobeit'], 'sober': ['boser', 'brose', 'sober'], 'sobralite': ['sobralite', 'strobilae'], 'soc': ['cos', 'osc', 'soc'], 'socager': ['corsage', 'socager'], 'social': ['colias', 'scolia', 'social'], 'socialite': ['aeolistic', 'socialite'], 'societal': ['cosalite', 'societal'], 'societism': ['seismotic', 'societism'], 'socinian': ['oscinian', 'socinian'], 'sociobiological': ['biosociological', 'sociobiological'], 'sociolegal': ['oligoclase', 'sociolegal'], 'socius': ['scious', 'socius'], 'socle': ['close', 'socle'], 'soco': ['coos', 'soco'], 'socotran': ['ostracon', 'socotran'], 'socotrine': ['certosino', 'cortisone', 'socotrine'], 'socratean': ['ostracean', 'socratean'], 'socratic': ['acrostic', 'sarcotic', 'socratic'], 'socratical': ['acrostical', 'socratical'], 'socratically': ['acrostically', 'socratically'], 'socraticism': ['acrosticism', 'socraticism'], 'socratism': ['ostracism', 'socratism'], 'socratize': ['ostracize', 'socratize'], 'sod': ['dos', 'ods', 'sod'], 'soda': ['dosa', 'sado', 'soda'], 'sodalite': ['diastole', 'isolated', 'sodalite', 'solidate'], 'sodium': ['modius', 'sodium'], 'sodom': ['dooms', 'sodom'], 'sodomitic': ['diosmotic', 'sodomitic'], 'soe': ['oes', 'ose', 'soe'], 'soft': ['soft', 'stof'], 'soften': ['oftens', 'soften'], 'softener': ['resoften', 'softener'], 'sog': ['gos', 'sog'], 'soga': ['sago', 'soga'], 'soger': ['gorse', 'soger'], 'soh': ['sho', 'soh'], 'soho': ['shoo', 'soho'], 'soil': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soiled': ['isolde', 'soiled'], 'sojourner': ['resojourn', 'sojourner'], 'sok': ['kos', 'sok'], 'soka': ['asok', 'soak', 'soka'], 'soke': ['skeo', 'soke'], 'soken': ['snoek', 'snoke', 'soken'], 'sola': ['also', 'sola'], 'solacer': ['escolar', 'solacer'], 'solan': ['salon', 'sloan', 'solan'], 'solar': ['rosal', 'solar', 'soral'], 'solaristics': ['scissortail', 'solaristics'], 'solate': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'sold': ['slod', 'sold'], 'solder': ['dorsel', 'seldor', 'solder'], 'solderer': ['resolder', 'solderer'], 'soldi': ['soldi', 'solid'], 'soldo': ['soldo', 'solod'], 'sole': ['lose', 'sloe', 'sole'], 'solea': ['alose', 'osela', 'solea'], 'solecist': ['solecist', 'solstice'], 'solen': ['slone', 'solen'], 'soleness': ['noseless', 'soleness'], 'solenial': ['lesional', 'solenial'], 'solenite': ['noselite', 'solenite'], 'solenium': ['emulsion', 'solenium'], 'solenopsis': ['poisonless', 'solenopsis'], 'solent': ['solent', 'stolen', 'telson'], 'solentine': ['nelsonite', 'solentine'], 'soler': ['loser', 'orsel', 'rosel', 'soler'], 'solera': ['roseal', 'solera'], 'soles': ['loess', 'soles'], 'soli': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soliative': ['isolative', 'soliative'], 'solicit': ['colitis', 'solicit'], 'solicitation': ['coalitionist', 'solicitation'], 'soliciter': ['resolicit', 'soliciter'], 'soliciting': ['ignicolist', 'soliciting'], 'solicitude': ['isodulcite', 'solicitude'], 'solid': ['soldi', 'solid'], 'solidate': ['diastole', 'isolated', 'sodalite', 'solidate'], 'solidus': ['dissoul', 'dulosis', 'solidus'], 'solilunar': ['lunisolar', 'solilunar'], 'soliped': ['despoil', 'soliped', 'spoiled'], 'solitarian': ['sinoatrial', 'solitarian'], 'solitary': ['royalist', 'solitary'], 'soliterraneous': ['salinoterreous', 'soliterraneous'], 'solitude': ['outslide', 'solitude'], 'sollya': ['soally', 'sollya'], 'solmizate': ['solmizate', 'zealotism'], 'solo': ['sloo', 'solo', 'sool'], 'solod': ['soldo', 'solod'], 'solon': ['olson', 'solon'], 'solonic': ['scolion', 'solonic'], 'soloth': ['soloth', 'tholos'], 'solotink': ['solotink', 'solotnik'], 'solotnik': ['solotink', 'solotnik'], 'solstice': ['solecist', 'solstice'], 'solum': ['mosul', 'mouls', 'solum'], 'solute': ['lutose', 'solute', 'tousle'], 'solutioner': ['resolution', 'solutioner'], 'soma': ['amos', 'soam', 'soma'], 'somacule': ['maculose', 'somacule'], 'somal': ['salmo', 'somal'], 'somali': ['limosa', 'somali'], 'somasthenia': ['anhematosis', 'somasthenia'], 'somatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'somatics': ['acosmist', 'massicot', 'somatics'], 'somatism': ['osmatism', 'somatism'], 'somatophyte': ['hepatostomy', 'somatophyte'], 'somatophytic': ['hypostomatic', 'somatophytic'], 'somatopleuric': ['micropetalous', 'somatopleuric'], 'somatopsychic': ['psychosomatic', 'somatopsychic'], 'somatosplanchnic': ['somatosplanchnic', 'splanchnosomatic'], 'somatous': ['astomous', 'somatous'], 'somber': ['somber', 'sombre'], 'sombre': ['somber', 'sombre'], 'some': ['meso', 'mose', 'some'], 'someday': ['samoyed', 'someday'], 'somers': ['messor', 'mosser', 'somers'], 'somnambule': ['somnambule', 'summonable'], 'somnial': ['malison', 'manolis', 'osmanli', 'somnial'], 'somnopathy': ['phytomonas', 'somnopathy'], 'somnorific': ['onisciform', 'somnorific'], 'son': ['ons', 'son'], 'sonant': ['santon', 'sonant', 'stanno'], 'sonantic': ['canonist', 'sanction', 'sonantic'], 'sonar': ['arson', 'saron', 'sonar'], 'sonatina': ['ansation', 'sonatina'], 'sond': ['snod', 'sond'], 'sondation': ['anisodont', 'sondation'], 'sondeli': ['indoles', 'sondeli'], 'soneri': ['rosine', 'senior', 'soneri'], 'song': ['snog', 'song'], 'songoi': ['isogon', 'songoi'], 'songy': ['gonys', 'songy'], 'sonic': ['oscin', 'scion', 'sonic'], 'sonja': ['janos', 'jason', 'jonas', 'sonja'], 'sonneratia': ['arsenation', 'senatorian', 'sonneratia'], 'sonnet': ['sonnet', 'stonen', 'tenson'], 'sonnetwise': ['sonnetwise', 'swinestone'], 'sonrai': ['arsino', 'rasion', 'sonrai'], 'sontag': ['sontag', 'tongas'], 'soodle': ['dolose', 'oodles', 'soodle'], 'sook': ['koso', 'skoo', 'sook'], 'sool': ['sloo', 'solo', 'sool'], 'soon': ['oons', 'soon'], 'sooner': ['nooser', 'seroon', 'sooner'], 'sooter': ['seroot', 'sooter', 'torose'], 'sooth': ['shoot', 'sooth', 'sotho', 'toosh'], 'soother': ['orthose', 'reshoot', 'shooter', 'soother'], 'soothing': ['shooting', 'soothing'], 'sootiness': ['enostosis', 'sootiness'], 'sooty': ['sooty', 'soyot'], 'sope': ['epos', 'peso', 'pose', 'sope'], 'soph': ['phos', 'posh', 'shop', 'soph'], 'sophister': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'sophistical': ['postischial', 'sophistical'], 'sophomore': ['osmophore', 'sophomore'], 'sopition': ['position', 'sopition'], 'sopor': ['poros', 'proso', 'sopor', 'spoor'], 'soprani': ['parison', 'soprani'], 'sopranist': ['postnaris', 'sopranist'], 'soprano': ['pronaos', 'soprano'], 'sora': ['asor', 'rosa', 'soar', 'sora'], 'sorabian': ['abrasion', 'sorabian'], 'soral': ['rosal', 'solar', 'soral'], 'sorbate': ['barotse', 'boaster', 'reboast', 'sorbate'], 'sorbin': ['insorb', 'sorbin'], 'sorcer': ['scorer', 'sorcer'], 'sorchin': ['cornish', 'cronish', 'sorchin'], 'sorda': ['sarod', 'sorda'], 'sordes': ['dosser', 'sordes'], 'sordine': ['indorse', 'ordines', 'siredon', 'sordine'], 'sordino': ['indoors', 'sordino'], 'sore': ['eros', 'rose', 'sero', 'sore'], 'soredia': ['ardoise', 'aroides', 'soredia'], 'sorediate': ['oestridae', 'ostreidae', 'sorediate'], 'soredium': ['dimerous', 'soredium'], 'soree': ['erose', 'soree'], 'sorefoot': ['footsore', 'sorefoot'], 'sorehead': ['rosehead', 'sorehead'], 'sorehon': ['onshore', 'sorehon'], 'sorema': ['amores', 'ramose', 'sorema'], 'soricid': ['cirsoid', 'soricid'], 'soricident': ['discretion', 'soricident'], 'soricine': ['recision', 'soricine'], 'sorite': ['restio', 'sorite', 'sortie', 'triose'], 'sorites': ['rossite', 'sorites'], 'sornare': ['serrano', 'sornare'], 'sorner': ['snorer', 'sorner'], 'sorning': ['snoring', 'sorning'], 'sororial': ['rosorial', 'sororial'], 'sorption': ['notropis', 'positron', 'sorption'], 'sortable': ['sortable', 'storable'], 'sorted': ['sorted', 'strode'], 'sorter': ['resort', 'roster', 'sorter', 'storer'], 'sortie': ['restio', 'sorite', 'sortie', 'triose'], 'sortilegus': ['sortilegus', 'strigulose'], 'sortiment': ['sortiment', 'trimstone'], 'sortly': ['sortly', 'styrol'], 'sorty': ['sorty', 'story', 'stroy'], 'sorva': ['savor', 'sorva'], 'sory': ['rosy', 'sory'], 'sosia': ['oasis', 'sosia'], 'sostenuto': ['ostentous', 'sostenuto'], 'soter': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'soterial': ['soterial', 'striolae'], 'sotho': ['shoot', 'sooth', 'sotho', 'toosh'], 'sotie': ['sotie', 'toise'], 'sotnia': ['sotnia', 'tinosa'], 'sotol': ['sotol', 'stool'], 'sots': ['sots', 'toss'], 'sotter': ['sotter', 'testor'], 'soucar': ['acorus', 'soucar'], 'souchet': ['souchet', 'techous', 'tousche'], 'souly': ['lousy', 'souly'], 'soum': ['soum', 'sumo'], 'soumansite': ['soumansite', 'stamineous'], 'sound': ['nodus', 'ounds', 'sound'], 'sounder': ['resound', 'sounder', 'unrosed'], 'soup': ['opus', 'soup'], 'souper': ['poseur', 'pouser', 'souper', 'uprose'], 'sour': ['ours', 'sour'], 'source': ['cerous', 'course', 'crouse', 'source'], 'soured': ['douser', 'soured'], 'souredness': ['rousedness', 'souredness'], 'souren': ['souren', 'unsore', 'ursone'], 'sourer': ['rouser', 'sourer'], 'souring': ['nigrous', 'rousing', 'souring'], 'sourly': ['lusory', 'sourly'], 'soursop': ['psorous', 'soursop', 'sporous'], 'soury': ['soury', 'yours'], 'souser': ['serous', 'souser'], 'souter': ['ouster', 'souter', 'touser', 'trouse'], 'souterrain': ['souterrain', 'ternarious', 'trouserian'], 'south': ['shout', 'south'], 'souther': ['shouter', 'souther'], 'southerland': ['southerland', 'southlander'], 'southing': ['shouting', 'southing'], 'southlander': ['southerland', 'southlander'], 'soviet': ['soviet', 'sovite'], 'sovite': ['soviet', 'sovite'], 'sowdones': ['sowdones', 'woodness'], 'sowel': ['sowel', 'sowle'], 'sower': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'sowl': ['slow', 'sowl'], 'sowle': ['sowel', 'sowle'], 'sown': ['snow', 'sown'], 'sowt': ['sowt', 'stow', 'swot', 'wots'], 'soyot': ['sooty', 'soyot'], 'spa': ['asp', 'sap', 'spa'], 'space': ['capes', 'scape', 'space'], 'spaceless': ['scapeless', 'spaceless'], 'spacer': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'spade': ['depas', 'sepad', 'spade'], 'spader': ['rasped', 'spader', 'spread'], 'spadiceous': ['dipsaceous', 'spadiceous'], 'spadone': ['espadon', 'spadone'], 'spadonic': ['spadonic', 'spondaic', 'spondiac'], 'spadrone': ['parsoned', 'spadrone'], 'spae': ['apse', 'pesa', 'spae'], 'spaer': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spahi': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'spaid': ['sapid', 'spaid'], 'spaik': ['askip', 'spaik'], 'spairge': ['prisage', 'spairge'], 'spalacine': ['asclepian', 'spalacine'], 'spale': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spalt': ['spalt', 'splat'], 'span': ['snap', 'span'], 'spancel': ['enclasp', 'spancel'], 'spane': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spanemia': ['paeanism', 'spanemia'], 'spangler': ['spangler', 'sprangle'], 'spangolite': ['postgenial', 'spangolite'], 'spaniel': ['espinal', 'pinales', 'spaniel'], 'spaniol': ['sanpoil', 'spaniol'], 'spanless': ['snapless', 'spanless'], 'spar': ['rasp', 'spar'], 'sparable': ['parsable', 'prebasal', 'sparable'], 'spare': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spareable': ['separable', 'spareable'], 'sparely': ['parsley', 'pyrales', 'sparely', 'splayer'], 'sparer': ['parser', 'rasper', 'sparer'], 'sparerib': ['ribspare', 'sparerib'], 'sparge': ['gasper', 'sparge'], 'sparger': ['grasper', 'regrasp', 'sparger'], 'sparidae': ['paradise', 'sparidae'], 'sparing': ['aspring', 'rasping', 'sparing'], 'sparingly': ['raspingly', 'sparingly'], 'sparingness': ['raspingness', 'sparingness'], 'sparling': ['laspring', 'sparling', 'springal'], 'sparoid': ['prasoid', 'sparoid'], 'sparse': ['passer', 'repass', 'sparse'], 'spart': ['spart', 'sprat', 'strap', 'traps'], 'spartanic': ['sacripant', 'spartanic'], 'sparteine': ['pistareen', 'sparteine'], 'sparterie': ['periaster', 'sparterie'], 'spartina': ['aspirant', 'partisan', 'spartina'], 'spartle': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'spary': ['raspy', 'spary', 'spray'], 'spat': ['past', 'spat', 'stap', 'taps'], 'spate': ['paste', 'septa', 'spate'], 'spathal': ['asphalt', 'spathal', 'taplash'], 'spathe': ['spathe', 'thapes'], 'spathic': ['haptics', 'spathic'], 'spatling': ['spatling', 'stapling'], 'spatter': ['spatter', 'tapster'], 'spattering': ['spattering', 'tapestring'], 'spattle': ['peltast', 'spattle'], 'spatular': ['pastural', 'spatular'], 'spatule': ['pulsate', 'spatule', 'upsteal'], 'spave': ['spave', 'vespa'], 'speak': ['sapek', 'speak'], 'speaker': ['respeak', 'speaker'], 'speal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spean': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spear': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spearman': ['parmesan', 'spearman'], 'spearmint': ['spearmint', 'spermatin'], 'speary': ['presay', 'speary'], 'spec': ['ceps', 'spec'], 'spectatorial': ['poetastrical', 'spectatorial'], 'specter': ['respect', 'scepter', 'specter'], 'spectered': ['sceptered', 'spectered'], 'spectra': ['precast', 'spectra'], 'spectral': ['sceptral', 'scraplet', 'spectral'], 'spectromicroscope': ['microspectroscope', 'spectromicroscope'], 'spectrotelescope': ['spectrotelescope', 'telespectroscope'], 'spectrous': ['spectrous', 'susceptor', 'suspector'], 'spectry': ['precyst', 'sceptry', 'spectry'], 'specula': ['capsule', 'specula', 'upscale'], 'specular': ['capsuler', 'specular'], 'speed': ['pedes', 'speed'], 'speel': ['sleep', 'speel'], 'speelless': ['sleepless', 'speelless'], 'speer': ['peres', 'perse', 'speer', 'spree'], 'speerity': ['perseity', 'speerity'], 'speiss': ['sepsis', 'speiss'], 'spelaean': ['seaplane', 'spelaean'], 'spelk': ['skelp', 'spelk'], 'speller': ['presell', 'respell', 'speller'], 'spelt': ['slept', 'spelt', 'splet'], 'spenerism': ['primeness', 'spenerism'], 'speos': ['posse', 'speos'], 'sperate': ['perates', 'repaste', 'sperate'], 'sperity': ['pyrites', 'sperity'], 'sperling': ['sperling', 'springle'], 'spermalist': ['psalmister', 'spermalist'], 'spermathecal': ['chapelmaster', 'spermathecal'], 'spermatid': ['predatism', 'spermatid'], 'spermatin': ['spearmint', 'spermatin'], 'spermatogonium': ['protomagnesium', 'spermatogonium'], 'spermatozoic': ['spermatozoic', 'zoospermatic'], 'spermiogenesis': ['geissospermine', 'spermiogenesis'], 'spermocarp': ['carposperm', 'spermocarp'], 'spet': ['pest', 'sept', 'spet', 'step'], 'spew': ['spew', 'swep'], 'sphacelation': ['lipsanotheca', 'sphacelation'], 'sphecidae': ['cheapside', 'sphecidae'], 'sphene': ['sephen', 'sphene'], 'sphenoethmoid': ['ethmosphenoid', 'sphenoethmoid'], 'sphenoethmoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'sphenotic': ['phonetics', 'sphenotic'], 'spheral': ['plasher', 'spheral'], 'spheration': ['opisthenar', 'spheration'], 'sphere': ['herpes', 'hesper', 'sphere'], 'sphery': ['sphery', 'sypher'], 'sphyraenid': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'sphyrnidae': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'spica': ['aspic', 'spica'], 'spicate': ['aseptic', 'spicate'], 'spice': ['sepic', 'spice'], 'spicer': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'spiciferous': ['pisciferous', 'spiciferous'], 'spiciform': ['pisciform', 'spiciform'], 'spicket': ['skeptic', 'spicket'], 'spicular': ['scripula', 'spicular'], 'spiculate': ['euplastic', 'spiculate'], 'spiculated': ['disculpate', 'spiculated'], 'spicule': ['clipeus', 'spicule'], 'spider': ['spider', 'spired', 'spried'], 'spiderish': ['sidership', 'spiderish'], 'spiderlike': ['predislike', 'spiderlike'], 'spiel': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spier': ['siper', 'spier', 'spire'], 'spikelet': ['spikelet', 'steplike'], 'spiking': ['pigskin', 'spiking'], 'spiky': ['pisky', 'spiky'], 'spile': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spiler': ['lisper', 'pliers', 'sirple', 'spiler'], 'spiling': ['sipling', 'spiling'], 'spiloma': ['imposal', 'spiloma'], 'spilt': ['spilt', 'split'], 'spin': ['snip', 'spin'], 'spina': ['pisan', 'sapin', 'spina'], 'spinae': ['sepian', 'spinae'], 'spinales': ['painless', 'spinales'], 'spinate': ['panties', 'sapient', 'spinate'], 'spindled': ['spindled', 'splendid'], 'spindler': ['spindler', 'splinder'], 'spine': ['penis', 'snipe', 'spine'], 'spinebill': ['snipebill', 'spinebill'], 'spinel': ['spinel', 'spline'], 'spinelike': ['snipelike', 'spinelike'], 'spinet': ['instep', 'spinet'], 'spinigerous': ['serpiginous', 'spinigerous'], 'spinigrade': ['despairing', 'spinigrade'], 'spinoid': ['spinoid', 'spionid'], 'spinoneural': ['spinoneural', 'unipersonal'], 'spinotectal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'spiny': ['snipy', 'spiny'], 'spionid': ['spinoid', 'spionid'], 'spiracle': ['calipers', 'spiracle'], 'spiracula': ['auriscalp', 'spiracula'], 'spiral': ['prisal', 'spiral'], 'spiralism': ['misprisal', 'spiralism'], 'spiraloid': ['spiraloid', 'sporidial'], 'spiran': ['spiran', 'sprain'], 'spirant': ['spirant', 'spraint'], 'spirate': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'spire': ['siper', 'spier', 'spire'], 'spirea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'spired': ['spider', 'spired', 'spried'], 'spirelet': ['epistler', 'spirelet'], 'spireme': ['emprise', 'imprese', 'premise', 'spireme'], 'spiritally': ['pistillary', 'spiritally'], 'spiriter': ['respirit', 'spiriter'], 'spirometer': ['prisometer', 'spirometer'], 'spironema': ['mesropian', 'promnesia', 'spironema'], 'spirt': ['spirt', 'sprit', 'stirp', 'strip'], 'spirula': ['parulis', 'spirula', 'uprisal'], 'spit': ['pist', 'spit'], 'spital': ['alpist', 'pastil', 'spital'], 'spite': ['septi', 'spite', 'stipe'], 'spithame': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'spitter': ['spitter', 'tipster'], 'splairge': ['aspergil', 'splairge'], 'splanchnosomatic': ['somatosplanchnic', 'splanchnosomatic'], 'splasher': ['harpless', 'splasher'], 'splat': ['spalt', 'splat'], 'splay': ['palsy', 'splay'], 'splayed': ['pylades', 'splayed'], 'splayer': ['parsley', 'pyrales', 'sparely', 'splayer'], 'spleet': ['pestle', 'spleet'], 'splender': ['resplend', 'splender'], 'splendid': ['spindled', 'splendid'], 'splenium': ['splenium', 'unsimple'], 'splenolaparotomy': ['laparosplenotomy', 'splenolaparotomy'], 'splenoma': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'splenomegalia': ['megalosplenia', 'splenomegalia'], 'splenonephric': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splenophrenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splet': ['slept', 'spelt', 'splet'], 'splice': ['clipse', 'splice'], 'spliceable': ['eclipsable', 'spliceable'], 'splinder': ['spindler', 'splinder'], 'spline': ['spinel', 'spline'], 'split': ['spilt', 'split'], 'splitter': ['splitter', 'striplet'], 'splore': ['sloper', 'splore'], 'spogel': ['gospel', 'spogel'], 'spoil': ['polis', 'spoil'], 'spoilage': ['pelasgoi', 'spoilage'], 'spoilation': ['positional', 'spoilation', 'spoliation'], 'spoiled': ['despoil', 'soliped', 'spoiled'], 'spoiler': ['leporis', 'spoiler'], 'spoilment': ['simpleton', 'spoilment'], 'spoilt': ['pistol', 'postil', 'spoilt'], 'spole': ['elops', 'slope', 'spole'], 'spoliation': ['positional', 'spoilation', 'spoliation'], 'spondaic': ['spadonic', 'spondaic', 'spondiac'], 'spondiac': ['spadonic', 'spondaic', 'spondiac'], 'spongily': ['posingly', 'spongily'], 'sponsal': ['plasson', 'sponsal'], 'sponsalia': ['passional', 'sponsalia'], 'spool': ['polos', 'sloop', 'spool'], 'spoon': ['snoop', 'spoon'], 'spooner': ['snooper', 'spooner'], 'spoony': ['snoopy', 'spoony'], 'spoonyism': ['spoonyism', 'symposion'], 'spoor': ['poros', 'proso', 'sopor', 'spoor'], 'spoot': ['spoot', 'stoop'], 'sporangia': ['agapornis', 'sporangia'], 'spore': ['poser', 'prose', 'ropes', 'spore'], 'sporidial': ['spiraloid', 'sporidial'], 'sporification': ['antisoporific', 'prosification', 'sporification'], 'sporogeny': ['gynospore', 'sporogeny'], 'sporoid': ['psoroid', 'sporoid'], 'sporotrichum': ['sporotrichum', 'trichosporum'], 'sporous': ['psorous', 'soursop', 'sporous'], 'sporozoic': ['sporozoic', 'zoosporic'], 'sport': ['sport', 'strop'], 'sporter': ['sporter', 'strepor'], 'sportula': ['postural', 'pulsator', 'sportula'], 'sportulae': ['opulaster', 'sportulae', 'sporulate'], 'sporulate': ['opulaster', 'sportulae', 'sporulate'], 'sporule': ['leprous', 'pelorus', 'sporule'], 'sposhy': ['hyssop', 'phossy', 'sposhy'], 'spot': ['post', 'spot', 'stop', 'tops'], 'spotless': ['postless', 'spotless', 'stopless'], 'spotlessness': ['spotlessness', 'stoplessness'], 'spotlike': ['postlike', 'spotlike'], 'spottedly': ['spottedly', 'spotteldy'], 'spotteldy': ['spottedly', 'spotteldy'], 'spotter': ['protest', 'spotter'], 'spouse': ['esopus', 'spouse'], 'spout': ['spout', 'stoup'], 'spouter': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sprag': ['grasp', 'sprag'], 'sprain': ['spiran', 'sprain'], 'spraint': ['spirant', 'spraint'], 'sprangle': ['spangler', 'sprangle'], 'sprat': ['spart', 'sprat', 'strap', 'traps'], 'spray': ['raspy', 'spary', 'spray'], 'sprayer': ['respray', 'sprayer'], 'spread': ['rasped', 'spader', 'spread'], 'spreadboard': ['broadspread', 'spreadboard'], 'spreader': ['respread', 'spreader'], 'spreadover': ['overspread', 'spreadover'], 'spree': ['peres', 'perse', 'speer', 'spree'], 'spret': ['prest', 'spret'], 'spried': ['spider', 'spired', 'spried'], 'sprier': ['risper', 'sprier'], 'spriest': ['persist', 'spriest'], 'springal': ['laspring', 'sparling', 'springal'], 'springe': ['presign', 'springe'], 'springer': ['respring', 'springer'], 'springhead': ['headspring', 'springhead'], 'springhouse': ['springhouse', 'surgeonship'], 'springle': ['sperling', 'springle'], 'sprit': ['spirt', 'sprit', 'stirp', 'strip'], 'sprite': ['priest', 'pteris', 'sprite', 'stripe'], 'spritehood': ['priesthood', 'spritehood'], 'sproat': ['asport', 'pastor', 'sproat'], 'sprocket': ['prestock', 'sprocket'], 'sprout': ['sprout', 'stroup', 'stupor'], 'sprouter': ['posturer', 'resprout', 'sprouter'], 'sprouting': ['outspring', 'sprouting'], 'sprue': ['purse', 'resup', 'sprue', 'super'], 'spruer': ['purser', 'spruer'], 'spruit': ['purist', 'spruit', 'uprist', 'upstir'], 'spun': ['snup', 'spun'], 'spunkie': ['spunkie', 'unspike'], 'spuriae': ['spuriae', 'uparise', 'upraise'], 'spurl': ['slurp', 'spurl'], 'spurlet': ['purslet', 'spurlet', 'spurtle'], 'spurn': ['snurp', 'spurn'], 'spurt': ['spurt', 'turps'], 'spurtive': ['spurtive', 'upstrive'], 'spurtle': ['purslet', 'spurlet', 'spurtle'], 'sputa': ['sputa', 'staup', 'stupa'], 'sputumary': ['sputumary', 'sumptuary'], 'sputumous': ['sputumous', 'sumptuous'], 'spyer': ['pryse', 'spyer'], 'spyros': ['prossy', 'spyros'], 'squail': ['squail', 'squali'], 'squali': ['squail', 'squali'], 'squamatine': ['antimasque', 'squamatine'], 'squame': ['masque', 'squame', 'squeam'], 'squameous': ['squameous', 'squeamous'], 'squamopetrosal': ['petrosquamosal', 'squamopetrosal'], 'squamosoparietal': ['parietosquamosal', 'squamosoparietal'], 'squareman': ['marquesan', 'squareman'], 'squeaker': ['resqueak', 'squeaker'], 'squeal': ['lasque', 'squeal'], 'squeam': ['masque', 'squame', 'squeam'], 'squeamous': ['squameous', 'squeamous'], 'squillian': ['nisqualli', 'squillian'], 'squire': ['risque', 'squire'], 'squiret': ['querist', 'squiret'], 'squit': ['quits', 'squit'], 'sramana': ['ramanas', 'sramana'], 'sri': ['sir', 'sri'], 'srivatsan': ['ravissant', 'srivatsan'], 'ssi': ['sis', 'ssi'], 'ssu': ['ssu', 'sus'], 'staab': ['basta', 'staab'], 'stab': ['bast', 'bats', 'stab'], 'stabile': ['astilbe', 'bestial', 'blastie', 'stabile'], 'stable': ['ablest', 'stable', 'tables'], 'stableful': ['bullfeast', 'stableful'], 'stabler': ['blaster', 'reblast', 'stabler'], 'stabling': ['blasting', 'stabling'], 'stably': ['blasty', 'stably'], 'staccato': ['staccato', 'stoccata'], 'stacey': ['cytase', 'stacey'], 'stacher': ['stacher', 'thraces'], 'stacker': ['restack', 'stacker'], 'stackman': ['stackman', 'tacksman'], 'stacy': ['stacy', 'styca'], 'stade': ['sedat', 'stade', 'stead'], 'stadic': ['dicast', 'stadic'], 'stadium': ['dumaist', 'stadium'], 'staffer': ['restaff', 'staffer'], 'stag': ['gast', 'stag'], 'stager': ['gaster', 'stager'], 'stagily': ['stagily', 'stygial'], 'stagnation': ['antagonist', 'stagnation'], 'stagnum': ['mustang', 'stagnum'], 'stain': ['saint', 'satin', 'stain'], 'stainable': ['balanites', 'basaltine', 'stainable'], 'stainer': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stainful': ['inflatus', 'stainful'], 'stainless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'staio': ['sitao', 'staio'], 'stair': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'staircase': ['caesarist', 'staircase'], 'staired': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'staithman': ['staithman', 'thanatism'], 'staiver': ['staiver', 'taivers'], 'stake': ['skate', 'stake', 'steak'], 'staker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'stalagmitic': ['stalagmitic', 'stigmatical'], 'stale': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'staling': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'stalker': ['sklater', 'stalker'], 'staller': ['staller', 'stellar'], 'stam': ['mast', 'mats', 'stam'], 'stamen': ['mantes', 'stamen'], 'stamin': ['manist', 'mantis', 'matins', 'stamin'], 'stamina': ['amanist', 'stamina'], 'staminal': ['staminal', 'tailsman', 'talisman'], 'staminate': ['emanatist', 'staminate', 'tasmanite'], 'stamineous': ['soumansite', 'stamineous'], 'staminode': ['ademonist', 'demoniast', 'staminode'], 'stammer': ['stammer', 'stremma'], 'stampede': ['stampede', 'stepdame'], 'stamper': ['restamp', 'stamper'], 'stampian': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'stan': ['nast', 'sant', 'stan'], 'stance': ['ascent', 'secant', 'stance'], 'stanch': ['chanst', 'snatch', 'stanch'], 'stanchable': ['snatchable', 'stanchable'], 'stancher': ['resnatch', 'snatcher', 'stancher'], 'stand': ['dasnt', 'stand'], 'standage': ['dagestan', 'standage'], 'standee': ['edestan', 'standee'], 'stander': ['stander', 'sternad'], 'standout': ['outstand', 'standout'], 'standstill': ['standstill', 'stillstand'], 'stane': ['antes', 'nates', 'stane', 'stean'], 'stang': ['angst', 'stang', 'tangs'], 'stangeria': ['agrestian', 'gerastian', 'stangeria'], 'stanine': ['ensaint', 'stanine'], 'stanly': ['nylast', 'stanly'], 'stanno': ['santon', 'sonant', 'stanno'], 'stap': ['past', 'spat', 'stap', 'taps'], 'staple': ['pastel', 'septal', 'staple'], 'stapler': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'stapling': ['spatling', 'stapling'], 'star': ['sart', 'star', 'stra', 'tars', 'tsar'], 'starch': ['scarth', 'scrath', 'starch'], 'stardom': ['stardom', 'tsardom'], 'stare': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'staree': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'starer': ['arrest', 'astrer', 'raster', 'starer'], 'starful': ['flustra', 'starful'], 'staring': ['gastrin', 'staring'], 'staringly': ['staringly', 'strayling'], 'stark': ['karst', 'skart', 'stark'], 'starky': ['starky', 'straky'], 'starlet': ['rattles', 'slatter', 'starlet', 'startle'], 'starlit': ['starlit', 'trisalt'], 'starlite': ['starlite', 'taistrel'], 'starnel': ['saltern', 'starnel', 'sternal'], 'starnie': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'starnose': ['assentor', 'essorant', 'starnose'], 'starship': ['starship', 'tsarship'], 'starshot': ['shotstar', 'starshot'], 'starter': ['restart', 'starter'], 'startle': ['rattles', 'slatter', 'starlet', 'startle'], 'starve': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'starwise': ['starwise', 'waitress'], 'stary': ['satyr', 'stary', 'stray', 'trasy'], 'stases': ['assets', 'stases'], 'stasis': ['assist', 'stasis'], 'statable': ['statable', 'tastable'], 'state': ['state', 'taste', 'tates', 'testa'], 'stated': ['stated', 'tasted'], 'stateful': ['stateful', 'tasteful'], 'statefully': ['statefully', 'tastefully'], 'statefulness': ['statefulness', 'tastefulness'], 'stateless': ['stateless', 'tasteless'], 'statelich': ['athletics', 'statelich'], 'stately': ['stately', 'stylate'], 'statement': ['statement', 'testament'], 'stater': ['stater', 'taster', 'testar'], 'statesider': ['dissertate', 'statesider'], 'static': ['static', 'sticta'], 'statice': ['etacist', 'statice'], 'stational': ['saltation', 'stational'], 'stationarily': ['antiroyalist', 'stationarily'], 'stationer': ['nitrosate', 'stationer'], 'statoscope': ['septocosta', 'statoscope'], 'statue': ['astute', 'statue'], 'stature': ['stature', 'stauter'], 'staumer': ['staumer', 'strumae'], 'staun': ['staun', 'suant'], 'staunch': ['canthus', 'staunch'], 'staup': ['sputa', 'staup', 'stupa'], 'staurion': ['staurion', 'sutorian'], 'stauter': ['stature', 'stauter'], 'stave': ['stave', 'vesta'], 'staver': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'staw': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'stawn': ['stawn', 'wasnt'], 'stayable': ['stayable', 'teasably'], 'stayed': ['stayed', 'steady'], 'stayer': ['atresy', 'estray', 'reasty', 'stayer'], 'staynil': ['nastily', 'saintly', 'staynil'], 'stchi': ['sitch', 'stchi', 'stich'], 'stead': ['sedat', 'stade', 'stead'], 'steady': ['stayed', 'steady'], 'steak': ['skate', 'stake', 'steak'], 'steal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stealer': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'stealing': ['galenist', 'genitals', 'stealing'], 'stealy': ['alytes', 'astely', 'lysate', 'stealy'], 'steam': ['steam', 'stema'], 'steaming': ['misagent', 'steaming'], 'stean': ['antes', 'nates', 'stane', 'stean'], 'stearic': ['atresic', 'stearic'], 'stearin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stearone': ['orestean', 'resonate', 'stearone'], 'stearyl': ['saltery', 'stearyl'], 'steatin': ['atenist', 'instate', 'satient', 'steatin'], 'steatoma': ['atmostea', 'steatoma'], 'steatornis': ['steatornis', 'treasonist'], 'stech': ['chest', 'stech'], 'steek': ['keest', 'skeet', 'skete', 'steek'], 'steel': ['sleet', 'slete', 'steel', 'stele'], 'steeler': ['reestle', 'resteel', 'steeler'], 'steeliness': ['sleetiness', 'steeliness'], 'steeling': ['sleeting', 'steeling'], 'steelproof': ['sleetproof', 'steelproof'], 'steely': ['sleety', 'steely'], 'steen': ['steen', 'teens', 'tense'], 'steep': ['peste', 'steep'], 'steeper': ['estrepe', 'resteep', 'steeper'], 'steepy': ['steepy', 'typees'], 'steer': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'steerer': ['reester', 'steerer'], 'steering': ['energist', 'steering'], 'steerling': ['esterling', 'steerling'], 'steeve': ['steeve', 'vestee'], 'stefan': ['fasten', 'nefast', 'stefan'], 'steg': ['gest', 'steg'], 'stegodon': ['dogstone', 'stegodon'], 'steid': ['deist', 'steid'], 'steigh': ['gesith', 'steigh'], 'stein': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stela': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stelae': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'stelai': ['isleta', 'litsea', 'salite', 'stelai'], 'stelar': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'stele': ['sleet', 'slete', 'steel', 'stele'], 'stella': ['sallet', 'stella', 'talles'], 'stellar': ['staller', 'stellar'], 'stellaria': ['lateralis', 'stellaria'], 'stema': ['steam', 'stema'], 'stemlike': ['meletski', 'stemlike'], 'sten': ['nest', 'sent', 'sten'], 'stenar': ['astern', 'enstar', 'stenar', 'sterna'], 'stencil': ['lentisc', 'scintle', 'stencil'], 'stenciler': ['crestline', 'stenciler'], 'stenion': ['stenion', 'tension'], 'steno': ['onset', 'seton', 'steno', 'stone'], 'stenopaic': ['aspection', 'stenopaic'], 'stenosis': ['sisseton', 'stenosis'], 'stenotic': ['stenotic', 'tonetics'], 'stentor': ['snotter', 'stentor', 'torsten'], 'step': ['pest', 'sept', 'spet', 'step'], 'stepaunt': ['nettapus', 'stepaunt'], 'stepbairn': ['breastpin', 'stepbairn'], 'stepdame': ['stampede', 'stepdame'], 'stephana': ['pheasant', 'stephana'], 'stephanic': ['cathepsin', 'stephanic'], 'steplike': ['spikelet', 'steplike'], 'sterculia': ['sterculia', 'urticales'], 'stere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'stereograph': ['preshortage', 'stereograph'], 'stereometric': ['crestmoreite', 'stereometric'], 'stereophotograph': ['photostereograph', 'stereophotograph'], 'stereotelescope': ['stereotelescope', 'telestereoscope'], 'stereotomic': ['osteometric', 'stereotomic'], 'stereotomical': ['osteometrical', 'stereotomical'], 'stereotomy': ['osteometry', 'stereotomy'], 'steric': ['certis', 'steric'], 'sterigma': ['gemarist', 'magister', 'sterigma'], 'sterigmata': ['magistrate', 'sterigmata'], 'sterile': ['leister', 'sterile'], 'sterilize': ['listerize', 'sterilize'], 'sterin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sterlet': ['settler', 'sterlet', 'trestle'], 'stern': ['ernst', 'stern'], 'sterna': ['astern', 'enstar', 'stenar', 'sterna'], 'sternad': ['stander', 'sternad'], 'sternage': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sternal': ['saltern', 'starnel', 'sternal'], 'sternalis': ['sternalis', 'trainless'], 'sternite': ['insetter', 'interest', 'interset', 'sternite'], 'sterno': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'sternocostal': ['costosternal', 'sternocostal'], 'sternovertebral': ['sternovertebral', 'vertebrosternal'], 'stero': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'steroid': ['oestrid', 'steroid', 'storied'], 'sterol': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'stert': ['stert', 'stret', 'trest'], 'sterve': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'stet': ['sett', 'stet', 'test'], 'stevan': ['stevan', 'svante'], 'stevel': ['stevel', 'svelte'], 'stevia': ['itaves', 'stevia'], 'stew': ['stew', 'west'], 'stewart': ['stewart', 'swatter'], 'stewed': ['stewed', 'wedset'], 'stewy': ['stewy', 'westy'], 'stey': ['stey', 'yest'], 'sthenia': ['sethian', 'sthenia'], 'stich': ['sitch', 'stchi', 'stich'], 'stichid': ['distich', 'stichid'], 'sticker': ['rickets', 'sticker'], 'stickler': ['stickler', 'strickle'], 'sticta': ['static', 'sticta'], 'stife': ['feist', 'stife'], 'stiffener': ['restiffen', 'stiffener'], 'stifle': ['itself', 'stifle'], 'stifler': ['slifter', 'stifler'], 'stigmai': ['imagist', 'stigmai'], 'stigmatical': ['stalagmitic', 'stigmatical'], 'stilbene': ['nebelist', 'stilbene', 'tensible'], 'stile': ['islet', 'istle', 'slite', 'stile'], 'stileman': ['mentalis', 'smaltine', 'stileman'], 'stillage': ['legalist', 'stillage'], 'stiller': ['stiller', 'trellis'], 'stillstand': ['standstill', 'stillstand'], 'stilted': ['slitted', 'stilted'], 'stilter': ['litster', 'slitter', 'stilter', 'testril'], 'stilty': ['slitty', 'stilty'], 'stim': ['mist', 'smit', 'stim'], 'stime': ['metis', 'smite', 'stime', 'times'], 'stimulancy': ['stimulancy', 'unmystical'], 'stimy': ['misty', 'stimy'], 'stine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stinge': ['ingest', 'signet', 'stinge'], 'stinger': ['resting', 'stinger'], 'stinker': ['kirsten', 'kristen', 'stinker'], 'stinkstone': ['knottiness', 'stinkstone'], 'stinted': ['dentist', 'distent', 'stinted'], 'stion': ['sinto', 'stion'], 'stipa': ['piast', 'stipa', 'tapis'], 'stipe': ['septi', 'spite', 'stipe'], 'stipel': ['pistle', 'stipel'], 'stippen': ['snippet', 'stippen'], 'stipula': ['paulist', 'stipula'], 'stir': ['rist', 'stir'], 'stirk': ['skirt', 'stirk'], 'stirp': ['spirt', 'sprit', 'stirp', 'strip'], 'stitcher': ['restitch', 'stitcher'], 'stiver': ['stiver', 'strive', 'verist'], 'stoa': ['oast', 'stoa', 'taos'], 'stoach': ['stoach', 'stocah'], 'stoat': ['stoat', 'toast'], 'stoater': ['retoast', 'rosetta', 'stoater', 'toaster'], 'stocah': ['stoach', 'stocah'], 'stoccata': ['staccato', 'stoccata'], 'stocker': ['restock', 'stocker'], 'stoep': ['estop', 'stoep', 'stope'], 'stof': ['soft', 'stof'], 'stog': ['stog', 'togs'], 'stogie': ['egoist', 'stogie'], 'stoic': ['ostic', 'sciot', 'stoic'], 'stoically': ['callosity', 'stoically'], 'stoker': ['stoker', 'stroke'], 'stolae': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'stole': ['slote', 'stole'], 'stoled': ['sloted', 'stoled'], 'stolen': ['solent', 'stolen', 'telson'], 'stoma': ['atmos', 'stoma', 'tomas'], 'stomatode': ['mootstead', 'stomatode'], 'stomatomy': ['mastotomy', 'stomatomy'], 'stomatopoda': ['podostomata', 'stomatopoda'], 'stomatopodous': ['podostomatous', 'stomatopodous'], 'stomper': ['pomster', 'stomper'], 'stone': ['onset', 'seton', 'steno', 'stone'], 'stonebird': ['birdstone', 'stonebird'], 'stonebreak': ['breakstone', 'stonebreak'], 'stoned': ['doesnt', 'stoned'], 'stonegall': ['gallstone', 'stonegall'], 'stonehand': ['handstone', 'stonehand'], 'stonehead': ['headstone', 'stonehead'], 'stonen': ['sonnet', 'stonen', 'tenson'], 'stoner': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stonewood': ['stonewood', 'woodstone'], 'stong': ['stong', 'tongs'], 'stonker': ['stonker', 'storken'], 'stoof': ['foots', 'sfoot', 'stoof'], 'stool': ['sotol', 'stool'], 'stoon': ['snoot', 'stoon'], 'stoop': ['spoot', 'stoop'], 'stop': ['post', 'spot', 'stop', 'tops'], 'stopback': ['backstop', 'stopback'], 'stope': ['estop', 'stoep', 'stope'], 'stoper': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'stoping': ['posting', 'stoping'], 'stopless': ['postless', 'spotless', 'stopless'], 'stoplessness': ['spotlessness', 'stoplessness'], 'stoppeur': ['pteropus', 'stoppeur'], 'storable': ['sortable', 'storable'], 'storage': ['storage', 'tagsore'], 'store': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'storeen': ['enstore', 'estrone', 'storeen', 'tornese'], 'storeman': ['monaster', 'monstera', 'nearmost', 'storeman'], 'storer': ['resort', 'roster', 'sorter', 'storer'], 'storeship': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'storesman': ['nosesmart', 'storesman'], 'storge': ['groset', 'storge'], 'storiate': ['astroite', 'ostraite', 'storiate'], 'storied': ['oestrid', 'steroid', 'storied'], 'storier': ['roister', 'storier'], 'stork': ['stork', 'torsk'], 'storken': ['stonker', 'storken'], 'storm': ['storm', 'strom'], 'stormwind': ['stormwind', 'windstorm'], 'story': ['sorty', 'story', 'stroy'], 'stot': ['stot', 'tost'], 'stotter': ['stotter', 'stretto'], 'stoun': ['notus', 'snout', 'stoun', 'tonus'], 'stoup': ['spout', 'stoup'], 'stour': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'stouring': ['rousting', 'stouring'], 'stoutly': ['stoutly', 'tylotus'], 'stove': ['ovest', 'stove'], 'stover': ['stover', 'strove'], 'stow': ['sowt', 'stow', 'swot', 'wots'], 'stowable': ['bestowal', 'stowable'], 'stower': ['restow', 'stower', 'towser', 'worset'], 'stra': ['sart', 'star', 'stra', 'tars', 'tsar'], 'strad': ['darst', 'darts', 'strad'], 'stradine': ['stradine', 'strained', 'tarnside'], 'strae': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'strafe': ['farset', 'faster', 'strafe'], 'stragular': ['gastrular', 'stragular'], 'straighten': ['shattering', 'straighten'], 'straightener': ['restraighten', 'straightener'], 'straightup': ['straightup', 'upstraight'], 'straik': ['rastik', 'sarkit', 'straik'], 'strain': ['instar', 'santir', 'strain'], 'strained': ['stradine', 'strained', 'tarnside'], 'strainer': ['restrain', 'strainer', 'transire'], 'strainerman': ['strainerman', 'transmarine'], 'straint': ['straint', 'transit', 'tristan'], 'strait': ['artist', 'strait', 'strati'], 'strake': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'straky': ['starky', 'straky'], 'stram': ['smart', 'stram'], 'strange': ['angster', 'garnets', 'nagster', 'strange'], 'strangles': ['slangster', 'strangles'], 'strap': ['spart', 'sprat', 'strap', 'traps'], 'strapless': ['psaltress', 'strapless'], 'strata': ['astart', 'strata'], 'strategi': ['strategi', 'strigate'], 'strath': ['strath', 'thrast'], 'strati': ['artist', 'strait', 'strati'], 'stratic': ['astrict', 'cartist', 'stratic'], 'stratonic': ['narcotist', 'stratonic'], 'stratonical': ['intracostal', 'stratonical'], 'strave': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'straw': ['straw', 'swart', 'warst'], 'strawy': ['strawy', 'swarty'], 'stray': ['satyr', 'stary', 'stray', 'trasy'], 'strayling': ['staringly', 'strayling'], 'stre': ['rest', 'sert', 'stre'], 'streak': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'streakily': ['satyrlike', 'streakily'], 'stream': ['martes', 'master', 'remast', 'stream'], 'streamer': ['masterer', 'restream', 'streamer'], 'streamful': ['masterful', 'streamful'], 'streamhead': ['headmaster', 'headstream', 'streamhead'], 'streaming': ['germanist', 'streaming'], 'streamless': ['masterless', 'streamless'], 'streamlike': ['masterlike', 'streamlike'], 'streamline': ['eternalism', 'streamline'], 'streamling': ['masterling', 'streamling'], 'streamside': ['mediatress', 'streamside'], 'streamwort': ['masterwort', 'streamwort'], 'streamy': ['mastery', 'streamy'], 'stree': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'streek': ['streek', 'streke'], 'streel': ['lester', 'selter', 'streel'], 'streen': ['ernest', 'nester', 'resent', 'streen'], 'streep': ['pester', 'preset', 'restep', 'streep'], 'street': ['retest', 'setter', 'street', 'tester'], 'streetcar': ['scatterer', 'streetcar'], 'streke': ['streek', 'streke'], 'strelitz': ['strelitz', 'streltzi'], 'streltzi': ['strelitz', 'streltzi'], 'stremma': ['stammer', 'stremma'], 'strengthener': ['restrengthen', 'strengthener'], 'strepen': ['penster', 'present', 'serpent', 'strepen'], 'strepera': ['pasterer', 'strepera'], 'strepor': ['sporter', 'strepor'], 'strepsinema': ['esperantism', 'strepsinema'], 'streptothricosis': ['streptothricosis', 'streptotrichosis'], 'streptotrichosis': ['streptothricosis', 'streptotrichosis'], 'stresser': ['restress', 'stresser'], 'stret': ['stert', 'stret', 'trest'], 'stretcher': ['restretch', 'stretcher'], 'stretcherman': ['stretcherman', 'trenchmaster'], 'stretto': ['stotter', 'stretto'], 'strew': ['strew', 'trews', 'wrest'], 'strewer': ['strewer', 'wrester'], 'strey': ['resty', 'strey'], 'streyne': ['streyne', 'styrene', 'yestern'], 'stria': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'striae': ['satire', 'striae'], 'strial': ['latris', 'strial'], 'striatal': ['altarist', 'striatal'], 'striate': ['artiste', 'striate'], 'striated': ['distater', 'striated'], 'strich': ['christ', 'strich'], 'strickle': ['stickler', 'strickle'], 'stride': ['driest', 'stride'], 'strife': ['fister', 'resift', 'sifter', 'strife'], 'strig': ['grist', 'grits', 'strig'], 'striga': ['gratis', 'striga'], 'strigae': ['seagirt', 'strigae'], 'strigate': ['strategi', 'strigate'], 'striges': ['striges', 'tigress'], 'strigulose': ['sortilegus', 'strigulose'], 'strike': ['skiter', 'strike'], 'striker': ['skirret', 'skirter', 'striker'], 'striking': ['skirting', 'striking'], 'strikingly': ['skirtingly', 'strikingly'], 'stringer': ['restring', 'ringster', 'stringer'], 'strinkle': ['sklinter', 'strinkle'], 'striola': ['aristol', 'oralist', 'ortalis', 'striola'], 'striolae': ['soterial', 'striolae'], 'strip': ['spirt', 'sprit', 'stirp', 'strip'], 'stripe': ['priest', 'pteris', 'sprite', 'stripe'], 'stripeless': ['priestless', 'stripeless'], 'striper': ['restrip', 'striper'], 'striplet': ['splitter', 'striplet'], 'strippit': ['strippit', 'trippist'], 'strit': ['strit', 'trist'], 'strive': ['stiver', 'strive', 'verist'], 'stroam': ['stroam', 'stroma'], 'strobila': ['laborist', 'strobila'], 'strobilae': ['sobralite', 'strobilae'], 'strobilate': ['brasiletto', 'strobilate'], 'strode': ['sorted', 'strode'], 'stroke': ['stoker', 'stroke'], 'strom': ['storm', 'strom'], 'stroma': ['stroam', 'stroma'], 'stromatic': ['microstat', 'stromatic'], 'strone': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stronghead': ['headstrong', 'stronghead'], 'strontian': ['strontian', 'trisonant'], 'strontianite': ['interstation', 'strontianite'], 'strop': ['sport', 'strop'], 'strophaic': ['actorship', 'strophaic'], 'strophiolate': ['strophiolate', 'theatropolis'], 'strophomena': ['nephrostoma', 'strophomena'], 'strounge': ['strounge', 'sturgeon'], 'stroup': ['sprout', 'stroup', 'stupor'], 'strove': ['stover', 'strove'], 'strow': ['strow', 'worst'], 'stroy': ['sorty', 'story', 'stroy'], 'strub': ['burst', 'strub'], 'struck': ['struck', 'trucks'], 'strue': ['serut', 'strue', 'turse', 'uster'], 'strumae': ['staumer', 'strumae'], 'strut': ['strut', 'sturt', 'trust'], 'struth': ['struth', 'thrust'], 'struthian': ['struthian', 'unathirst'], 'stu': ['stu', 'ust'], 'stuart': ['astrut', 'rattus', 'stuart'], 'stub': ['bust', 'stub'], 'stuber': ['berust', 'buster', 'stuber'], 'stud': ['dust', 'stud'], 'studdie': ['studdie', 'studied'], 'student': ['student', 'stunted'], 'studia': ['aditus', 'studia'], 'studied': ['studdie', 'studied'], 'study': ['dusty', 'study'], 'stue': ['stue', 'suet'], 'stuffer': ['restuff', 'stuffer'], 'stug': ['gust', 'stug'], 'stuiver': ['revuist', 'stuiver'], 'stum': ['must', 'smut', 'stum'], 'stumer': ['muster', 'sertum', 'stumer'], 'stumper': ['stumper', 'sumpter'], 'stun': ['stun', 'sunt', 'tsun'], 'stunner': ['stunner', 'unstern'], 'stunted': ['student', 'stunted'], 'stunter': ['entrust', 'stunter', 'trusten'], 'stupa': ['sputa', 'staup', 'stupa'], 'stupe': ['setup', 'stupe', 'upset'], 'stupor': ['sprout', 'stroup', 'stupor'], 'stuprate': ['stuprate', 'upstater'], 'stupulose': ['pustulose', 'stupulose'], 'sturdiness': ['sturdiness', 'undistress'], 'sturgeon': ['strounge', 'sturgeon'], 'sturine': ['intruse', 'sturine'], 'sturionine': ['reunionist', 'sturionine'], 'sturmian': ['naturism', 'sturmian', 'turanism'], 'sturnidae': ['disnature', 'sturnidae', 'truandise'], 'sturninae': ['neustrian', 'saturnine', 'sturninae'], 'sturnus': ['sturnus', 'untruss'], 'sturt': ['strut', 'sturt', 'trust'], 'sturtin': ['intrust', 'sturtin'], 'stut': ['stut', 'tuts'], 'stutter': ['stutter', 'tutster'], 'styan': ['nasty', 'styan', 'tansy'], 'styca': ['stacy', 'styca'], 'stycerin': ['nycteris', 'stycerin'], 'stygial': ['stagily', 'stygial'], 'stylate': ['stately', 'stylate'], 'styledom': ['modestly', 'styledom'], 'stylite': ['stylite', 'testily'], 'styloid': ['odylist', 'styloid'], 'stylometer': ['metrostyle', 'stylometer'], 'stylopidae': ['ideoplasty', 'stylopidae'], 'styphelia': ['physalite', 'styphelia'], 'styrene': ['streyne', 'styrene', 'yestern'], 'styrol': ['sortly', 'styrol'], 'stythe': ['stythe', 'tethys'], 'styx': ['styx', 'xyst'], 'suability': ['suability', 'usability'], 'suable': ['suable', 'usable'], 'sualocin': ['sualocin', 'unsocial'], 'suant': ['staun', 'suant'], 'suasible': ['basileus', 'issuable', 'suasible'], 'suasion': ['sanious', 'suasion'], 'suasory': ['ossuary', 'suasory'], 'suave': ['sauve', 'suave'], 'sub': ['bus', 'sub'], 'subah': ['shuba', 'subah'], 'subalpine': ['subalpine', 'unspiable'], 'subanal': ['balanus', 'nabalus', 'subanal'], 'subcaecal': ['accusable', 'subcaecal'], 'subcantor': ['obscurant', 'subcantor'], 'subcapsular': ['subcapsular', 'subscapular'], 'subcenter': ['rubescent', 'subcenter'], 'subchela': ['chasuble', 'subchela'], 'subcool': ['colobus', 'subcool'], 'subcortical': ['scorbutical', 'subcortical'], 'subcortically': ['scorbutically', 'subcortically'], 'subdealer': ['subdealer', 'subleader'], 'subdean': ['subdean', 'unbased'], 'subdeltaic': ['discutable', 'subdeltaic', 'subdialect'], 'subdialect': ['discutable', 'subdeltaic', 'subdialect'], 'subdie': ['busied', 'subdie'], 'suber': ['burse', 'rebus', 'suber'], 'subessential': ['subessential', 'suitableness'], 'subherd': ['brushed', 'subherd'], 'subhero': ['herbous', 'subhero'], 'subhuman': ['subhuman', 'unambush'], 'subimago': ['bigamous', 'subimago'], 'sublanate': ['sublanate', 'unsatable'], 'sublate': ['balteus', 'sublate'], 'sublative': ['sublative', 'vestibula'], 'subleader': ['subdealer', 'subleader'], 'sublet': ['bustle', 'sublet', 'subtle'], 'sublinear': ['insurable', 'sublinear'], 'sublumbar': ['sublumbar', 'subumbral'], 'submaid': ['misdaub', 'submaid'], 'subman': ['busman', 'subman'], 'submarine': ['semiurban', 'submarine'], 'subnarcotic': ['obscurantic', 'subnarcotic'], 'subnitrate': ['subnitrate', 'subtertian'], 'subnote': ['subnote', 'subtone', 'unbesot'], 'suboval': ['suboval', 'subvola'], 'subpeltate': ['subpeltate', 'upsettable'], 'subplat': ['subplat', 'upblast'], 'subra': ['abrus', 'bursa', 'subra'], 'subscapular': ['subcapsular', 'subscapular'], 'subserve': ['subserve', 'subverse'], 'subsider': ['disburse', 'subsider'], 'substernal': ['substernal', 'turbanless'], 'substraction': ['obscurantist', 'substraction'], 'subtack': ['sackbut', 'subtack'], 'subterraneal': ['subterraneal', 'unarrestable'], 'subtertian': ['subnitrate', 'subtertian'], 'subtle': ['bustle', 'sublet', 'subtle'], 'subtone': ['subnote', 'subtone', 'unbesot'], 'subtread': ['daubster', 'subtread'], 'subtutor': ['outburst', 'subtutor'], 'subulate': ['baetulus', 'subulate'], 'subumbral': ['sublumbar', 'subumbral'], 'subverse': ['subserve', 'subverse'], 'subvola': ['suboval', 'subvola'], 'succade': ['accused', 'succade'], 'succeeder': ['resucceed', 'succeeder'], 'succin': ['cnicus', 'succin'], 'succinate': ['encaustic', 'succinate'], 'succor': ['crocus', 'succor'], 'such': ['cush', 'such'], 'suck': ['cusk', 'suck'], 'sucker': ['resuck', 'sucker'], 'suckling': ['lungsick', 'suckling'], 'suclat': ['scutal', 'suclat'], 'sucramine': ['muscarine', 'sucramine'], 'sucre': ['cruse', 'curse', 'sucre'], 'suction': ['cotinus', 'suction', 'unstoic'], 'suctional': ['suctional', 'sulcation', 'unstoical'], 'suctoria': ['cotarius', 'octarius', 'suctoria'], 'suctorial': ['ocularist', 'suctorial'], 'sud': ['sud', 'uds'], 'sudamen': ['medusan', 'sudamen'], 'sudan': ['sudan', 'unsad'], 'sudanese': ['danseuse', 'sudanese'], 'sudani': ['sudani', 'unsaid'], 'sudation': ['adustion', 'sudation'], 'sudic': ['scudi', 'sudic'], 'sudra': ['rudas', 'sudra'], 'sue': ['sue', 'use'], 'suer': ['ruse', 'suer', 'sure', 'user'], 'suet': ['stue', 'suet'], 'sufferer': ['resuffer', 'sufferer'], 'sufflate': ['feastful', 'sufflate'], 'suffocate': ['offuscate', 'suffocate'], 'suffocation': ['offuscation', 'suffocation'], 'sugamo': ['amusgo', 'sugamo'], 'sugan': ['agnus', 'angus', 'sugan'], 'sugar': ['argus', 'sugar'], 'sugared': ['desugar', 'sugared'], 'sugarlike': ['arguslike', 'sugarlike'], 'suggester': ['resuggest', 'suggester'], 'suggestionism': ['missuggestion', 'suggestionism'], 'sugh': ['gush', 'shug', 'sugh'], 'suidae': ['asideu', 'suidae'], 'suimate': ['metusia', 'suimate', 'timaeus'], 'suina': ['ianus', 'suina'], 'suint': ['sintu', 'suint'], 'suiones': ['sinuose', 'suiones'], 'suist': ['situs', 'suist'], 'suitable': ['sabulite', 'suitable'], 'suitableness': ['subessential', 'suitableness'], 'suitor': ['suitor', 'tursio'], 'sula': ['saul', 'sula'], 'sulcal': ['callus', 'sulcal'], 'sulcar': ['cursal', 'sulcar'], 'sulcation': ['suctional', 'sulcation', 'unstoical'], 'suld': ['slud', 'suld'], 'sulfamide': ['feudalism', 'sulfamide'], 'sulfonium': ['fulminous', 'sulfonium'], 'sulfuret': ['frustule', 'sulfuret'], 'sulk': ['lusk', 'sulk'], 'sulka': ['klaus', 'lukas', 'sulka'], 'sulky': ['lusky', 'sulky'], 'sulphinide': ['delphinius', 'sulphinide'], 'sulphohydrate': ['hydrosulphate', 'sulphohydrate'], 'sulphoproteid': ['protosulphide', 'sulphoproteid'], 'sulphurea': ['elaphurus', 'sulphurea'], 'sultan': ['sultan', 'unsalt'], 'sultane': ['sultane', 'unslate'], 'sultanian': ['annualist', 'sultanian'], 'sultanin': ['insulant', 'sultanin'], 'sultone': ['lentous', 'sultone'], 'sultry': ['rustly', 'sultry'], 'sum': ['mus', 'sum'], 'sumac': ['camus', 'musca', 'scaum', 'sumac'], 'sumak': ['kusam', 'sumak'], 'sumatra': ['artamus', 'sumatra'], 'sumerian': ['aneurism', 'arsenium', 'sumerian'], 'sumitro': ['sumitro', 'tourism'], 'summit': ['mutism', 'summit'], 'summonable': ['somnambule', 'summonable'], 'summoner': ['resummon', 'summoner'], 'sumo': ['soum', 'sumo'], 'sumpit': ['misput', 'sumpit'], 'sumpitan': ['putanism', 'sumpitan'], 'sumpter': ['stumper', 'sumpter'], 'sumptuary': ['sputumary', 'sumptuary'], 'sumptuous': ['sputumous', 'sumptuous'], 'sunbeamed': ['sunbeamed', 'unembased'], 'sundar': ['nardus', 'sundar', 'sundra'], 'sundek': ['dusken', 'sundek'], 'sundra': ['nardus', 'sundar', 'sundra'], 'sung': ['snug', 'sung'], 'sunil': ['linus', 'sunil'], 'sunk': ['skun', 'sunk'], 'sunlighted': ['sunlighted', 'unslighted'], 'sunlit': ['insult', 'sunlit', 'unlist', 'unslit'], 'sunni': ['sunni', 'unsin'], 'sunray': ['sunray', 'surnay', 'synura'], 'sunrise': ['russine', 'serinus', 'sunrise'], 'sunshade': ['sunshade', 'unsashed'], 'sunt': ['stun', 'sunt', 'tsun'], 'sunup': ['sunup', 'upsun'], 'sunweed': ['sunweed', 'unsewed'], 'suomic': ['musico', 'suomic'], 'sup': ['pus', 'sup'], 'supa': ['apus', 'supa', 'upas'], 'super': ['purse', 'resup', 'sprue', 'super'], 'superable': ['perusable', 'superable'], 'supercarpal': ['prescapular', 'supercarpal'], 'superclaim': ['premusical', 'superclaim'], 'supercontrol': ['preconsultor', 'supercontrol'], 'supercool': ['escropulo', 'supercool'], 'superheater': ['resuperheat', 'superheater'], 'superideal': ['serpulidae', 'superideal'], 'superintender': ['superintender', 'unenterprised'], 'superline': ['serpuline', 'superline'], 'supermoisten': ['sempiternous', 'supermoisten'], 'supernacular': ['supernacular', 'supranuclear'], 'supernal': ['purslane', 'serpulan', 'supernal'], 'superoanterior': ['anterosuperior', 'superoanterior'], 'superoposterior': ['posterosuperior', 'superoposterior'], 'superpose': ['resuppose', 'superpose'], 'superposition': ['resupposition', 'superposition'], 'supersaint': ['presustain', 'puritaness', 'supersaint'], 'supersalt': ['pertussal', 'supersalt'], 'superservice': ['repercussive', 'superservice'], 'supersonic': ['croupiness', 'percussion', 'supersonic'], 'supertare': ['repasture', 'supertare'], 'supertension': ['serpentinous', 'supertension'], 'supertotal': ['supertotal', 'tetraplous'], 'supertrain': ['rupestrian', 'supertrain'], 'supinator': ['rainspout', 'supinator'], 'supine': ['puisne', 'supine'], 'supper': ['supper', 'uppers'], 'supple': ['peplus', 'supple'], 'suppletory': ['polypterus', 'suppletory'], 'supplier': ['periplus', 'supplier'], 'supporter': ['resupport', 'supporter'], 'suppresser': ['resuppress', 'suppresser'], 'suprahyoid': ['hyporadius', 'suprahyoid'], 'supranuclear': ['supernacular', 'supranuclear'], 'supreme': ['presume', 'supreme'], 'sur': ['rus', 'sur', 'urs'], 'sura': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'surah': ['ashur', 'surah'], 'surahi': ['shauri', 'surahi'], 'sural': ['larus', 'sural', 'ursal'], 'surat': ['astur', 'surat', 'sutra'], 'surbase': ['rubasse', 'surbase'], 'surbate': ['bursate', 'surbate'], 'surcrue': ['crureus', 'surcrue'], 'sure': ['ruse', 'suer', 'sure', 'user'], 'suresh': ['rhesus', 'suresh'], 'surette': ['surette', 'trustee'], 'surge': ['grues', 'surge'], 'surgent': ['gunster', 'surgent'], 'surgeonship': ['springhouse', 'surgeonship'], 'surgy': ['gyrus', 'surgy'], 'suriana': ['saurian', 'suriana'], 'surinam': ['surinam', 'uranism'], 'surma': ['musar', 'ramus', 'rusma', 'surma'], 'surmisant': ['saturnism', 'surmisant'], 'surmise': ['misuser', 'surmise'], 'surnap': ['surnap', 'unspar'], 'surnay': ['sunray', 'surnay', 'synura'], 'surprisement': ['surprisement', 'trumperiness'], 'surrenderer': ['resurrender', 'surrenderer'], 'surrogate': ['surrogate', 'urogaster'], 'surrounder': ['resurround', 'surrounder'], 'surya': ['saury', 'surya'], 'sus': ['ssu', 'sus'], 'susan': ['nasus', 'susan'], 'suscept': ['suscept', 'suspect'], 'susceptible': ['susceptible', 'suspectible'], 'susceptor': ['spectrous', 'susceptor', 'suspector'], 'susie': ['issue', 'susie'], 'suspect': ['suscept', 'suspect'], 'suspecter': ['resuspect', 'suspecter'], 'suspectible': ['susceptible', 'suspectible'], 'suspector': ['spectrous', 'susceptor', 'suspector'], 'suspender': ['resuspend', 'suspender', 'unpressed'], 'sustain': ['issuant', 'sustain'], 'suther': ['reshut', 'suther', 'thurse', 'tusher'], 'sutler': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'suto': ['otus', 'oust', 'suto'], 'sutor': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'sutorian': ['staurion', 'sutorian'], 'sutorious': ['sutorious', 'ustorious'], 'sutra': ['astur', 'surat', 'sutra'], 'suttin': ['suttin', 'tunist'], 'suture': ['suture', 'uterus'], 'svante': ['stevan', 'svante'], 'svelte': ['stevel', 'svelte'], 'swa': ['saw', 'swa', 'was'], 'swage': ['swage', 'wages'], 'swain': ['siwan', 'swain'], 'swale': ['swale', 'sweal', 'wasel'], 'swaler': ['swaler', 'warsel', 'warsle'], 'swallet': ['setwall', 'swallet'], 'swallo': ['sallow', 'swallo'], 'swallower': ['reswallow', 'swallower'], 'swami': ['aswim', 'swami'], 'swan': ['sawn', 'snaw', 'swan'], 'swap': ['swap', 'wasp'], 'swarbie': ['barwise', 'swarbie'], 'sware': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swarmer': ['reswarm', 'swarmer'], 'swart': ['straw', 'swart', 'warst'], 'swarty': ['strawy', 'swarty'], 'swarve': ['swarve', 'swaver'], 'swat': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'swath': ['swath', 'whats'], 'swathe': ['swathe', 'sweath'], 'swati': ['swati', 'waist'], 'swatter': ['stewart', 'swatter'], 'swaver': ['swarve', 'swaver'], 'sway': ['sway', 'ways', 'yaws'], 'swayer': ['sawyer', 'swayer'], 'sweal': ['swale', 'sweal', 'wasel'], 'swear': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swearer': ['resawer', 'reswear', 'swearer'], 'sweat': ['awest', 'sweat', 'tawse', 'waste'], 'sweater': ['resweat', 'sweater'], 'sweatful': ['sweatful', 'wasteful'], 'sweath': ['swathe', 'sweath'], 'sweatily': ['sweatily', 'tileways'], 'sweatless': ['sweatless', 'wasteless'], 'sweatproof': ['sweatproof', 'wasteproof'], 'swede': ['sewed', 'swede'], 'sweep': ['sweep', 'weeps'], 'sweeper': ['resweep', 'sweeper'], 'sweer': ['resew', 'sewer', 'sweer'], 'sweered': ['sewered', 'sweered'], 'sweet': ['sweet', 'weste'], 'sweetbread': ['breastweed', 'sweetbread'], 'sweller': ['reswell', 'sweller'], 'swelter': ['swelter', 'wrestle'], 'swep': ['spew', 'swep'], 'swertia': ['swertia', 'waister'], 'swile': ['lewis', 'swile'], 'swiller': ['reswill', 'swiller'], 'swindle': ['swindle', 'windles'], 'swine': ['sinew', 'swine', 'wisen'], 'swinestone': ['sonnetwise', 'swinestone'], 'swiney': ['sinewy', 'swiney'], 'swingback': ['backswing', 'swingback'], 'swinge': ['sewing', 'swinge'], 'swingle': ['slewing', 'swingle'], 'swingtree': ['swingtree', 'westering'], 'swipy': ['swipy', 'wispy'], 'swire': ['swire', 'wiser'], 'swith': ['swith', 'whist', 'whits', 'wisht'], 'swithe': ['swithe', 'whites'], 'swither': ['swither', 'whister', 'withers'], 'swoon': ['swoon', 'woons'], 'swordman': ['sandworm', 'swordman', 'wordsman'], 'swordmanship': ['swordmanship', 'wordsmanship'], 'swore': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'swot': ['sowt', 'stow', 'swot', 'wots'], 'sybarite': ['bestiary', 'sybarite'], 'sybil': ['sibyl', 'sybil'], 'syce': ['scye', 'syce'], 'sycones': ['coyness', 'sycones'], 'syconoid': ['syconoid', 'syodicon'], 'sye': ['sey', 'sye', 'yes'], 'syenitic': ['cytisine', 'syenitic'], 'syllabi': ['sibylla', 'syllabi'], 'syllable': ['sellably', 'syllable'], 'sylva': ['salvy', 'sylva'], 'sylvae': ['slavey', 'sylvae'], 'sylvine': ['snively', 'sylvine'], 'sylvite': ['levyist', 'sylvite'], 'symbol': ['blosmy', 'symbol'], 'symmetric': ['mycterism', 'symmetric'], 'sympathy': ['sympathy', 'symphyta'], 'symphonic': ['cyphonism', 'symphonic'], 'symphyta': ['sympathy', 'symphyta'], 'symposion': ['spoonyism', 'symposion'], 'synapse': ['synapse', 'yapness'], 'synaptera': ['peasantry', 'synaptera'], 'syncopator': ['antroscopy', 'syncopator'], 'syndicate': ['asyndetic', 'cystidean', 'syndicate'], 'synedral': ['lysander', 'synedral'], 'syngamic': ['gymnasic', 'syngamic'], 'syngenic': ['ensigncy', 'syngenic'], 'synura': ['sunray', 'surnay', 'synura'], 'syodicon': ['syconoid', 'syodicon'], 'sypher': ['sphery', 'sypher'], 'syphiloid': ['hypsiloid', 'syphiloid'], 'syrian': ['siryan', 'syrian'], 'syringa': ['signary', 'syringa'], 'syringeful': ['refusingly', 'syringeful'], 'syrup': ['pursy', 'pyrus', 'syrup'], 'system': ['mystes', 'system'], 'systole': ['systole', 'toyless'], 'ta': ['at', 'ta'], 'taa': ['ata', 'taa'], 'taal': ['lata', 'taal', 'tala'], 'taar': ['rata', 'taar', 'tara'], 'tab': ['bat', 'tab'], 'tabanus': ['sabanut', 'sabutan', 'tabanus'], 'tabaret': ['baretta', 'rabatte', 'tabaret'], 'tabber': ['barbet', 'rabbet', 'tabber'], 'tabella': ['ballate', 'tabella'], 'tabes': ['baste', 'beast', 'tabes'], 'tabet': ['betta', 'tabet'], 'tabinet': ['bettina', 'tabinet', 'tibetan'], 'tabira': ['arabit', 'tabira'], 'tabitha': ['habitat', 'tabitha'], 'tabitude': ['dubitate', 'tabitude'], 'table': ['batel', 'blate', 'bleat', 'table'], 'tabled': ['dablet', 'tabled'], 'tablemaker': ['marketable', 'tablemaker'], 'tabler': ['albert', 'balter', 'labret', 'tabler'], 'tables': ['ablest', 'stable', 'tables'], 'tablet': ['battel', 'battle', 'tablet'], 'tabletary': ['tabletary', 'treatably'], 'tabling': ['batling', 'tabling'], 'tabophobia': ['batophobia', 'tabophobia'], 'tabor': ['abort', 'tabor'], 'taborer': ['arboret', 'roberta', 'taborer'], 'taboret': ['abettor', 'taboret'], 'taborin': ['abortin', 'taborin'], 'tabour': ['outbar', 'rubato', 'tabour'], 'tabouret': ['obturate', 'tabouret'], 'tabret': ['batter', 'bertat', 'tabret', 'tarbet'], 'tabu': ['abut', 'tabu', 'tuba'], 'tabula': ['ablaut', 'tabula'], 'tabulare': ['bataleur', 'tabulare'], 'tabule': ['batule', 'betula', 'tabule'], 'taccaceae': ['cactaceae', 'taccaceae'], 'taccaceous': ['cactaceous', 'taccaceous'], 'tach': ['chat', 'tach'], 'tache': ['cheat', 'tache', 'teach', 'theca'], 'tacheless': ['tacheless', 'teachless'], 'tachina': ['ithacan', 'tachina'], 'tachinidae': ['anthicidae', 'tachinidae'], 'tachograph': ['cathograph', 'tachograph'], 'tacit': ['attic', 'catti', 'tacit'], 'tacitly': ['cattily', 'tacitly'], 'tacitness': ['cattiness', 'tacitness'], 'taciturn': ['taciturn', 'urticant'], 'tacker': ['racket', 'retack', 'tacker'], 'tacksman': ['stackman', 'tacksman'], 'taconian': ['catonian', 'taconian'], 'taconic': ['cantico', 'catonic', 'taconic'], 'tacso': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tacsonia': ['acontias', 'tacsonia'], 'tactile': ['lattice', 'tactile'], 'tade': ['adet', 'date', 'tade', 'tead', 'teda'], 'tadpole': ['platode', 'tadpole'], 'tae': ['ate', 'eat', 'eta', 'tae', 'tea'], 'tael': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taen': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'taenia': ['aetian', 'antiae', 'taenia'], 'taeniada': ['anatidae', 'taeniada'], 'taenial': ['laniate', 'natalie', 'taenial'], 'taenian': ['ananite', 'anatine', 'taenian'], 'taenicide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'taeniform': ['forminate', 'fremontia', 'taeniform'], 'taenioid': ['ideation', 'iodinate', 'taenioid'], 'taetsia': ['isatate', 'satiate', 'taetsia'], 'tag': ['gat', 'tag'], 'tagetes': ['gestate', 'tagetes'], 'tagetol': ['lagetto', 'tagetol'], 'tagged': ['gadget', 'tagged'], 'tagger': ['garget', 'tagger'], 'tagilite': ['litigate', 'tagilite'], 'tagish': ['ghaist', 'tagish'], 'taglike': ['glaiket', 'taglike'], 'tagrag': ['ragtag', 'tagrag'], 'tagsore': ['storage', 'tagsore'], 'taheen': ['ethane', 'taheen'], 'tahil': ['ihlat', 'tahil'], 'tahin': ['ahint', 'hiant', 'tahin'], 'tahr': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tahsil': ['latish', 'tahsil'], 'tahsin': ['snaith', 'tahsin'], 'tai': ['ait', 'ati', 'ita', 'tai'], 'taich': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'taigle': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tail': ['alit', 'tail', 'tali'], 'tailage': ['agalite', 'tailage', 'taliage'], 'tailboard': ['broadtail', 'tailboard'], 'tailed': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'tailer': ['lirate', 'retail', 'retial', 'tailer'], 'tailet': ['latite', 'tailet', 'tailte', 'talite'], 'tailge': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tailing': ['gitalin', 'tailing'], 'taille': ['taille', 'telial'], 'tailoring': ['gratiolin', 'largition', 'tailoring'], 'tailorman': ['antimoral', 'tailorman'], 'tailory': ['orality', 'tailory'], 'tailpin': ['pintail', 'tailpin'], 'tailsman': ['staminal', 'tailsman', 'talisman'], 'tailte': ['latite', 'tailet', 'tailte', 'talite'], 'taily': ['laity', 'taily'], 'taimen': ['etamin', 'inmate', 'taimen', 'tamein'], 'tain': ['aint', 'anti', 'tain', 'tina'], 'tainan': ['naiant', 'tainan'], 'taino': ['niota', 'taino'], 'taint': ['taint', 'tanti', 'tinta', 'titan'], 'tainture': ['tainture', 'unattire'], 'taipan': ['aptian', 'patina', 'taipan'], 'taipo': ['patio', 'taipo', 'topia'], 'tairge': ['gaiter', 'tairge', 'triage'], 'tairn': ['riant', 'tairn', 'tarin', 'train'], 'taise': ['saite', 'taise'], 'taistrel': ['starlite', 'taistrel'], 'taistril': ['taistril', 'trialist'], 'taivers': ['staiver', 'taivers'], 'taj': ['jat', 'taj'], 'tajik': ['jatki', 'tajik'], 'takar': ['katar', 'takar'], 'take': ['kate', 'keta', 'take', 'teak'], 'takedown': ['downtake', 'takedown'], 'taker': ['kerat', 'taker'], 'takin': ['kitan', 'takin'], 'takings': ['gitksan', 'skating', 'takings'], 'taky': ['katy', 'kyat', 'taky'], 'tal': ['alt', 'lat', 'tal'], 'tala': ['lata', 'taal', 'tala'], 'talapoin': ['palation', 'talapoin'], 'talar': ['altar', 'artal', 'ratal', 'talar'], 'talari': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'talc': ['clat', 'talc'], 'talcer': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'talcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'talcoid': ['cotidal', 'lactoid', 'talcoid'], 'talcose': ['alecost', 'lactose', 'scotale', 'talcose'], 'talcous': ['costula', 'locusta', 'talcous'], 'tald': ['dalt', 'tald'], 'tale': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taled': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'talent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'taler': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'tales': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'tali': ['alit', 'tail', 'tali'], 'taliage': ['agalite', 'tailage', 'taliage'], 'taligrade': ['taligrade', 'tragedial'], 'talinum': ['multani', 'talinum'], 'talion': ['italon', 'lation', 'talion'], 'taliped': ['plaited', 'taliped'], 'talipedic': ['talipedic', 'talpicide'], 'talipes': ['aliptes', 'pastile', 'talipes'], 'talipot': ['ptilota', 'talipot', 'toptail'], 'talis': ['alist', 'litas', 'slait', 'talis'], 'talisman': ['staminal', 'tailsman', 'talisman'], 'talite': ['latite', 'tailet', 'tailte', 'talite'], 'talker': ['kartel', 'retalk', 'talker'], 'tallage': ['gallate', 'tallage'], 'tallero': ['reallot', 'rotella', 'tallero'], 'talles': ['sallet', 'stella', 'talles'], 'talliage': ['allagite', 'alligate', 'talliage'], 'tallier': ['literal', 'tallier'], 'tallyho': ['loathly', 'tallyho'], 'talon': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'taloned': ['taloned', 'toledan'], 'talonid': ['itoland', 'talonid', 'tindalo'], 'talose': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'talpa': ['aptal', 'palta', 'talpa'], 'talpicide': ['talipedic', 'talpicide'], 'talpidae': ['lapidate', 'talpidae'], 'talpine': ['pantile', 'pentail', 'platine', 'talpine'], 'talpoid': ['platoid', 'talpoid'], 'taluche': ['auchlet', 'cutheal', 'taluche'], 'taluka': ['latuka', 'taluka'], 'talus': ['latus', 'sault', 'talus'], 'tam': ['amt', 'mat', 'tam'], 'tama': ['atma', 'tama'], 'tamale': ['malate', 'meatal', 'tamale'], 'tamanac': ['matacan', 'tamanac'], 'tamanaca': ['atacaman', 'tamanaca'], 'tamanoir': ['animator', 'tamanoir'], 'tamanu': ['anatum', 'mantua', 'tamanu'], 'tamara': ['armata', 'matara', 'tamara'], 'tamarao': ['tamarao', 'tamaroa'], 'tamarin': ['martian', 'tamarin'], 'tamaroa': ['tamarao', 'tamaroa'], 'tambor': ['tambor', 'tromba'], 'tamboura': ['marabout', 'marabuto', 'tamboura'], 'tambourer': ['arboretum', 'tambourer'], 'tambreet': ['ambrette', 'tambreet'], 'tamburan': ['rambutan', 'tamburan'], 'tame': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'tamein': ['etamin', 'inmate', 'taimen', 'tamein'], 'tameless': ['mateless', 'meatless', 'tameless', 'teamless'], 'tamelessness': ['matelessness', 'tamelessness'], 'tamely': ['mately', 'tamely'], 'tamer': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'tamise': ['samite', 'semita', 'tamise', 'teaism'], 'tampin': ['pitman', 'tampin', 'tipman'], 'tampion': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tampioned': ['ademption', 'tampioned'], 'tampon': ['potman', 'tampon', 'topman'], 'tamul': ['lamut', 'tamul'], 'tamus': ['matsu', 'tamus', 'tsuma'], 'tan': ['ant', 'nat', 'tan'], 'tana': ['anat', 'anta', 'tana'], 'tanach': ['acanth', 'anchat', 'tanach'], 'tanager': ['argante', 'granate', 'tanager'], 'tanagridae': ['tanagridae', 'tangaridae'], 'tanagrine': ['argentina', 'tanagrine'], 'tanagroid': ['gradation', 'indagator', 'tanagroid'], 'tanak': ['kanat', 'tanak', 'tanka'], 'tanaka': ['nataka', 'tanaka'], 'tanala': ['atalan', 'tanala'], 'tanan': ['annat', 'tanan'], 'tanbur': ['tanbur', 'turban'], 'tancel': ['cantle', 'cental', 'lancet', 'tancel'], 'tanchoir': ['anorthic', 'anthroic', 'tanchoir'], 'tandemist': ['misattend', 'tandemist'], 'tandle': ['dental', 'tandle'], 'tandour': ['rotunda', 'tandour'], 'tane': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'tang': ['gant', 'gnat', 'tang'], 'tanga': ['ganta', 'tanga'], 'tangaridae': ['tanagridae', 'tangaridae'], 'tangelo': ['angelot', 'tangelo'], 'tanger': ['argent', 'garnet', 'garten', 'tanger'], 'tangerine': ['argentine', 'tangerine'], 'tangfish': ['shafting', 'tangfish'], 'tangi': ['giant', 'tangi', 'tiang'], 'tangibile': ['bigential', 'tangibile'], 'tangible': ['bleating', 'tangible'], 'tangie': ['eating', 'ingate', 'tangie'], 'tangier': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tangle': ['tangle', 'telang'], 'tangling': ['gnatling', 'tangling'], 'tango': ['tango', 'tonga'], 'tangs': ['angst', 'stang', 'tangs'], 'tangue': ['gunate', 'tangue'], 'tangum': ['tangum', 'tugman'], 'tangun': ['tangun', 'tungan'], 'tanh': ['hant', 'tanh', 'than'], 'tanha': ['atnah', 'tanha', 'thana'], 'tania': ['anita', 'niata', 'tania'], 'tanica': ['actian', 'natica', 'tanica'], 'tanier': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'tanist': ['astint', 'tanist'], 'tanitic': ['tanitic', 'titanic'], 'tanka': ['kanat', 'tanak', 'tanka'], 'tankle': ['anklet', 'lanket', 'tankle'], 'tanling': ['antling', 'tanling'], 'tannaic': ['cantina', 'tannaic'], 'tannase': ['annates', 'tannase'], 'tannogallate': ['gallotannate', 'tannogallate'], 'tannogallic': ['gallotannic', 'tannogallic'], 'tannogen': ['nonagent', 'tannogen'], 'tanproof': ['antproof', 'tanproof'], 'tanquen': ['quannet', 'tanquen'], 'tanrec': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tansy': ['nasty', 'styan', 'tansy'], 'tantalean': ['antenatal', 'atlantean', 'tantalean'], 'tantalic': ['atlantic', 'tantalic'], 'tantalite': ['atlantite', 'tantalite'], 'tantara': ['tantara', 'tartana'], 'tantarara': ['tantarara', 'tarantara'], 'tanti': ['taint', 'tanti', 'tinta', 'titan'], 'tantle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'tantra': ['rattan', 'tantra', 'tartan'], 'tantrism': ['tantrism', 'transmit'], 'tantum': ['mutant', 'tantum', 'tutman'], 'tanzeb': ['batzen', 'bezant', 'tanzeb'], 'tao': ['oat', 'tao', 'toa'], 'taoistic': ['iotacist', 'taoistic'], 'taos': ['oast', 'stoa', 'taos'], 'tap': ['apt', 'pat', 'tap'], 'tapa': ['atap', 'pata', 'tapa'], 'tapalo': ['patola', 'tapalo'], 'tapas': ['patas', 'tapas'], 'tape': ['pate', 'peat', 'tape', 'teap'], 'tapeline': ['petaline', 'tapeline'], 'tapeman': ['peatman', 'tapeman'], 'tapen': ['enapt', 'paten', 'penta', 'tapen'], 'taper': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'tapered': ['padtree', 'predate', 'tapered'], 'tapering': ['partigen', 'tapering'], 'taperly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'taperness': ['apertness', 'peartness', 'taperness'], 'tapestring': ['spattering', 'tapestring'], 'tapestry': ['tapestry', 'tryptase'], 'tapet': ['patte', 'tapet'], 'tapete': ['pattee', 'tapete'], 'taphouse': ['outshape', 'taphouse'], 'taphria': ['pitarah', 'taphria'], 'taphrina': ['parthian', 'taphrina'], 'tapir': ['atrip', 'tapir'], 'tapiro': ['portia', 'tapiro'], 'tapirus': ['tapirus', 'upstair'], 'tapis': ['piast', 'stipa', 'tapis'], 'taplash': ['asphalt', 'spathal', 'taplash'], 'tapmost': ['tapmost', 'topmast'], 'tapnet': ['patent', 'patten', 'tapnet'], 'tapoa': ['opata', 'patao', 'tapoa'], 'taposa': ['sapota', 'taposa'], 'taproom': ['protoma', 'taproom'], 'taproot': ['potator', 'taproot'], 'taps': ['past', 'spat', 'stap', 'taps'], 'tapster': ['spatter', 'tapster'], 'tapu': ['patu', 'paut', 'tapu'], 'tapuyo': ['outpay', 'tapuyo'], 'taqua': ['quata', 'taqua'], 'tar': ['art', 'rat', 'tar', 'tra'], 'tara': ['rata', 'taar', 'tara'], 'taraf': ['taraf', 'tarfa'], 'tarai': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'taranchi': ['taranchi', 'thracian'], 'tarantara': ['tantarara', 'tarantara'], 'tarapin': ['patarin', 'tarapin'], 'tarasc': ['castra', 'tarasc'], 'tarbet': ['batter', 'bertat', 'tabret', 'tarbet'], 'tardle': ['dartle', 'tardle'], 'tardy': ['tardy', 'trady'], 'tare': ['rate', 'tare', 'tear', 'tera'], 'tarente': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tarentine': ['entertain', 'tarentine', 'terentian'], 'tarfa': ['taraf', 'tarfa'], 'targe': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'targeman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'targer': ['garret', 'garter', 'grater', 'targer'], 'target': ['gatter', 'target'], 'targetman': ['targetman', 'termagant'], 'targum': ['artgum', 'targum'], 'tarheel': ['leather', 'tarheel'], 'tarheeler': ['leatherer', 'releather', 'tarheeler'], 'tari': ['airt', 'rita', 'tari', 'tiar'], 'tarie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'tarin': ['riant', 'tairn', 'tarin', 'train'], 'tarish': ['rashti', 'tarish'], 'tarletan': ['alterant', 'tarletan'], 'tarlike': ['artlike', 'ratlike', 'tarlike'], 'tarmac': ['mactra', 'tarmac'], 'tarman': ['mantra', 'tarman'], 'tarmi': ['mitra', 'tarmi', 'timar', 'tirma'], 'tarn': ['natr', 'rant', 'tarn', 'tran'], 'tarnal': ['antral', 'tarnal'], 'tarnish': ['tarnish', 'trishna'], 'tarnside': ['stradine', 'strained', 'tarnside'], 'taro': ['rota', 'taro', 'tora'], 'taroc': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'tarocco': ['coactor', 'tarocco'], 'tarok': ['kotar', 'tarok'], 'tarot': ['ottar', 'tarot', 'torta', 'troat'], 'tarp': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'tarpan': ['partan', 'tarpan'], 'tarpaulin': ['tarpaulin', 'unpartial'], 'tarpeian': ['patarine', 'tarpeian'], 'tarpon': ['patron', 'tarpon'], 'tarquin': ['quatrin', 'tarquin'], 'tarragon': ['arrogant', 'tarragon'], 'tarred': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'tarrer': ['tarrer', 'terrar'], 'tarriance': ['antiracer', 'tarriance'], 'tarrie': ['arriet', 'tarrie'], 'tars': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tarsal': ['astral', 'tarsal'], 'tarsale': ['alaster', 'tarsale'], 'tarsalgia': ['astragali', 'tarsalgia'], 'tarse': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'tarsi': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'tarsia': ['arista', 'tarsia'], 'tarsier': ['astrier', 'tarsier'], 'tarsipes': ['piratess', 'serapist', 'tarsipes'], 'tarsitis': ['satirist', 'tarsitis'], 'tarsome': ['maestro', 'tarsome'], 'tarsonemid': ['mosandrite', 'tarsonemid'], 'tarsonemus': ['sarmentous', 'tarsonemus'], 'tarsus': ['rastus', 'tarsus'], 'tartan': ['rattan', 'tantra', 'tartan'], 'tartana': ['tantara', 'tartana'], 'tartaret': ['tartaret', 'tartrate'], 'tartarin': ['tartarin', 'triratna'], 'tartarous': ['saturator', 'tartarous'], 'tarten': ['attern', 'natter', 'ratten', 'tarten'], 'tartish': ['athirst', 'rattish', 'tartish'], 'tartle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tartlet': ['tartlet', 'tattler'], 'tartly': ['rattly', 'tartly'], 'tartrate': ['tartaret', 'tartrate'], 'taruma': ['taruma', 'trauma'], 'tarve': ['avert', 'tarve', 'taver', 'trave'], 'tarweed': ['dewater', 'tarweed', 'watered'], 'tarwood': ['ratwood', 'tarwood'], 'taryba': ['baryta', 'taryba'], 'tasco': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tash': ['shat', 'tash'], 'tasheriff': ['fireshaft', 'tasheriff'], 'tashie': ['saithe', 'tashie', 'teaish'], 'tashrif': ['ratfish', 'tashrif'], 'tasian': ['astian', 'tasian'], 'tasimetry': ['myristate', 'tasimetry'], 'task': ['skat', 'task'], 'tasker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'taslet': ['latest', 'sattle', 'taslet'], 'tasmanite': ['emanatist', 'staminate', 'tasmanite'], 'tassah': ['shasta', 'tassah'], 'tasse': ['asset', 'tasse'], 'tassel': ['lasset', 'tassel'], 'tasseler': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tasser': ['assert', 'tasser'], 'tassie': ['siesta', 'tassie'], 'tastable': ['statable', 'tastable'], 'taste': ['state', 'taste', 'tates', 'testa'], 'tasted': ['stated', 'tasted'], 'tasteful': ['stateful', 'tasteful'], 'tastefully': ['statefully', 'tastefully'], 'tastefulness': ['statefulness', 'tastefulness'], 'tasteless': ['stateless', 'tasteless'], 'taster': ['stater', 'taster', 'testar'], 'tasu': ['saut', 'tasu', 'utas'], 'tatar': ['attar', 'tatar'], 'tatarize': ['tatarize', 'zaratite'], 'tatchy': ['chatty', 'tatchy'], 'tate': ['etta', 'tate', 'teat'], 'tater': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tates': ['state', 'taste', 'tates', 'testa'], 'tath': ['hatt', 'tath', 'that'], 'tatian': ['attain', 'tatian'], 'tatler': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tatterly': ['tatterly', 'tattlery'], 'tattler': ['tartlet', 'tattler'], 'tattlery': ['tatterly', 'tattlery'], 'tatu': ['tatu', 'taut'], 'tau': ['tau', 'tua', 'uta'], 'taube': ['butea', 'taube', 'tubae'], 'taula': ['aluta', 'taula'], 'taum': ['muta', 'taum'], 'taun': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'taungthu': ['taungthu', 'untaught'], 'taupe': ['taupe', 'upeat'], 'taupo': ['apout', 'taupo'], 'taur': ['ruta', 'taur'], 'taurean': ['taurean', 'uranate'], 'tauric': ['tauric', 'uratic', 'urtica'], 'taurine': ['ruinate', 'taurine', 'uranite', 'urinate'], 'taurocol': ['outcarol', 'taurocol'], 'taut': ['tatu', 'taut'], 'tauten': ['attune', 'nutate', 'tauten'], 'tautomeric': ['autometric', 'tautomeric'], 'tautomery': ['autometry', 'tautomery'], 'tav': ['tav', 'vat'], 'tavast': ['sattva', 'tavast'], 'tave': ['tave', 'veta'], 'taver': ['avert', 'tarve', 'taver', 'trave'], 'tavers': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'tavert': ['tavert', 'vatter'], 'tavola': ['tavola', 'volata'], 'taw': ['taw', 'twa', 'wat'], 'tawa': ['awat', 'tawa'], 'tawer': ['tawer', 'water', 'wreat'], 'tawery': ['tawery', 'watery'], 'tawite': ['tawite', 'tawtie', 'twaite'], 'tawn': ['nawt', 'tawn', 'want'], 'tawny': ['tawny', 'wanty'], 'taws': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'tawse': ['awest', 'sweat', 'tawse', 'waste'], 'tawtie': ['tawite', 'tawtie', 'twaite'], 'taxed': ['detax', 'taxed'], 'taxer': ['extra', 'retax', 'taxer'], 'tay': ['tay', 'yat'], 'tayer': ['tayer', 'teary'], 'tchai': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'tche': ['chet', 'etch', 'tche', 'tech'], 'tchi': ['chit', 'itch', 'tchi'], 'tchu': ['chut', 'tchu', 'utch'], 'tchwi': ['tchwi', 'wicht', 'witch'], 'tea': ['ate', 'eat', 'eta', 'tae', 'tea'], 'teaberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'teaboy': ['betoya', 'teaboy'], 'teacart': ['caretta', 'teacart', 'tearcat'], 'teach': ['cheat', 'tache', 'teach', 'theca'], 'teachable': ['cheatable', 'teachable'], 'teachableness': ['cheatableness', 'teachableness'], 'teache': ['achete', 'hecate', 'teache', 'thecae'], 'teacher': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'teachery': ['cheatery', 'cytherea', 'teachery'], 'teaching': ['cheating', 'teaching'], 'teachingly': ['cheatingly', 'teachingly'], 'teachless': ['tacheless', 'teachless'], 'tead': ['adet', 'date', 'tade', 'tead', 'teda'], 'teaer': ['arete', 'eater', 'teaer'], 'teagle': ['eaglet', 'legate', 'teagle', 'telega'], 'teaish': ['saithe', 'tashie', 'teaish'], 'teaism': ['samite', 'semita', 'tamise', 'teaism'], 'teak': ['kate', 'keta', 'take', 'teak'], 'teal': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'team': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teamer': ['reetam', 'retame', 'teamer'], 'teaming': ['mintage', 'teaming', 'tegmina'], 'teamless': ['mateless', 'meatless', 'tameless', 'teamless'], 'teamman': ['meatman', 'teamman'], 'teamster': ['teamster', 'trametes'], 'tean': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'teanal': ['anteal', 'lanate', 'teanal'], 'teap': ['pate', 'peat', 'tape', 'teap'], 'teapot': ['aptote', 'optate', 'potate', 'teapot'], 'tear': ['rate', 'tare', 'tear', 'tera'], 'tearable': ['elabrate', 'tearable'], 'tearably': ['betrayal', 'tearably'], 'tearcat': ['caretta', 'teacart', 'tearcat'], 'teardown': ['danewort', 'teardown'], 'teardrop': ['predator', 'protrade', 'teardrop'], 'tearer': ['rerate', 'retare', 'tearer'], 'tearful': ['faulter', 'refutal', 'tearful'], 'tearing': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tearless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tearlike': ['keralite', 'tearlike'], 'tearpit': ['partite', 'tearpit'], 'teart': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'teary': ['tayer', 'teary'], 'teasably': ['stayable', 'teasably'], 'tease': ['setae', 'tease'], 'teasel': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'teaser': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teasing': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'teasler': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'teasy': ['teasy', 'yeast'], 'teat': ['etta', 'tate', 'teat'], 'teather': ['teather', 'theater', 'thereat'], 'tebu': ['bute', 'tebu', 'tube'], 'teca': ['cate', 'teca'], 'tecali': ['calite', 'laetic', 'tecali'], 'tech': ['chet', 'etch', 'tche', 'tech'], 'techily': ['ethylic', 'techily'], 'technica': ['atechnic', 'catechin', 'technica'], 'technocracy': ['conycatcher', 'technocracy'], 'technopsychology': ['psychotechnology', 'technopsychology'], 'techous': ['souchet', 'techous', 'tousche'], 'techy': ['techy', 'tyche'], 'tecla': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'teco': ['cote', 'teco'], 'tecoma': ['comate', 'metoac', 'tecoma'], 'tecomin': ['centimo', 'entomic', 'tecomin'], 'tecon': ['cento', 'conte', 'tecon'], 'tectal': ['cattle', 'tectal'], 'tectology': ['ctetology', 'tectology'], 'tectona': ['oncetta', 'tectona'], 'tectospinal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tecuma': ['acetum', 'tecuma'], 'tecuna': ['tecuna', 'uncate'], 'teda': ['adet', 'date', 'tade', 'tead', 'teda'], 'tedious': ['outside', 'tedious'], 'tediousness': ['outsideness', 'tediousness'], 'teedle': ['delete', 'teedle'], 'teel': ['leet', 'lete', 'teel', 'tele'], 'teem': ['meet', 'mete', 'teem'], 'teemer': ['meeter', 'remeet', 'teemer'], 'teeming': ['meeting', 'teeming', 'tegmine'], 'teems': ['teems', 'temse'], 'teen': ['neet', 'nete', 'teen'], 'teens': ['steen', 'teens', 'tense'], 'teer': ['reet', 'teer', 'tree'], 'teerer': ['retree', 'teerer'], 'teest': ['teest', 'teste'], 'teet': ['teet', 'tete'], 'teeter': ['teeter', 'terete'], 'teeth': ['teeth', 'theet'], 'teething': ['genthite', 'teething'], 'teg': ['get', 'teg'], 'tegean': ['geneat', 'negate', 'tegean'], 'tegmina': ['mintage', 'teaming', 'tegmina'], 'tegminal': ['ligament', 'metaling', 'tegminal'], 'tegmine': ['meeting', 'teeming', 'tegmine'], 'tegular': ['gaulter', 'tegular'], 'teheran': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'tehsildar': ['heraldist', 'tehsildar'], 'teian': ['entia', 'teian', 'tenai', 'tinea'], 'teicher': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'teil': ['lite', 'teil', 'teli', 'tile'], 'teind': ['detin', 'teind', 'tined'], 'teinder': ['nitered', 'redient', 'teinder'], 'teinland': ['dentinal', 'teinland', 'tendinal'], 'teioid': ['iodite', 'teioid'], 'teju': ['jute', 'teju'], 'telamon': ['omental', 'telamon'], 'telang': ['tangle', 'telang'], 'telar': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'telarian': ['retainal', 'telarian'], 'telary': ['lyrate', 'raylet', 'realty', 'telary'], 'tele': ['leet', 'lete', 'teel', 'tele'], 'telecast': ['castelet', 'telecast'], 'telega': ['eaglet', 'legate', 'teagle', 'telega'], 'telegn': ['gentle', 'telegn'], 'telegrapher': ['retelegraph', 'telegrapher'], 'telei': ['elite', 'telei'], 'telephone': ['phenetole', 'telephone'], 'telephony': ['polythene', 'telephony'], 'telephotograph': ['phototelegraph', 'telephotograph'], 'telephotographic': ['phototelegraphic', 'telephotographic'], 'telephotography': ['phototelegraphy', 'telephotography'], 'teleradiophone': ['radiotelephone', 'teleradiophone'], 'teleran': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teleseism': ['messelite', 'semisteel', 'teleseism'], 'telespectroscope': ['spectrotelescope', 'telespectroscope'], 'telestereoscope': ['stereotelescope', 'telestereoscope'], 'telestial': ['satellite', 'telestial'], 'telestic': ['telestic', 'testicle'], 'telfer': ['felter', 'telfer', 'trefle'], 'teli': ['lite', 'teil', 'teli', 'tile'], 'telial': ['taille', 'telial'], 'telic': ['clite', 'telic'], 'telinga': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'tellach': ['hellcat', 'tellach'], 'teller': ['retell', 'teller'], 'tellima': ['mitella', 'tellima'], 'tellina': ['nitella', 'tellina'], 'tellurian': ['tellurian', 'unliteral'], 'telome': ['omelet', 'telome'], 'telonism': ['melonist', 'telonism'], 'telopsis': ['polistes', 'telopsis'], 'telpath': ['pathlet', 'telpath'], 'telson': ['solent', 'stolen', 'telson'], 'telsonic': ['lentisco', 'telsonic'], 'telt': ['lett', 'telt'], 'tema': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teman': ['ament', 'meant', 'teman'], 'temin': ['metin', 'temin', 'timne'], 'temp': ['empt', 'temp'], 'tempean': ['peteman', 'tempean'], 'temper': ['temper', 'tempre'], 'tempera': ['premate', 'tempera'], 'temperer': ['retemper', 'temperer'], 'temperish': ['herpetism', 'metership', 'metreship', 'temperish'], 'templar': ['templar', 'trample'], 'template': ['palmette', 'template'], 'temple': ['pelmet', 'temple'], 'tempora': ['pteroma', 'tempora'], 'temporarily': ['polarimetry', 'premorality', 'temporarily'], 'temporofrontal': ['frontotemporal', 'temporofrontal'], 'temporooccipital': ['occipitotemporal', 'temporooccipital'], 'temporoparietal': ['parietotemporal', 'temporoparietal'], 'tempre': ['temper', 'tempre'], 'tempter': ['retempt', 'tempter'], 'temse': ['teems', 'temse'], 'temser': ['mester', 'restem', 'temser', 'termes'], 'temulent': ['temulent', 'unmettle'], 'ten': ['net', 'ten'], 'tenable': ['beltane', 'tenable'], 'tenace': ['cetane', 'tenace'], 'tenai': ['entia', 'teian', 'tenai', 'tinea'], 'tenanter': ['retenant', 'tenanter'], 'tenantless': ['latentness', 'tenantless'], 'tencteri': ['reticent', 'tencteri'], 'tend': ['dent', 'tend'], 'tender': ['denter', 'rented', 'tender'], 'tenderer': ['retender', 'tenderer'], 'tenderish': ['disherent', 'hinderest', 'tenderish'], 'tendinal': ['dentinal', 'teinland', 'tendinal'], 'tendinitis': ['dentinitis', 'tendinitis'], 'tendour': ['tendour', 'unroted'], 'tendril': ['tendril', 'trindle'], 'tendron': ['donnert', 'tendron'], 'teneral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teneriffe': ['fifteener', 'teneriffe'], 'tenesmus': ['muteness', 'tenesmus'], 'teng': ['gent', 'teng'], 'tengu': ['tengu', 'unget'], 'teniacidal': ['acetanilid', 'laciniated', 'teniacidal'], 'teniacide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'tenible': ['beltine', 'tenible'], 'tenino': ['intone', 'tenino'], 'tenline': ['lenient', 'tenline'], 'tenner': ['rennet', 'tenner'], 'tennis': ['innest', 'sennit', 'sinnet', 'tennis'], 'tenomyotomy': ['myotenotomy', 'tenomyotomy'], 'tenon': ['nonet', 'tenon'], 'tenoner': ['enteron', 'tenoner'], 'tenonian': ['annotine', 'tenonian'], 'tenonitis': ['sentition', 'tenonitis'], 'tenontophyma': ['nematophyton', 'tenontophyma'], 'tenophyte': ['entophyte', 'tenophyte'], 'tenoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tenor': ['noter', 'tenor', 'toner', 'trone'], 'tenorist': ['ortstein', 'tenorist'], 'tenovaginitis': ['investigation', 'tenovaginitis'], 'tenpin': ['pinnet', 'tenpin'], 'tenrec': ['center', 'recent', 'tenrec'], 'tense': ['steen', 'teens', 'tense'], 'tensible': ['nebelist', 'stilbene', 'tensible'], 'tensile': ['leisten', 'setline', 'tensile'], 'tension': ['stenion', 'tension'], 'tensional': ['alstonine', 'tensional'], 'tensive': ['estevin', 'tensive'], 'tenson': ['sonnet', 'stonen', 'tenson'], 'tensor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'tentable': ['nettable', 'tentable'], 'tentacle': ['ectental', 'tentacle'], 'tentage': ['genetta', 'tentage'], 'tentation': ['attention', 'tentation'], 'tentative': ['attentive', 'tentative'], 'tentatively': ['attentively', 'tentatively'], 'tentativeness': ['attentiveness', 'tentativeness'], 'tented': ['detent', 'netted', 'tented'], 'tenter': ['netter', 'retent', 'tenter'], 'tention': ['nettion', 'tention', 'tontine'], 'tentorial': ['natrolite', 'tentorial'], 'tenty': ['netty', 'tenty'], 'tenuiroster': ['tenuiroster', 'urosternite'], 'tenuistriate': ['intersituate', 'tenuistriate'], 'tenure': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'tenurial': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'teocalli': ['colletia', 'teocalli'], 'teosinte': ['noisette', 'teosinte'], 'tepache': ['heptace', 'tepache'], 'tepal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'tepanec': ['pentace', 'tepanec'], 'tepecano': ['conepate', 'tepecano'], 'tephrite': ['perthite', 'tephrite'], 'tephritic': ['perthitic', 'tephritic'], 'tephroite': ['heptorite', 'tephroite'], 'tephrosis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'tepor': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tequila': ['liquate', 'tequila'], 'tera': ['rate', 'tare', 'tear', 'tera'], 'teraglin': ['integral', 'teraglin', 'triangle'], 'terap': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'teras': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'teratism': ['mistreat', 'teratism'], 'terbia': ['baiter', 'barite', 'rebait', 'terbia'], 'terbium': ['burmite', 'imbrute', 'terbium'], 'tercelet': ['electret', 'tercelet'], 'terceron': ['corrente', 'terceron'], 'tercia': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'tercine': ['citrene', 'enteric', 'enticer', 'tercine'], 'tercio': ['erotic', 'tercio'], 'terebilic': ['celtiberi', 'terebilic'], 'terebinthian': ['terebinthian', 'terebinthina'], 'terebinthina': ['terebinthian', 'terebinthina'], 'terebra': ['rebater', 'terebra'], 'terebral': ['barrelet', 'terebral'], 'terentian': ['entertain', 'tarentine', 'terentian'], 'teresa': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teresian': ['arsenite', 'resinate', 'teresian', 'teresina'], 'teresina': ['arsenite', 'resinate', 'teresian', 'teresina'], 'terete': ['teeter', 'terete'], 'teretial': ['laterite', 'literate', 'teretial'], 'tereus': ['retuse', 'tereus'], 'tergal': ['raglet', 'tergal'], 'tergant': ['garnett', 'gnatter', 'gratten', 'tergant'], 'tergeminous': ['mentigerous', 'tergeminous'], 'teri': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'teriann': ['entrain', 'teriann'], 'terma': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'termagant': ['targetman', 'termagant'], 'termes': ['mester', 'restem', 'temser', 'termes'], 'termin': ['minter', 'remint', 'termin'], 'terminal': ['terminal', 'tramline'], 'terminalia': ['laminarite', 'terminalia'], 'terminate': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'termini': ['interim', 'termini'], 'terminine': ['intermine', 'nemertini', 'terminine'], 'terminus': ['numerist', 'terminus'], 'termital': ['remittal', 'termital'], 'termite': ['emitter', 'termite'], 'termly': ['myrtle', 'termly'], 'termon': ['mentor', 'merton', 'termon', 'tormen'], 'termor': ['termor', 'tremor'], 'tern': ['rent', 'tern'], 'terna': ['antre', 'arent', 'retan', 'terna'], 'ternal': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'ternar': ['arrent', 'errant', 'ranter', 'ternar'], 'ternarious': ['souterrain', 'ternarious', 'trouserian'], 'ternate': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'terne': ['enter', 'neter', 'renet', 'terne', 'treen'], 'ternion': ['intoner', 'ternion'], 'ternlet': ['nettler', 'ternlet'], 'terp': ['pert', 'petr', 'terp'], 'terpane': ['patener', 'pearten', 'petrean', 'terpane'], 'terpeneless': ['repleteness', 'terpeneless'], 'terpin': ['nipter', 'terpin'], 'terpine': ['petrine', 'terpine'], 'terpineol': ['interlope', 'interpole', 'repletion', 'terpineol'], 'terpinol': ['pointrel', 'terpinol'], 'terrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'terraciform': ['crateriform', 'terraciform'], 'terrage': ['greater', 'regrate', 'terrage'], 'terrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'terral': ['retral', 'terral'], 'terrance': ['canterer', 'recanter', 'recreant', 'terrance'], 'terrapin': ['pretrain', 'terrapin'], 'terrar': ['tarrer', 'terrar'], 'terrence': ['centerer', 'recenter', 'recentre', 'terrence'], 'terrene': ['enterer', 'terrene'], 'terret': ['retter', 'terret'], 'terri': ['terri', 'tirer', 'trier'], 'terrier': ['retirer', 'terrier'], 'terrine': ['reinter', 'terrine'], 'terron': ['terron', 'treron', 'troner'], 'terry': ['retry', 'terry'], 'terse': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tersely': ['restyle', 'tersely'], 'tersion': ['oestrin', 'tersion'], 'tertia': ['attire', 'ratite', 'tertia'], 'tertian': ['intreat', 'iterant', 'nitrate', 'tertian'], 'tertiana': ['attainer', 'reattain', 'tertiana'], 'terton': ['rotten', 'terton'], 'tervee': ['revete', 'tervee'], 'terzina': ['retzian', 'terzina'], 'terzo': ['terzo', 'tozer'], 'tesack': ['casket', 'tesack'], 'teskere': ['skeeter', 'teskere'], 'tessella': ['satelles', 'tessella'], 'tesseral': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'test': ['sett', 'stet', 'test'], 'testa': ['state', 'taste', 'tates', 'testa'], 'testable': ['settable', 'testable'], 'testament': ['statement', 'testament'], 'testar': ['stater', 'taster', 'testar'], 'teste': ['teest', 'teste'], 'tested': ['detest', 'tested'], 'testee': ['settee', 'testee'], 'tester': ['retest', 'setter', 'street', 'tester'], 'testes': ['sestet', 'testes', 'tsetse'], 'testicle': ['telestic', 'testicle'], 'testicular': ['testicular', 'trisulcate'], 'testily': ['stylite', 'testily'], 'testing': ['setting', 'testing'], 'teston': ['ostent', 'teston'], 'testor': ['sotter', 'testor'], 'testril': ['litster', 'slitter', 'stilter', 'testril'], 'testy': ['testy', 'tyste'], 'tetanic': ['nictate', 'tetanic'], 'tetanical': ['cantalite', 'lactinate', 'tetanical'], 'tetanoid': ['antidote', 'tetanoid'], 'tetanus': ['tetanus', 'unstate', 'untaste'], 'tetarconid': ['detraction', 'doctrinate', 'tetarconid'], 'tetard': ['tetard', 'tetrad'], 'tetchy': ['chetty', 'tetchy'], 'tete': ['teet', 'tete'], 'tetel': ['ettle', 'tetel'], 'tether': ['hetter', 'tether'], 'tethys': ['stythe', 'tethys'], 'tetra': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tetracid': ['citrated', 'tetracid', 'tetradic'], 'tetrad': ['tetard', 'tetrad'], 'tetradic': ['citrated', 'tetracid', 'tetradic'], 'tetragonia': ['giornatate', 'tetragonia'], 'tetrahexahedron': ['hexatetrahedron', 'tetrahexahedron'], 'tetrakishexahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'tetralin': ['tetralin', 'triental'], 'tetramin': ['intermat', 'martinet', 'tetramin'], 'tetramine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'tetrander': ['retardent', 'tetrander'], 'tetrandrous': ['tetrandrous', 'unrostrated'], 'tetrane': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tetrao': ['rotate', 'tetrao'], 'tetraodon': ['detonator', 'tetraodon'], 'tetraonine': ['entoretina', 'tetraonine'], 'tetraplous': ['supertotal', 'tetraplous'], 'tetrasporic': ['tetrasporic', 'triceratops'], 'tetraxonia': ['retaxation', 'tetraxonia'], 'tetrical': ['tetrical', 'tractile'], 'tetricous': ['tetricous', 'toreutics'], 'tetronic': ['contrite', 'tetronic'], 'tetrose': ['rosette', 'tetrose'], 'tetterous': ['outstreet', 'tetterous'], 'teucri': ['curite', 'teucri', 'uretic'], 'teucrian': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'teucrin': ['nutrice', 'teucrin'], 'teuk': ['ketu', 'teuk', 'tuke'], 'tew': ['tew', 'wet'], 'tewa': ['tewa', 'twae', 'weta'], 'tewel': ['tewel', 'tweel'], 'tewer': ['rewet', 'tewer', 'twere'], 'tewit': ['tewit', 'twite'], 'tewly': ['tewly', 'wetly'], 'tha': ['aht', 'hat', 'tha'], 'thai': ['hati', 'thai'], 'thais': ['shita', 'thais'], 'thalami': ['hamital', 'thalami'], 'thaler': ['arthel', 'halter', 'lather', 'thaler'], 'thalia': ['hiatal', 'thalia'], 'thaliard': ['hardtail', 'thaliard'], 'thamesis': ['mathesis', 'thamesis'], 'than': ['hant', 'tanh', 'than'], 'thana': ['atnah', 'tanha', 'thana'], 'thanan': ['nathan', 'thanan'], 'thanatism': ['staithman', 'thanatism'], 'thanatotic': ['chattation', 'thanatotic'], 'thane': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'thanker': ['rethank', 'thanker'], 'thapes': ['spathe', 'thapes'], 'thar': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tharen': ['anther', 'nather', 'tharen', 'thenar'], 'tharm': ['tharm', 'thram'], 'thasian': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'that': ['hatt', 'tath', 'that'], 'thatcher': ['rethatch', 'thatcher'], 'thaw': ['thaw', 'wath', 'what'], 'thawer': ['rethaw', 'thawer', 'wreath'], 'the': ['het', 'the'], 'thea': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'theah': ['heath', 'theah'], 'thearchy': ['hatchery', 'thearchy'], 'theat': ['theat', 'theta'], 'theater': ['teather', 'theater', 'thereat'], 'theatricism': ['chemiatrist', 'chrismatite', 'theatricism'], 'theatropolis': ['strophiolate', 'theatropolis'], 'theatry': ['hattery', 'theatry'], 'theb': ['beth', 'theb'], 'thebaid': ['habited', 'thebaid'], 'theca': ['cheat', 'tache', 'teach', 'theca'], 'thecae': ['achete', 'hecate', 'teache', 'thecae'], 'thecal': ['achtel', 'chalet', 'thecal', 'thecla'], 'thecasporal': ['archapostle', 'thecasporal'], 'thecata': ['attache', 'thecata'], 'thecitis': ['ethicist', 'thecitis', 'theistic'], 'thecla': ['achtel', 'chalet', 'thecal', 'thecla'], 'theer': ['ether', 'rethe', 'theer', 'there', 'three'], 'theet': ['teeth', 'theet'], 'thegn': ['ghent', 'thegn'], 'thegnly': ['lengthy', 'thegnly'], 'theine': ['ethine', 'theine'], 'their': ['ither', 'their'], 'theirn': ['hinter', 'nither', 'theirn'], 'theirs': ['shrite', 'theirs'], 'theism': ['theism', 'themis'], 'theist': ['theist', 'thetis'], 'theistic': ['ethicist', 'thecitis', 'theistic'], 'thema': ['ahmet', 'thema'], 'thematic': ['mathetic', 'thematic'], 'thematist': ['hattemist', 'thematist'], 'themer': ['mether', 'themer'], 'themis': ['theism', 'themis'], 'themistian': ['antitheism', 'themistian'], 'then': ['hent', 'neth', 'then'], 'thenal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'thenar': ['anther', 'nather', 'tharen', 'thenar'], 'theobald': ['bolthead', 'theobald'], 'theocrasia': ['oireachtas', 'theocrasia'], 'theocrat': ['theocrat', 'trochate'], 'theocratic': ['rheotactic', 'theocratic'], 'theodora': ['dorothea', 'theodora'], 'theodore': ['theodore', 'treehood'], 'theogonal': ['halogeton', 'theogonal'], 'theologic': ['ethologic', 'theologic'], 'theological': ['ethological', 'lethologica', 'theological'], 'theologism': ['hemologist', 'theologism'], 'theology': ['ethology', 'theology'], 'theophanic': ['phaethonic', 'theophanic'], 'theophilist': ['philotheist', 'theophilist'], 'theopsychism': ['psychotheism', 'theopsychism'], 'theorbo': ['boother', 'theorbo'], 'theorematic': ['heteratomic', 'theorematic'], 'theoretic': ['heterotic', 'theoretic'], 'theoretician': ['heretication', 'theoretician'], 'theorician': ['antiheroic', 'theorician'], 'theorics': ['chirotes', 'theorics'], 'theorism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'theorist': ['otherist', 'theorist'], 'theorizer': ['rhetorize', 'theorizer'], 'theorum': ['mouther', 'theorum'], 'theotherapy': ['heteropathy', 'theotherapy'], 'therblig': ['blighter', 'therblig'], 'there': ['ether', 'rethe', 'theer', 'there', 'three'], 'thereas': ['thereas', 'theresa'], 'thereat': ['teather', 'theater', 'thereat'], 'therein': ['enherit', 'etherin', 'neither', 'therein'], 'thereness': ['retheness', 'thereness', 'threeness'], 'thereology': ['heterology', 'thereology'], 'theres': ['esther', 'hester', 'theres'], 'theresa': ['thereas', 'theresa'], 'therese': ['sheeter', 'therese'], 'therewithal': ['therewithal', 'whitleather'], 'theriac': ['certhia', 'rhaetic', 'theriac'], 'therial': ['hairlet', 'therial'], 'theriodic': ['dichroite', 'erichtoid', 'theriodic'], 'theriodonta': ['dehortation', 'theriodonta'], 'thermantic': ['intermatch', 'thermantic'], 'thermo': ['mother', 'thermo'], 'thermobarograph': ['barothermograph', 'thermobarograph'], 'thermoelectric': ['electrothermic', 'thermoelectric'], 'thermoelectrometer': ['electrothermometer', 'thermoelectrometer'], 'thermogalvanometer': ['galvanothermometer', 'thermogalvanometer'], 'thermogeny': ['mythogreen', 'thermogeny'], 'thermography': ['mythographer', 'thermography'], 'thermology': ['mythologer', 'thermology'], 'thermos': ['smother', 'thermos'], 'thermotype': ['phytometer', 'thermotype'], 'thermotypic': ['phytometric', 'thermotypic'], 'thermotypy': ['phytometry', 'thermotypy'], 'theroid': ['rhodite', 'theroid'], 'theron': ['hornet', 'nother', 'theron', 'throne'], 'thersitical': ['thersitical', 'trachelitis'], 'these': ['sheet', 'these'], 'thesean': ['sneathe', 'thesean'], 'thesial': ['heliast', 'thesial'], 'thesis': ['shiest', 'thesis'], 'theta': ['theat', 'theta'], 'thetical': ['athletic', 'thetical'], 'thetis': ['theist', 'thetis'], 'thew': ['hewt', 'thew', 'whet'], 'they': ['they', 'yeth'], 'theyre': ['theyre', 'yether'], 'thicken': ['kitchen', 'thicken'], 'thickener': ['kitchener', 'rethicken', 'thickener'], 'thicket': ['chettik', 'thicket'], 'thienyl': ['ethylin', 'thienyl'], 'thig': ['gith', 'thig'], 'thigh': ['hight', 'thigh'], 'thill': ['illth', 'thill'], 'thin': ['hint', 'thin'], 'thing': ['night', 'thing'], 'thingal': ['halting', 'lathing', 'thingal'], 'thingless': ['lightness', 'nightless', 'thingless'], 'thinglet': ['thinglet', 'thlinget'], 'thinglike': ['nightlike', 'thinglike'], 'thingly': ['nightly', 'thingly'], 'thingman': ['nightman', 'thingman'], 'thinker': ['rethink', 'thinker'], 'thio': ['hoit', 'hoti', 'thio'], 'thiocresol': ['holosteric', 'thiocresol'], 'thiol': ['litho', 'thiol', 'tholi'], 'thiolacetic': ['heliotactic', 'thiolacetic'], 'thiophenol': ['lithophone', 'thiophenol'], 'thiopyran': ['phoniatry', 'thiopyran'], 'thirlage': ['litharge', 'thirlage'], 'this': ['hist', 'sith', 'this', 'tshi'], 'thissen': ['sithens', 'thissen'], 'thistle': ['lettish', 'thistle'], 'thlinget': ['thinglet', 'thlinget'], 'tho': ['hot', 'tho'], 'thob': ['both', 'thob'], 'thole': ['helot', 'hotel', 'thole'], 'tholi': ['litho', 'thiol', 'tholi'], 'tholos': ['soloth', 'tholos'], 'thomaean': ['amaethon', 'thomaean'], 'thomasine': ['hematosin', 'thomasine'], 'thomisid': ['isthmoid', 'thomisid'], 'thomsonite': ['monotheist', 'thomsonite'], 'thonder': ['thonder', 'thorned'], 'thonga': ['gnatho', 'thonga'], 'thoo': ['hoot', 'thoo', 'toho'], 'thoom': ['mooth', 'thoom'], 'thoracectomy': ['chromatocyte', 'thoracectomy'], 'thoracic': ['thoracic', 'tocharic', 'trochaic'], 'thoral': ['harlot', 'orthal', 'thoral'], 'thore': ['other', 'thore', 'throe', 'toher'], 'thoric': ['chorti', 'orthic', 'thoric', 'trochi'], 'thorina': ['orthian', 'thorina'], 'thorite': ['hortite', 'orthite', 'thorite'], 'thorn': ['north', 'thorn'], 'thorned': ['thonder', 'thorned'], 'thornhead': ['rhodanthe', 'thornhead'], 'thorny': ['rhyton', 'thorny'], 'thoro': ['ortho', 'thoro'], 'thort': ['thort', 'troth'], 'thos': ['host', 'shot', 'thos', 'tosh'], 'those': ['ethos', 'shote', 'those'], 'thowel': ['howlet', 'thowel'], 'thraces': ['stacher', 'thraces'], 'thracian': ['taranchi', 'thracian'], 'thraep': ['thraep', 'threap'], 'thrain': ['hartin', 'thrain'], 'thram': ['tharm', 'thram'], 'thrang': ['granth', 'thrang'], 'thrasher': ['rethrash', 'thrasher'], 'thrast': ['strath', 'thrast'], 'thraw': ['thraw', 'warth', 'whart', 'wrath'], 'thread': ['dearth', 'hatred', 'rathed', 'thread'], 'threaden': ['adherent', 'headrent', 'neatherd', 'threaden'], 'threader': ['rethread', 'threader'], 'threadworm': ['motherward', 'threadworm'], 'thready': ['hydrate', 'thready'], 'threap': ['thraep', 'threap'], 'threat': ['hatter', 'threat'], 'threatener': ['rethreaten', 'threatener'], 'three': ['ether', 'rethe', 'theer', 'there', 'three'], 'threeling': ['lightener', 'relighten', 'threeling'], 'threeness': ['retheness', 'thereness', 'threeness'], 'threne': ['erthen', 'henter', 'nether', 'threne'], 'threnode': ['dethrone', 'threnode'], 'threnodic': ['chondrite', 'threnodic'], 'threnos': ['shorten', 'threnos'], 'thresher': ['rethresh', 'thresher'], 'thrice': ['cither', 'thrice'], 'thriller': ['rethrill', 'thriller'], 'thripel': ['philter', 'thripel'], 'thripidae': ['rhipidate', 'thripidae'], 'throat': ['athort', 'throat'], 'throb': ['broth', 'throb'], 'throe': ['other', 'thore', 'throe', 'toher'], 'thronal': ['althorn', 'anthrol', 'thronal'], 'throne': ['hornet', 'nother', 'theron', 'throne'], 'throu': ['routh', 'throu'], 'throughout': ['outthrough', 'throughout'], 'throw': ['throw', 'whort', 'worth', 'wroth'], 'throwdown': ['downthrow', 'throwdown'], 'thrower': ['rethrow', 'thrower'], 'throwing': ['ingrowth', 'throwing'], 'throwout': ['outthrow', 'outworth', 'throwout'], 'thrum': ['thrum', 'thurm'], 'thrust': ['struth', 'thrust'], 'thruster': ['rethrust', 'thruster'], 'thuan': ['ahunt', 'haunt', 'thuan', 'unhat'], 'thulr': ['thulr', 'thurl'], 'thunderbearing': ['thunderbearing', 'underbreathing'], 'thunderer': ['rethunder', 'thunderer'], 'thundering': ['thundering', 'underthing'], 'thuoc': ['couth', 'thuoc', 'touch'], 'thurl': ['thulr', 'thurl'], 'thurm': ['thrum', 'thurm'], 'thurse': ['reshut', 'suther', 'thurse', 'tusher'], 'thurt': ['thurt', 'truth'], 'thus': ['shut', 'thus', 'tush'], 'thusness': ['shutness', 'thusness'], 'thwacker': ['thwacker', 'whatreck'], 'thwartover': ['overthwart', 'thwartover'], 'thymelic': ['methylic', 'thymelic'], 'thymetic': ['hymettic', 'thymetic'], 'thymus': ['mythus', 'thymus'], 'thyreogenous': ['heterogynous', 'thyreogenous'], 'thyreohyoid': ['hyothyreoid', 'thyreohyoid'], 'thyreoid': ['hydriote', 'thyreoid'], 'thyreoidal': ['thyreoidal', 'thyroideal'], 'thyreosis': ['oysterish', 'thyreosis'], 'thyris': ['shirty', 'thyris'], 'thyrocricoid': ['cricothyroid', 'thyrocricoid'], 'thyrogenic': ['thyrogenic', 'trichogyne'], 'thyrohyoid': ['hyothyroid', 'thyrohyoid'], 'thyroideal': ['thyreoidal', 'thyroideal'], 'thyroiodin': ['iodothyrin', 'thyroiodin'], 'thyroprivic': ['thyroprivic', 'vitrophyric'], 'thysanopteran': ['parasyntheton', 'thysanopteran'], 'thysel': ['shelty', 'thysel'], 'ti': ['it', 'ti'], 'tiang': ['giant', 'tangi', 'tiang'], 'tiao': ['iota', 'tiao'], 'tiar': ['airt', 'rita', 'tari', 'tiar'], 'tiara': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'tiarella': ['arillate', 'tiarella'], 'tib': ['bit', 'tib'], 'tibetan': ['bettina', 'tabinet', 'tibetan'], 'tibial': ['bilati', 'tibial'], 'tibiale': ['biliate', 'tibiale'], 'tibiofemoral': ['femorotibial', 'tibiofemoral'], 'tic': ['cit', 'tic'], 'ticca': ['cacti', 'ticca'], 'tice': ['ceti', 'cite', 'tice'], 'ticer': ['citer', 'recti', 'ticer', 'trice'], 'tichodroma': ['chromatoid', 'tichodroma'], 'ticketer': ['reticket', 'ticketer'], 'tickler': ['tickler', 'trickle'], 'tickproof': ['prickfoot', 'tickproof'], 'ticuna': ['anicut', 'nautic', 'ticuna', 'tunica'], 'ticunan': ['ticunan', 'tunican'], 'tid': ['dit', 'tid'], 'tidal': ['datil', 'dital', 'tidal', 'tilda'], 'tiddley': ['lyddite', 'tiddley'], 'tide': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tidely': ['idlety', 'lydite', 'tidely', 'tidley'], 'tiding': ['tiding', 'tingid'], 'tidley': ['idlety', 'lydite', 'tidely', 'tidley'], 'tied': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tien': ['iten', 'neti', 'tien', 'tine'], 'tiepin': ['pinite', 'tiepin'], 'tier': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tierce': ['cerite', 'certie', 'recite', 'tierce'], 'tiered': ['dieter', 'tiered'], 'tierer': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'tiffy': ['fifty', 'tiffy'], 'tifter': ['fitter', 'tifter'], 'tig': ['git', 'tig'], 'tigella': ['tigella', 'tillage'], 'tiger': ['tiger', 'tigre'], 'tigereye': ['geyerite', 'tigereye'], 'tightener': ['retighten', 'tightener'], 'tiglinic': ['lignitic', 'tiglinic'], 'tigre': ['tiger', 'tigre'], 'tigrean': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tigress': ['striges', 'tigress'], 'tigrine': ['igniter', 'ringite', 'tigrine'], 'tigurine': ['intrigue', 'tigurine'], 'tikka': ['katik', 'tikka'], 'tikur': ['tikur', 'turki'], 'til': ['lit', 'til'], 'tilaite': ['italite', 'letitia', 'tilaite'], 'tilda': ['datil', 'dital', 'tidal', 'tilda'], 'tilde': ['tilde', 'tiled'], 'tile': ['lite', 'teil', 'teli', 'tile'], 'tiled': ['tilde', 'tiled'], 'tiler': ['liter', 'tiler'], 'tilery': ['tilery', 'tilyer'], 'tileways': ['sweatily', 'tileways'], 'tileyard': ['dielytra', 'tileyard'], 'tilia': ['itali', 'tilia'], 'tilikum': ['kulimit', 'tilikum'], 'till': ['lilt', 'till'], 'tillable': ['belltail', 'bletilla', 'tillable'], 'tillaea': ['alalite', 'tillaea'], 'tillage': ['tigella', 'tillage'], 'tiller': ['retill', 'rillet', 'tiller'], 'tilmus': ['litmus', 'tilmus'], 'tilpah': ['lapith', 'tilpah'], 'tilter': ['litter', 'tilter', 'titler'], 'tilting': ['tilting', 'titling', 'tlingit'], 'tiltup': ['tiltup', 'uptilt'], 'tilyer': ['tilery', 'tilyer'], 'timable': ['limbate', 'timable', 'timbale'], 'timaeus': ['metusia', 'suimate', 'timaeus'], 'timaline': ['meliatin', 'timaline'], 'timani': ['intima', 'timani'], 'timar': ['mitra', 'tarmi', 'timar', 'tirma'], 'timbal': ['limbat', 'timbal'], 'timbale': ['limbate', 'timable', 'timbale'], 'timber': ['betrim', 'timber', 'timbre'], 'timbered': ['bemitred', 'timbered'], 'timberer': ['retimber', 'timberer'], 'timberlike': ['kimberlite', 'timberlike'], 'timbre': ['betrim', 'timber', 'timbre'], 'time': ['emit', 'item', 'mite', 'time'], 'timecard': ['dermatic', 'timecard'], 'timed': ['demit', 'timed'], 'timeproof': ['miteproof', 'timeproof'], 'timer': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'times': ['metis', 'smite', 'stime', 'times'], 'timesaving': ['negativism', 'timesaving'], 'timework': ['timework', 'worktime'], 'timid': ['dimit', 'timid'], 'timidly': ['mytilid', 'timidly'], 'timidness': ['destinism', 'timidness'], 'timish': ['isthmi', 'timish'], 'timne': ['metin', 'temin', 'timne'], 'timo': ['itmo', 'moit', 'omit', 'timo'], 'timon': ['minot', 'timon', 'tomin'], 'timorese': ['rosetime', 'timorese', 'tiresome'], 'timpani': ['impaint', 'timpani'], 'timpano': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tin': ['nit', 'tin'], 'tina': ['aint', 'anti', 'tain', 'tina'], 'tincal': ['catlin', 'tincal'], 'tinchel': ['linchet', 'tinchel'], 'tinctorial': ['tinctorial', 'trinoctial'], 'tind': ['dint', 'tind'], 'tindal': ['antlid', 'tindal'], 'tindalo': ['itoland', 'talonid', 'tindalo'], 'tinder': ['dirten', 'rident', 'tinder'], 'tindered': ['dendrite', 'tindered'], 'tinderous': ['detrusion', 'tinderous', 'unstoried'], 'tine': ['iten', 'neti', 'tien', 'tine'], 'tinea': ['entia', 'teian', 'tenai', 'tinea'], 'tineal': ['entail', 'tineal'], 'tinean': ['annite', 'innate', 'tinean'], 'tined': ['detin', 'teind', 'tined'], 'tineid': ['indite', 'tineid'], 'tineman': ['mannite', 'tineman'], 'tineoid': ['edition', 'odinite', 'otidine', 'tineoid'], 'tinetare': ['intereat', 'tinetare'], 'tinety': ['entity', 'tinety'], 'tinged': ['nidget', 'tinged'], 'tinger': ['engirt', 'tinger'], 'tingid': ['tiding', 'tingid'], 'tingitidae': ['indigitate', 'tingitidae'], 'tingler': ['ringlet', 'tingler', 'tringle'], 'tinhouse': ['outshine', 'tinhouse'], 'tink': ['knit', 'tink'], 'tinker': ['reknit', 'tinker'], 'tinkerer': ['retinker', 'tinkerer'], 'tinkler': ['tinkler', 'trinkle'], 'tinlet': ['litten', 'tinlet'], 'tinne': ['innet', 'tinne'], 'tinned': ['dentin', 'indent', 'intend', 'tinned'], 'tinner': ['intern', 'tinner'], 'tinnet': ['intent', 'tinnet'], 'tino': ['into', 'nito', 'oint', 'tino'], 'tinoceras': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tinosa': ['sotnia', 'tinosa'], 'tinsel': ['enlist', 'listen', 'silent', 'tinsel'], 'tinselly': ['silently', 'tinselly'], 'tinta': ['taint', 'tanti', 'tinta', 'titan'], 'tintage': ['attinge', 'tintage'], 'tinter': ['nitter', 'tinter'], 'tintie': ['tintie', 'titien'], 'tintiness': ['insistent', 'tintiness'], 'tinty': ['nitty', 'tinty'], 'tinworker': ['interwork', 'tinworker'], 'tionontates': ['ostentation', 'tionontates'], 'tip': ['pit', 'tip'], 'tipe': ['piet', 'tipe'], 'tipful': ['tipful', 'uplift'], 'tipless': ['pitless', 'tipless'], 'tipman': ['pitman', 'tampin', 'tipman'], 'tipper': ['rippet', 'tipper'], 'tippler': ['ripplet', 'tippler', 'tripple'], 'tipster': ['spitter', 'tipster'], 'tipstock': ['potstick', 'tipstock'], 'tipula': ['tipula', 'tulipa'], 'tiralee': ['atelier', 'tiralee'], 'tire': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tired': ['diter', 'tired', 'tried'], 'tiredly': ['tiredly', 'triedly'], 'tiredness': ['dissenter', 'tiredness'], 'tireless': ['riteless', 'tireless'], 'tirelessness': ['ritelessness', 'tirelessness'], 'tiremaid': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'tireman': ['minaret', 'raiment', 'tireman'], 'tirer': ['terri', 'tirer', 'trier'], 'tiresmith': ['tiresmith', 'tritheism'], 'tiresome': ['rosetime', 'timorese', 'tiresome'], 'tirma': ['mitra', 'tarmi', 'timar', 'tirma'], 'tirolean': ['oriental', 'relation', 'tirolean'], 'tirolese': ['literose', 'roselite', 'tirolese'], 'tirve': ['rivet', 'tirve', 'tiver'], 'tisane': ['satine', 'tisane'], 'tisar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'titan': ['taint', 'tanti', 'tinta', 'titan'], 'titaness': ['antistes', 'titaness'], 'titanic': ['tanitic', 'titanic'], 'titano': ['otiant', 'titano'], 'titanocolumbate': ['columbotitanate', 'titanocolumbate'], 'titanofluoride': ['rotundifoliate', 'titanofluoride'], 'titanosaur': ['saturation', 'titanosaur'], 'titanosilicate': ['silicotitanate', 'titanosilicate'], 'titanous': ['outsaint', 'titanous'], 'titanyl': ['nattily', 'titanyl'], 'titar': ['ratti', 'titar', 'trait'], 'titer': ['titer', 'titre', 'trite'], 'tithable': ['hittable', 'tithable'], 'tither': ['hitter', 'tither'], 'tithonic': ['chinotti', 'tithonic'], 'titien': ['tintie', 'titien'], 'titleboard': ['titleboard', 'trilobated'], 'titler': ['litter', 'tilter', 'titler'], 'titling': ['tilting', 'titling', 'tlingit'], 'titrate': ['attrite', 'titrate'], 'titration': ['attrition', 'titration'], 'titre': ['titer', 'titre', 'trite'], 'tiver': ['rivet', 'tirve', 'tiver'], 'tiza': ['itza', 'tiza', 'zati'], 'tlaco': ['lacto', 'tlaco'], 'tlingit': ['tilting', 'titling', 'tlingit'], 'tmesis': ['misset', 'tmesis'], 'toa': ['oat', 'tao', 'toa'], 'toad': ['doat', 'toad', 'toda'], 'toader': ['doater', 'toader'], 'toadflower': ['floodwater', 'toadflower', 'waterflood'], 'toadier': ['roadite', 'toadier'], 'toadish': ['doatish', 'toadish'], 'toady': ['toady', 'today'], 'toadyish': ['toadyish', 'todayish'], 'toag': ['goat', 'toag', 'toga'], 'toast': ['stoat', 'toast'], 'toaster': ['retoast', 'rosetta', 'stoater', 'toaster'], 'toba': ['boat', 'bota', 'toba'], 'tobe': ['bote', 'tobe'], 'tobiah': ['bhotia', 'tobiah'], 'tobine': ['botein', 'tobine'], 'toccata': ['attacco', 'toccata'], 'tocharese': ['escheator', 'tocharese'], 'tocharian': ['archontia', 'tocharian'], 'tocharic': ['thoracic', 'tocharic', 'trochaic'], 'tocher': ['hector', 'rochet', 'tocher', 'troche'], 'toco': ['coot', 'coto', 'toco'], 'tocogenetic': ['geotectonic', 'tocogenetic'], 'tocometer': ['octometer', 'rectotome', 'tocometer'], 'tocsin': ['nostic', 'sintoc', 'tocsin'], 'tod': ['dot', 'tod'], 'toda': ['doat', 'toad', 'toda'], 'today': ['toady', 'today'], 'todayish': ['toadyish', 'todayish'], 'toddle': ['dodlet', 'toddle'], 'tode': ['dote', 'tode', 'toed'], 'todea': ['deota', 'todea'], 'tody': ['doty', 'tody'], 'toecap': ['capote', 'toecap'], 'toed': ['dote', 'tode', 'toed'], 'toeless': ['osselet', 'sestole', 'toeless'], 'toenail': ['alnoite', 'elation', 'toenail'], 'tog': ['got', 'tog'], 'toga': ['goat', 'toag', 'toga'], 'togaed': ['dogate', 'dotage', 'togaed'], 'togalike': ['goatlike', 'togalike'], 'toggel': ['goglet', 'toggel', 'toggle'], 'toggle': ['goglet', 'toggel', 'toggle'], 'togs': ['stog', 'togs'], 'toher': ['other', 'thore', 'throe', 'toher'], 'toho': ['hoot', 'thoo', 'toho'], 'tohunga': ['hangout', 'tohunga'], 'toi': ['ito', 'toi'], 'toil': ['ilot', 'toil'], 'toiler': ['loiter', 'toiler', 'triole'], 'toilet': ['lottie', 'toilet', 'tolite'], 'toiletry': ['toiletry', 'tyrolite'], 'toise': ['sotie', 'toise'], 'tokay': ['otyak', 'tokay'], 'toke': ['keto', 'oket', 'toke'], 'toko': ['koto', 'toko', 'took'], 'tol': ['lot', 'tol'], 'tolamine': ['lomatine', 'tolamine'], 'tolan': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tolane': ['etalon', 'tolane'], 'told': ['dolt', 'told'], 'tole': ['leto', 'lote', 'tole'], 'toledan': ['taloned', 'toledan'], 'toledo': ['toledo', 'toodle'], 'tolerance': ['antrocele', 'coeternal', 'tolerance'], 'tolerancy': ['alectryon', 'tolerancy'], 'tolidine': ['lindoite', 'tolidine'], 'tolite': ['lottie', 'toilet', 'tolite'], 'tollery': ['tollery', 'trolley'], 'tolly': ['tolly', 'tolyl'], 'tolpatch': ['potlatch', 'tolpatch'], 'tolsey': ['tolsey', 'tylose'], 'tolter': ['lotter', 'rottle', 'tolter'], 'tolu': ['lout', 'tolu'], 'toluic': ['coutil', 'toluic'], 'toluifera': ['foliature', 'toluifera'], 'tolyl': ['tolly', 'tolyl'], 'tom': ['mot', 'tom'], 'toma': ['atmo', 'atom', 'moat', 'toma'], 'toman': ['manto', 'toman'], 'tomas': ['atmos', 'stoma', 'tomas'], 'tombac': ['combat', 'tombac'], 'tome': ['mote', 'tome'], 'tomentose': ['metosteon', 'tomentose'], 'tomial': ['lomita', 'tomial'], 'tomin': ['minot', 'timon', 'tomin'], 'tomographic': ['motographic', 'tomographic'], 'tomorn': ['morton', 'tomorn'], 'tomorrow': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'ton': ['not', 'ton'], 'tonal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tonalitive': ['levitation', 'tonalitive', 'velitation'], 'tonation': ['notation', 'tonation'], 'tone': ['note', 'tone'], 'toned': ['donet', 'noted', 'toned'], 'toneless': ['noteless', 'toneless'], 'tonelessly': ['notelessly', 'tonelessly'], 'tonelessness': ['notelessness', 'tonelessness'], 'toner': ['noter', 'tenor', 'toner', 'trone'], 'tonetic': ['entotic', 'tonetic'], 'tonetics': ['stenotic', 'tonetics'], 'tonga': ['tango', 'tonga'], 'tongan': ['ganton', 'tongan'], 'tongas': ['sontag', 'tongas'], 'tonger': ['geront', 'tonger'], 'tongrian': ['ignorant', 'tongrian'], 'tongs': ['stong', 'tongs'], 'tonicize': ['nicotize', 'tonicize'], 'tonicoclonic': ['clonicotonic', 'tonicoclonic'], 'tonify': ['notify', 'tonify'], 'tonish': ['histon', 'shinto', 'tonish'], 'tonk': ['knot', 'tonk'], 'tonkin': ['inknot', 'tonkin'], 'tonna': ['anton', 'notan', 'tonna'], 'tonological': ['ontological', 'tonological'], 'tonology': ['ontology', 'tonology'], 'tonsorial': ['tonsorial', 'torsional'], 'tonsure': ['snouter', 'tonsure', 'unstore'], 'tonsured': ['tonsured', 'unsorted', 'unstored'], 'tontine': ['nettion', 'tention', 'tontine'], 'tonus': ['notus', 'snout', 'stoun', 'tonus'], 'tony': ['tony', 'yont'], 'too': ['oto', 'too'], 'toodle': ['toledo', 'toodle'], 'took': ['koto', 'toko', 'took'], 'tool': ['loot', 'tool'], 'tooler': ['looter', 'retool', 'rootle', 'tooler'], 'tooling': ['ilongot', 'tooling'], 'toom': ['moot', 'toom'], 'toon': ['onto', 'oont', 'toon'], 'toona': ['naoto', 'toona'], 'toop': ['poot', 'toop', 'topo'], 'toosh': ['shoot', 'sooth', 'sotho', 'toosh'], 'toot': ['otto', 'toot', 'toto'], 'toother': ['retooth', 'toother'], 'toothpick': ['picktooth', 'toothpick'], 'tootler': ['rootlet', 'tootler'], 'top': ['opt', 'pot', 'top'], 'toparch': ['caphtor', 'toparch'], 'topass': ['potass', 'topass'], 'topchrome': ['ectomorph', 'topchrome'], 'tope': ['peto', 'poet', 'pote', 'tope'], 'toper': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'topfull': ['plotful', 'topfull'], 'toph': ['phot', 'toph'], 'tophus': ['tophus', 'upshot'], 'topia': ['patio', 'taipo', 'topia'], 'topiarist': ['parotitis', 'topiarist'], 'topic': ['optic', 'picot', 'topic'], 'topical': ['capitol', 'coalpit', 'optical', 'topical'], 'topically': ['optically', 'topically'], 'toplike': ['kitlope', 'potlike', 'toplike'], 'topline': ['pointel', 'pontile', 'topline'], 'topmaker': ['potmaker', 'topmaker'], 'topmaking': ['potmaking', 'topmaking'], 'topman': ['potman', 'tampon', 'topman'], 'topmast': ['tapmost', 'topmast'], 'topo': ['poot', 'toop', 'topo'], 'topographics': ['coprophagist', 'topographics'], 'topography': ['optography', 'topography'], 'topological': ['optological', 'topological'], 'topologist': ['optologist', 'topologist'], 'topology': ['optology', 'topology'], 'toponymal': ['monotypal', 'toponymal'], 'toponymic': ['monotypic', 'toponymic'], 'toponymical': ['monotypical', 'toponymical'], 'topophone': ['optophone', 'topophone'], 'topotype': ['optotype', 'topotype'], 'topple': ['loppet', 'topple'], 'toppler': ['preplot', 'toppler'], 'toprail': ['portail', 'toprail'], 'tops': ['post', 'spot', 'stop', 'tops'], 'topsail': ['apostil', 'topsail'], 'topside': ['deposit', 'topside'], 'topsman': ['postman', 'topsman'], 'topsoil': ['loopist', 'poloist', 'topsoil'], 'topstone': ['potstone', 'topstone'], 'toptail': ['ptilota', 'talipot', 'toptail'], 'toque': ['quote', 'toque'], 'tor': ['ort', 'rot', 'tor'], 'tora': ['rota', 'taro', 'tora'], 'toral': ['latro', 'rotal', 'toral'], 'toran': ['orant', 'rotan', 'toran', 'trona'], 'torbanite': ['abortient', 'torbanite'], 'torcel': ['colter', 'lector', 'torcel'], 'torch': ['chort', 'rotch', 'torch'], 'tore': ['rote', 'tore'], 'tored': ['doter', 'tored', 'trode'], 'torenia': ['otarine', 'torenia'], 'torero': ['reroot', 'rooter', 'torero'], 'toreutics': ['tetricous', 'toreutics'], 'torfel': ['floret', 'forlet', 'lofter', 'torfel'], 'torgot': ['grotto', 'torgot'], 'toric': ['toric', 'troic'], 'torinese': ['serotine', 'torinese'], 'torma': ['amort', 'morat', 'torma'], 'tormen': ['mentor', 'merton', 'termon', 'tormen'], 'tormina': ['amintor', 'tormina'], 'torn': ['torn', 'tron'], 'tornachile': ['chlorinate', 'ectorhinal', 'tornachile'], 'tornado': ['donator', 'odorant', 'tornado'], 'tornal': ['latron', 'lontar', 'tornal'], 'tornaria': ['rotarian', 'tornaria'], 'tornarian': ['narration', 'tornarian'], 'tornese': ['enstore', 'estrone', 'storeen', 'tornese'], 'torney': ['torney', 'tyrone'], 'tornit': ['intort', 'tornit', 'triton'], 'tornus': ['tornus', 'unsort'], 'toro': ['root', 'roto', 'toro'], 'torose': ['seroot', 'sooter', 'torose'], 'torpent': ['portent', 'torpent'], 'torpescent': ['precontest', 'torpescent'], 'torpid': ['torpid', 'tripod'], 'torpify': ['portify', 'torpify'], 'torpor': ['portor', 'torpor'], 'torque': ['quoter', 'roquet', 'torque'], 'torques': ['questor', 'torques'], 'torrubia': ['rubiator', 'torrubia'], 'torsade': ['rosated', 'torsade'], 'torse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'torsel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'torsile': ['estriol', 'torsile'], 'torsion': ['isotron', 'torsion'], 'torsional': ['tonsorial', 'torsional'], 'torsk': ['stork', 'torsk'], 'torso': ['roost', 'torso'], 'torsten': ['snotter', 'stentor', 'torsten'], 'tort': ['tort', 'trot'], 'torta': ['ottar', 'tarot', 'torta', 'troat'], 'torteau': ['outrate', 'outtear', 'torteau'], 'torticone': ['torticone', 'tritocone'], 'tortile': ['lotrite', 'tortile', 'triolet'], 'tortilla': ['littoral', 'tortilla'], 'tortonian': ['intonator', 'tortonian'], 'tortrices': ['tortrices', 'trisector'], 'torture': ['torture', 'trouter', 'tutorer'], 'toru': ['rout', 'toru', 'tour'], 'torula': ['rotula', 'torula'], 'torulaform': ['formulator', 'torulaform'], 'toruliform': ['rotuliform', 'toruliform'], 'torulose': ['outsoler', 'torulose'], 'torulus': ['rotulus', 'torulus'], 'torus': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'torve': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'tory': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'toryish': ['history', 'toryish'], 'toryism': ['toryism', 'trisomy'], 'tosephtas': ['posthaste', 'tosephtas'], 'tosh': ['host', 'shot', 'thos', 'tosh'], 'tosher': ['hoster', 'tosher'], 'toshly': ['hostly', 'toshly'], 'toshnail': ['histonal', 'toshnail'], 'toss': ['sots', 'toss'], 'tosser': ['retoss', 'tosser'], 'tossily': ['tossily', 'tylosis'], 'tossup': ['tossup', 'uptoss'], 'tost': ['stot', 'tost'], 'total': ['lotta', 'total'], 'totanine': ['intonate', 'totanine'], 'totaquin': ['quintato', 'totaquin'], 'totchka': ['hattock', 'totchka'], 'totem': ['motet', 'motte', 'totem'], 'toter': ['ortet', 'otter', 'toter'], 'tother': ['hotter', 'tother'], 'toto': ['otto', 'toot', 'toto'], 'toty': ['toty', 'tyto'], 'tou': ['out', 'tou'], 'toucan': ['toucan', 'tucano', 'uncoat'], 'touch': ['couth', 'thuoc', 'touch'], 'toucher': ['retouch', 'toucher'], 'touchily': ['couthily', 'touchily'], 'touchiness': ['couthiness', 'touchiness'], 'touching': ['touching', 'ungothic'], 'touchless': ['couthless', 'touchless'], 'toug': ['gout', 'toug'], 'tough': ['ought', 'tough'], 'toughness': ['oughtness', 'toughness'], 'toup': ['pout', 'toup'], 'tour': ['rout', 'toru', 'tour'], 'tourer': ['retour', 'router', 'tourer'], 'touring': ['outgrin', 'outring', 'routing', 'touring'], 'tourism': ['sumitro', 'tourism'], 'touristy': ['touristy', 'yttrious'], 'tourmalinic': ['latrocinium', 'tourmalinic'], 'tournamental': ['tournamental', 'ultramontane'], 'tourte': ['tourte', 'touter'], 'tousche': ['souchet', 'techous', 'tousche'], 'touser': ['ouster', 'souter', 'touser', 'trouse'], 'tousle': ['lutose', 'solute', 'tousle'], 'touter': ['tourte', 'touter'], 'tovaria': ['aviator', 'tovaria'], 'tow': ['tow', 'two', 'wot'], 'towel': ['owlet', 'towel'], 'tower': ['rowet', 'tower', 'wrote'], 'town': ['nowt', 'town', 'wont'], 'towned': ['towned', 'wonted'], 'towser': ['restow', 'stower', 'towser', 'worset'], 'towy': ['towy', 'yowt'], 'toxemia': ['oximate', 'toxemia'], 'toy': ['toy', 'yot'], 'toyer': ['royet', 'toyer'], 'toyful': ['outfly', 'toyful'], 'toyless': ['systole', 'toyless'], 'toysome': ['myosote', 'toysome'], 'tozer': ['terzo', 'tozer'], 'tra': ['art', 'rat', 'tar', 'tra'], 'trabea': ['abater', 'artabe', 'eartab', 'trabea'], 'trace': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'traceable': ['creatable', 'traceable'], 'tracer': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'tracheata': ['cathartae', 'tracheata'], 'trachelitis': ['thersitical', 'trachelitis'], 'tracheolaryngotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'trachinoid': ['anhidrotic', 'trachinoid'], 'trachitis': ['citharist', 'trachitis'], 'trachle': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'trachoma': ['achromat', 'trachoma'], 'trachylinae': ['chatelainry', 'trachylinae'], 'trachyte': ['chattery', 'ratchety', 'trachyte'], 'tracker': ['retrack', 'tracker'], 'trackside': ['sidetrack', 'trackside'], 'tractator': ['attractor', 'tractator'], 'tractile': ['tetrical', 'tractile'], 'tracy': ['carty', 'tracy'], 'trade': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'trader': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'trading': ['darting', 'trading'], 'tradite': ['attired', 'tradite'], 'traditioner': ['retradition', 'traditioner'], 'traditionism': ['mistradition', 'traditionism'], 'traditorship': ['podarthritis', 'traditorship'], 'traducent': ['reductant', 'traducent', 'truncated'], 'trady': ['tardy', 'trady'], 'trag': ['grat', 'trag'], 'tragedial': ['taligrade', 'tragedial'], 'tragicomedy': ['comitragedy', 'tragicomedy'], 'tragulina': ['tragulina', 'triangula'], 'traguline': ['granulite', 'traguline'], 'trah': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'traheen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'traik': ['kitar', 'krait', 'rakit', 'traik'], 'trail': ['litra', 'trail', 'trial'], 'trailer': ['retiral', 'retrial', 'trailer'], 'trailery': ['literary', 'trailery'], 'trailing': ['ringtail', 'trailing'], 'trailside': ['dialister', 'trailside'], 'train': ['riant', 'tairn', 'tarin', 'train'], 'trainable': ['albertina', 'trainable'], 'trainage': ['antiager', 'trainage'], 'trainboy': ['bonitary', 'trainboy'], 'trained': ['antired', 'detrain', 'randite', 'trained'], 'trainee': ['enteria', 'trainee', 'triaene'], 'trainer': ['arterin', 'retrain', 'terrain', 'trainer'], 'trainless': ['sternalis', 'trainless'], 'trainster': ['restraint', 'retransit', 'trainster', 'transiter'], 'traintime': ['intimater', 'traintime'], 'trainy': ['rytina', 'trainy', 'tyrian'], 'traipse': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'trait': ['ratti', 'titar', 'trait'], 'tram': ['mart', 'tram'], 'trama': ['matar', 'matra', 'trama'], 'tramal': ['matral', 'tramal'], 'trame': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trametes': ['teamster', 'trametes'], 'tramline': ['terminal', 'tramline'], 'tramper': ['retramp', 'tramper'], 'trample': ['templar', 'trample'], 'trampoline': ['intemporal', 'trampoline'], 'tran': ['natr', 'rant', 'tarn', 'tran'], 'trance': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tranced': ['cantred', 'centrad', 'tranced'], 'trancelike': ['nectarlike', 'trancelike'], 'trankum': ['trankum', 'turkman'], 'transamination': ['transamination', 'transanimation'], 'transanimation': ['transamination', 'transanimation'], 'transept': ['prestant', 'transept'], 'transeptally': ['platysternal', 'transeptally'], 'transformer': ['retransform', 'transformer'], 'transfuge': ['afterguns', 'transfuge'], 'transient': ['instanter', 'transient'], 'transigent': ['astringent', 'transigent'], 'transimpression': ['pretransmission', 'transimpression'], 'transire': ['restrain', 'strainer', 'transire'], 'transit': ['straint', 'transit', 'tristan'], 'transiter': ['restraint', 'retransit', 'trainster', 'transiter'], 'transitive': ['revisitant', 'transitive'], 'transmarine': ['strainerman', 'transmarine'], 'transmit': ['tantrism', 'transmit'], 'transmold': ['landstorm', 'transmold'], 'transoceanic': ['narcaciontes', 'transoceanic'], 'transonic': ['constrain', 'transonic'], 'transpire': ['prestrain', 'transpire'], 'transplanter': ['retransplant', 'transplanter'], 'transportee': ['paternoster', 'prosternate', 'transportee'], 'transporter': ['retransport', 'transporter'], 'transpose': ['patroness', 'transpose'], 'transposer': ['transposer', 'transprose'], 'transprose': ['transposer', 'transprose'], 'trap': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'trapa': ['apart', 'trapa'], 'trapes': ['paster', 'repast', 'trapes'], 'trapfall': ['pratfall', 'trapfall'], 'traphole': ['plethora', 'traphole'], 'trappean': ['apparent', 'trappean'], 'traps': ['spart', 'sprat', 'strap', 'traps'], 'traship': ['harpist', 'traship'], 'trasy': ['satyr', 'stary', 'stray', 'trasy'], 'traulism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'trauma': ['taruma', 'trauma'], 'travale': ['larvate', 'lavaret', 'travale'], 'trave': ['avert', 'tarve', 'taver', 'trave'], 'travel': ['travel', 'varlet'], 'traveler': ['retravel', 'revertal', 'traveler'], 'traversion': ['overstrain', 'traversion'], 'travertine': ['travertine', 'trinervate'], 'travoy': ['travoy', 'votary'], 'tray': ['arty', 'atry', 'tray'], 'treacle': ['electra', 'treacle'], 'tread': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'treader': ['derater', 'retrade', 'retread', 'treader'], 'treading': ['gradient', 'treading'], 'treadle': ['delater', 'related', 'treadle'], 'treason': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'treasonish': ['astonisher', 'reastonish', 'treasonish'], 'treasonist': ['steatornis', 'treasonist'], 'treasonous': ['anoestrous', 'treasonous'], 'treasurer': ['serrature', 'treasurer'], 'treat': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'treatably': ['tabletary', 'treatably'], 'treatee': ['ateeter', 'treatee'], 'treater': ['ettarre', 'retreat', 'treater'], 'treatise': ['estriate', 'treatise'], 'treaty': ['attery', 'treaty', 'yatter'], 'treble': ['belter', 'elbert', 'treble'], 'treculia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'tree': ['reet', 'teer', 'tree'], 'treed': ['deter', 'treed'], 'treeful': ['fleuret', 'treeful'], 'treehood': ['theodore', 'treehood'], 'treemaker': ['marketeer', 'treemaker'], 'treeman': ['remanet', 'remeant', 'treeman'], 'treen': ['enter', 'neter', 'renet', 'terne', 'treen'], 'treenail': ['elaterin', 'entailer', 'treenail'], 'treeship': ['hepteris', 'treeship'], 'tref': ['fret', 'reft', 'tref'], 'trefle': ['felter', 'telfer', 'trefle'], 'trellis': ['stiller', 'trellis'], 'trema': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trematoid': ['meditator', 'trematoid'], 'tremella': ['realmlet', 'tremella'], 'tremie': ['metier', 'retime', 'tremie'], 'tremolo': ['roomlet', 'tremolo'], 'tremor': ['termor', 'tremor'], 'trenail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'trenchant': ['centranth', 'trenchant'], 'trencher': ['retrench', 'trencher'], 'trenchmaster': ['stretcherman', 'trenchmaster'], 'trenchwise': ['trenchwise', 'winchester'], 'trentine': ['renitent', 'trentine'], 'trepan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'trephine': ['nephrite', 'prehnite', 'trephine'], 'trepid': ['dipter', 'trepid'], 'trepidation': ['departition', 'partitioned', 'trepidation'], 'treron': ['terron', 'treron', 'troner'], 'treronidae': ['reordinate', 'treronidae'], 'tressed': ['dessert', 'tressed'], 'tressful': ['tressful', 'turfless'], 'tressour': ['tressour', 'trousers'], 'trest': ['stert', 'stret', 'trest'], 'trestle': ['settler', 'sterlet', 'trestle'], 'trevor': ['trevor', 'trover'], 'trews': ['strew', 'trews', 'wrest'], 'trey': ['trey', 'tyre'], 'tri': ['rit', 'tri'], 'triable': ['betrail', 'librate', 'triable', 'trilabe'], 'triace': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'triacid': ['arctiid', 'triacid', 'triadic'], 'triacontane': ['recantation', 'triacontane'], 'triaconter': ['retraction', 'triaconter'], 'triactine': ['intricate', 'triactine'], 'triadic': ['arctiid', 'triacid', 'triadic'], 'triadical': ['raticidal', 'triadical'], 'triadist': ['distrait', 'triadist'], 'triaene': ['enteria', 'trainee', 'triaene'], 'triage': ['gaiter', 'tairge', 'triage'], 'trial': ['litra', 'trail', 'trial'], 'trialism': ['mistrial', 'trialism'], 'trialist': ['taistril', 'trialist'], 'triamide': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'triamino': ['miniator', 'triamino'], 'triandria': ['irradiant', 'triandria'], 'triangle': ['integral', 'teraglin', 'triangle'], 'triangula': ['tragulina', 'triangula'], 'triannual': ['innatural', 'triannual'], 'triannulate': ['antineutral', 'triannulate'], 'triantelope': ['interpolate', 'triantelope'], 'triapsidal': ['lapidarist', 'triapsidal'], 'triareal': ['arterial', 'triareal'], 'trias': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'triassic': ['sarcitis', 'triassic'], 'triazane': ['nazarite', 'nazirate', 'triazane'], 'triazine': ['nazirite', 'triazine'], 'tribade': ['redbait', 'tribade'], 'tribase': ['baister', 'tribase'], 'tribe': ['biter', 'tribe'], 'tribelet': ['belitter', 'tribelet'], 'triblet': ['blitter', 'brittle', 'triblet'], 'tribonema': ['brominate', 'tribonema'], 'tribuna': ['arbutin', 'tribuna'], 'tribunal': ['tribunal', 'turbinal', 'untribal'], 'tribunate': ['tribunate', 'turbinate'], 'tribune': ['tribune', 'tuberin', 'turbine'], 'tricae': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'trice': ['citer', 'recti', 'ticer', 'trice'], 'tricennial': ['encrinital', 'tricennial'], 'triceratops': ['tetrasporic', 'triceratops'], 'triceria': ['criteria', 'triceria'], 'tricerion': ['criterion', 'tricerion'], 'tricerium': ['criterium', 'tricerium'], 'trichinous': ['trichinous', 'unhistoric'], 'trichogyne': ['thyrogenic', 'trichogyne'], 'trichoid': ['hidrotic', 'trichoid'], 'trichomanes': ['anchoretism', 'trichomanes'], 'trichome': ['chromite', 'trichome'], 'trichopore': ['horopteric', 'rheotropic', 'trichopore'], 'trichosis': ['historics', 'trichosis'], 'trichosporum': ['sporotrichum', 'trichosporum'], 'trichroic': ['cirrhotic', 'trichroic'], 'trichroism': ['trichroism', 'triorchism'], 'trichromic': ['microcrith', 'trichromic'], 'tricia': ['iatric', 'tricia'], 'trickle': ['tickler', 'trickle'], 'triclinate': ['intractile', 'triclinate'], 'tricolumnar': ['tricolumnar', 'ultramicron'], 'tricosane': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tridacna': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'tridecane': ['nectaried', 'tridecane'], 'tridecene': ['intercede', 'tridecene'], 'tridecyl': ['directly', 'tridecyl'], 'tridiapason': ['disparation', 'tridiapason'], 'tried': ['diter', 'tired', 'tried'], 'triedly': ['tiredly', 'triedly'], 'triene': ['entire', 'triene'], 'triens': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'triental': ['tetralin', 'triental'], 'triequal': ['quartile', 'requital', 'triequal'], 'trier': ['terri', 'tirer', 'trier'], 'trifle': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'trifler': ['flirter', 'trifler'], 'triflet': ['flitter', 'triflet'], 'trifling': ['flirting', 'trifling'], 'triflingly': ['flirtingly', 'triflingly'], 'trifolium': ['lituiform', 'trifolium'], 'trig': ['girt', 'grit', 'trig'], 'trigona': ['grotian', 'trigona'], 'trigone': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'trigonia': ['rigation', 'trigonia'], 'trigonid': ['trigonid', 'tringoid'], 'trigyn': ['trigyn', 'trying'], 'trilabe': ['betrail', 'librate', 'triable', 'trilabe'], 'trilineate': ['retinalite', 'trilineate'], 'trilisa': ['liatris', 'trilisa'], 'trillet': ['rillett', 'trillet'], 'trilobate': ['latrobite', 'trilobate'], 'trilobated': ['titleboard', 'trilobated'], 'trimacular': ['matricular', 'trimacular'], 'trimensual': ['neutralism', 'trimensual'], 'trimer': ['mitrer', 'retrim', 'trimer'], 'trimesic': ['meristic', 'trimesic', 'trisemic'], 'trimesitinic': ['interimistic', 'trimesitinic'], 'trimesyl': ['trimesyl', 'tylerism'], 'trimeter': ['remitter', 'trimeter'], 'trimstone': ['sortiment', 'trimstone'], 'trinalize': ['latinizer', 'trinalize'], 'trindle': ['tendril', 'trindle'], 'trine': ['inert', 'inter', 'niter', 'retin', 'trine'], 'trinely': ['elytrin', 'inertly', 'trinely'], 'trinervate': ['travertine', 'trinervate'], 'trinerve': ['inverter', 'reinvert', 'trinerve'], 'trineural': ['retinular', 'trineural'], 'tringa': ['rating', 'tringa'], 'tringle': ['ringlet', 'tingler', 'tringle'], 'tringoid': ['trigonid', 'tringoid'], 'trinket': ['knitter', 'trinket'], 'trinkle': ['tinkler', 'trinkle'], 'trinoctial': ['tinctorial', 'trinoctial'], 'trinodine': ['rendition', 'trinodine'], 'trintle': ['lettrin', 'trintle'], 'trio': ['riot', 'roit', 'trio'], 'triode': ['editor', 'triode'], 'trioecism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'triole': ['loiter', 'toiler', 'triole'], 'trioleic': ['elicitor', 'trioleic'], 'triolet': ['lotrite', 'tortile', 'triolet'], 'trionymal': ['normality', 'trionymal'], 'triopidae': ['poritidae', 'triopidae'], 'triops': ['ripost', 'triops', 'tripos'], 'triorchism': ['trichroism', 'triorchism'], 'triose': ['restio', 'sorite', 'sortie', 'triose'], 'tripe': ['perit', 'retip', 'tripe'], 'tripedal': ['dipteral', 'tripedal'], 'tripel': ['tripel', 'triple'], 'tripeman': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'tripersonal': ['intersporal', 'tripersonal'], 'tripestone': ['septentrio', 'tripestone'], 'triphane': ['perianth', 'triphane'], 'triplane': ['interlap', 'repliant', 'triplane'], 'triplasian': ['airplanist', 'triplasian'], 'triplasic': ['pilastric', 'triplasic'], 'triple': ['tripel', 'triple'], 'triplice': ['perlitic', 'triplice'], 'triplopia': ['propitial', 'triplopia'], 'tripod': ['torpid', 'tripod'], 'tripodal': ['dioptral', 'tripodal'], 'tripodic': ['dioptric', 'tripodic'], 'tripodical': ['dioptrical', 'tripodical'], 'tripody': ['dioptry', 'tripody'], 'tripos': ['ripost', 'triops', 'tripos'], 'trippist': ['strippit', 'trippist'], 'tripple': ['ripplet', 'tippler', 'tripple'], 'tripsis': ['pristis', 'tripsis'], 'tripsome': ['imposter', 'tripsome'], 'tripudiant': ['antiputrid', 'tripudiant'], 'tripyrenous': ['neurotripsy', 'tripyrenous'], 'triratna': ['tartarin', 'triratna'], 'trireme': ['meriter', 'miterer', 'trireme'], 'trisalt': ['starlit', 'trisalt'], 'trisected': ['decretist', 'trisected'], 'trisector': ['tortrices', 'trisector'], 'trisemic': ['meristic', 'trimesic', 'trisemic'], 'trisetose': ['esoterist', 'trisetose'], 'trishna': ['tarnish', 'trishna'], 'trisilane': ['listerian', 'trisilane'], 'triskele': ['kreistle', 'triskele'], 'trismus': ['sistrum', 'trismus'], 'trisome': ['erotism', 'mortise', 'trisome'], 'trisomy': ['toryism', 'trisomy'], 'trisonant': ['strontian', 'trisonant'], 'trispinose': ['pirssonite', 'trispinose'], 'trist': ['strit', 'trist'], 'tristan': ['straint', 'transit', 'tristan'], 'trisula': ['latirus', 'trisula'], 'trisulcate': ['testicular', 'trisulcate'], 'tritanope': ['antitrope', 'patronite', 'tritanope'], 'tritanopic': ['antitropic', 'tritanopic'], 'trite': ['titer', 'titre', 'trite'], 'tritely': ['littery', 'tritely'], 'triterpene': ['preterient', 'triterpene'], 'tritheism': ['tiresmith', 'tritheism'], 'trithionate': ['anorthitite', 'trithionate'], 'tritocone': ['torticone', 'tritocone'], 'tritoma': ['mattoir', 'tritoma'], 'triton': ['intort', 'tornit', 'triton'], 'triune': ['runite', 'triune', 'uniter', 'untire'], 'trivalence': ['cantilever', 'trivalence'], 'trivial': ['trivial', 'vitrail'], 'trivialist': ['trivialist', 'vitrailist'], 'troat': ['ottar', 'tarot', 'torta', 'troat'], 'troca': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'trocar': ['carrot', 'trocar'], 'trochaic': ['thoracic', 'tocharic', 'trochaic'], 'trochate': ['theocrat', 'trochate'], 'troche': ['hector', 'rochet', 'tocher', 'troche'], 'trochi': ['chorti', 'orthic', 'thoric', 'trochi'], 'trochidae': ['charioted', 'trochidae'], 'trochila': ['acrolith', 'trochila'], 'trochilic': ['chloritic', 'trochilic'], 'trochlea': ['chlorate', 'trochlea'], 'trochlearis': ['rhetoricals', 'trochlearis'], 'trode': ['doter', 'tored', 'trode'], 'trog': ['grot', 'trog'], 'trogonidae': ['derogation', 'trogonidae'], 'troiades': ['asteroid', 'troiades'], 'troic': ['toric', 'troic'], 'troika': ['korait', 'troika'], 'trolley': ['tollery', 'trolley'], 'tromba': ['tambor', 'tromba'], 'trombe': ['retomb', 'trombe'], 'trompe': ['emptor', 'trompe'], 'tron': ['torn', 'tron'], 'trona': ['orant', 'rotan', 'toran', 'trona'], 'tronage': ['negator', 'tronage'], 'trone': ['noter', 'tenor', 'toner', 'trone'], 'troner': ['terron', 'treron', 'troner'], 'troop': ['porto', 'proto', 'troop'], 'trooper': ['protore', 'trooper'], 'tropaeolum': ['pleurotoma', 'tropaeolum'], 'tropaion': ['opinator', 'tropaion'], 'tropal': ['patrol', 'portal', 'tropal'], 'troparion': ['proration', 'troparion'], 'tropary': ['parroty', 'portray', 'tropary'], 'trope': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tropeic': ['perotic', 'proteic', 'tropeic'], 'tropeine': ['ereption', 'tropeine'], 'troper': ['porret', 'porter', 'report', 'troper'], 'trophema': ['metaphor', 'trophema'], 'trophesial': ['hospitaler', 'trophesial'], 'trophical': ['carpolith', 'politarch', 'trophical'], 'trophodisc': ['doctorship', 'trophodisc'], 'trophonema': ['homopteran', 'trophonema'], 'trophotropic': ['prototrophic', 'trophotropic'], 'tropical': ['plicator', 'tropical'], 'tropically': ['polycitral', 'tropically'], 'tropidine': ['direption', 'perdition', 'tropidine'], 'tropine': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'tropism': ['primost', 'tropism'], 'tropist': ['protist', 'tropist'], 'tropistic': ['proctitis', 'protistic', 'tropistic'], 'tropophyte': ['protophyte', 'tropophyte'], 'tropophytic': ['protophytic', 'tropophytic'], 'tropyl': ['portly', 'protyl', 'tropyl'], 'trostera': ['rostrate', 'trostera'], 'trot': ['tort', 'trot'], 'troth': ['thort', 'troth'], 'trotline': ['interlot', 'trotline'], 'trouble': ['boulter', 'trouble'], 'troughy': ['troughy', 'yoghurt'], 'trounce': ['cornute', 'counter', 'recount', 'trounce'], 'troupe': ['pouter', 'roupet', 'troupe'], 'trouse': ['ouster', 'souter', 'touser', 'trouse'], 'trouser': ['rouster', 'trouser'], 'trouserian': ['souterrain', 'ternarious', 'trouserian'], 'trousers': ['tressour', 'trousers'], 'trout': ['trout', 'tutor'], 'trouter': ['torture', 'trouter', 'tutorer'], 'troutless': ['troutless', 'tutorless'], 'trouty': ['trouty', 'tryout', 'tutory'], 'trouvere': ['overtrue', 'overture', 'trouvere'], 'trove': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'trover': ['trevor', 'trover'], 'trow': ['trow', 'wort'], 'trowel': ['rowlet', 'trowel', 'wolter'], 'troy': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'truandise': ['disnature', 'sturnidae', 'truandise'], 'truant': ['truant', 'turtan'], 'trub': ['brut', 'burt', 'trub', 'turb'], 'trubu': ['burut', 'trubu'], 'truce': ['cruet', 'eruct', 'recut', 'truce'], 'truceless': ['cutleress', 'lecturess', 'truceless'], 'trucial': ['curtail', 'trucial'], 'trucks': ['struck', 'trucks'], 'truculent': ['truculent', 'unclutter'], 'truelove': ['revolute', 'truelove'], 'truffle': ['fretful', 'truffle'], 'trug': ['gurt', 'trug'], 'truistical': ['altruistic', 'truistical', 'ultraistic'], 'truly': ['rutyl', 'truly'], 'trumperiness': ['surprisement', 'trumperiness'], 'trumpie': ['imputer', 'trumpie'], 'trun': ['runt', 'trun', 'turn'], 'truncated': ['reductant', 'traducent', 'truncated'], 'trundle': ['rundlet', 'trundle'], 'trush': ['hurst', 'trush'], 'trusion': ['nitrous', 'trusion'], 'trust': ['strut', 'sturt', 'trust'], 'trustee': ['surette', 'trustee'], 'trusteeism': ['sestertium', 'trusteeism'], 'trusten': ['entrust', 'stunter', 'trusten'], 'truster': ['retrust', 'truster'], 'trustle': ['slutter', 'trustle'], 'truth': ['thurt', 'truth'], 'trying': ['trigyn', 'trying'], 'tryma': ['marty', 'tryma'], 'tryout': ['trouty', 'tryout', 'tutory'], 'trypa': ['party', 'trypa'], 'trypan': ['pantry', 'trypan'], 'tryptase': ['tapestry', 'tryptase'], 'tsar': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tsardom': ['stardom', 'tsardom'], 'tsarina': ['artisan', 'astrain', 'sartain', 'tsarina'], 'tsarship': ['starship', 'tsarship'], 'tsatlee': ['atelets', 'tsatlee'], 'tsere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tsetse': ['sestet', 'testes', 'tsetse'], 'tshi': ['hist', 'sith', 'this', 'tshi'], 'tsia': ['atis', 'sita', 'tsia'], 'tsine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'tsiology': ['sitology', 'tsiology'], 'tsoneca': ['costean', 'tsoneca'], 'tsonecan': ['noncaste', 'tsonecan'], 'tsuga': ['agust', 'tsuga'], 'tsuma': ['matsu', 'tamus', 'tsuma'], 'tsun': ['stun', 'sunt', 'tsun'], 'tu': ['tu', 'ut'], 'tua': ['tau', 'tua', 'uta'], 'tuan': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tuareg': ['argute', 'guetar', 'rugate', 'tuareg'], 'tuarn': ['arnut', 'tuarn', 'untar'], 'tub': ['but', 'tub'], 'tuba': ['abut', 'tabu', 'tuba'], 'tubae': ['butea', 'taube', 'tubae'], 'tubal': ['balut', 'tubal'], 'tubar': ['bruta', 'tubar'], 'tubate': ['battue', 'tubate'], 'tube': ['bute', 'tebu', 'tube'], 'tuber': ['brute', 'buret', 'rebut', 'tuber'], 'tubercula': ['lucubrate', 'tubercula'], 'tuberin': ['tribune', 'tuberin', 'turbine'], 'tuberless': ['butleress', 'tuberless'], 'tublet': ['buttle', 'tublet'], 'tuboovarial': ['ovariotubal', 'tuboovarial'], 'tucana': ['canaut', 'tucana'], 'tucano': ['toucan', 'tucano', 'uncoat'], 'tuchun': ['tuchun', 'uncuth'], 'tucker': ['retuck', 'tucker'], 'tue': ['tue', 'ute'], 'tueiron': ['routine', 'tueiron'], 'tug': ['gut', 'tug'], 'tughra': ['raught', 'tughra'], 'tugless': ['gutless', 'tugless'], 'tuglike': ['gutlike', 'tuglike'], 'tugman': ['tangum', 'tugman'], 'tuism': ['muist', 'tuism'], 'tuke': ['ketu', 'teuk', 'tuke'], 'tukra': ['kraut', 'tukra'], 'tulare': ['tulare', 'uretal'], 'tulasi': ['situal', 'situla', 'tulasi'], 'tulchan': ['tulchan', 'unlatch'], 'tule': ['lute', 'tule'], 'tulipa': ['tipula', 'tulipa'], 'tulisan': ['latinus', 'tulisan', 'unalist'], 'tulsi': ['litus', 'sluit', 'tulsi'], 'tumbler': ['tumbler', 'tumbrel'], 'tumbrel': ['tumbler', 'tumbrel'], 'tume': ['mute', 'tume'], 'tumescence': ['mutescence', 'tumescence'], 'tumorous': ['mortuous', 'tumorous'], 'tumulary': ['mutulary', 'tumulary'], 'tun': ['nut', 'tun'], 'tuna': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tunable': ['abluent', 'tunable'], 'tunbellied': ['tunbellied', 'unbilleted'], 'tunca': ['tunca', 'unact'], 'tund': ['dunt', 'tund'], 'tunder': ['runted', 'tunder', 'turned'], 'tundra': ['durant', 'tundra'], 'tuner': ['enrut', 'tuner', 'urent'], 'tunga': ['gaunt', 'tunga'], 'tungan': ['tangun', 'tungan'], 'tungate': ['tungate', 'tutenag'], 'tungo': ['tungo', 'ungot'], 'tungstosilicate': ['silicotungstate', 'tungstosilicate'], 'tungstosilicic': ['silicotungstic', 'tungstosilicic'], 'tunic': ['cutin', 'incut', 'tunic'], 'tunica': ['anicut', 'nautic', 'ticuna', 'tunica'], 'tunican': ['ticunan', 'tunican'], 'tunicary': ['nycturia', 'tunicary'], 'tunicle': ['linecut', 'tunicle'], 'tunicless': ['lentiscus', 'tunicless'], 'tunist': ['suttin', 'tunist'], 'tunk': ['knut', 'tunk'], 'tunker': ['tunker', 'turken'], 'tunlike': ['nutlike', 'tunlike'], 'tunna': ['naunt', 'tunna'], 'tunnel': ['nunlet', 'tunnel', 'unlent'], 'tunnelman': ['annulment', 'tunnelman'], 'tunner': ['runnet', 'tunner', 'unrent'], 'tunnor': ['tunnor', 'untorn'], 'tuno': ['tuno', 'unto'], 'tup': ['put', 'tup'], 'tur': ['rut', 'tur'], 'turacin': ['curtain', 'turacin', 'turcian'], 'turanian': ['nutarian', 'turanian'], 'turanism': ['naturism', 'sturmian', 'turanism'], 'turb': ['brut', 'burt', 'trub', 'turb'], 'turban': ['tanbur', 'turban'], 'turbaned': ['breadnut', 'turbaned'], 'turbanless': ['substernal', 'turbanless'], 'turbeh': ['hubert', 'turbeh'], 'turbinal': ['tribunal', 'turbinal', 'untribal'], 'turbinate': ['tribunate', 'turbinate'], 'turbine': ['tribune', 'tuberin', 'turbine'], 'turbined': ['turbined', 'underbit'], 'turcian': ['curtain', 'turacin', 'turcian'], 'turco': ['court', 'crout', 'turco'], 'turcoman': ['courtman', 'turcoman'], 'turdinae': ['indurate', 'turdinae'], 'turdine': ['intrude', 'turdine', 'untired', 'untried'], 'tureen': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'turfed': ['dufter', 'turfed'], 'turfen': ['turfen', 'unfret'], 'turfless': ['tressful', 'turfless'], 'turgent': ['grutten', 'turgent'], 'turk': ['kurt', 'turk'], 'turken': ['tunker', 'turken'], 'turki': ['tikur', 'turki'], 'turkman': ['trankum', 'turkman'], 'turma': ['martu', 'murat', 'turma'], 'turn': ['runt', 'trun', 'turn'], 'turndown': ['downturn', 'turndown'], 'turned': ['runted', 'tunder', 'turned'], 'turnel': ['runlet', 'turnel'], 'turner': ['return', 'turner'], 'turnhall': ['turnhall', 'unthrall'], 'turnout': ['outturn', 'turnout'], 'turnover': ['overturn', 'turnover'], 'turnpin': ['turnpin', 'unprint'], 'turns': ['snurt', 'turns'], 'turntail': ['rutilant', 'turntail'], 'turnup': ['turnup', 'upturn'], 'turp': ['prut', 'turp'], 'turpid': ['putrid', 'turpid'], 'turpidly': ['putridly', 'turpidly'], 'turps': ['spurt', 'turps'], 'turret': ['rutter', 'turret'], 'turricula': ['turricula', 'utricular'], 'turse': ['serut', 'strue', 'turse', 'uster'], 'tursenoi': ['rutinose', 'tursenoi'], 'tursio': ['suitor', 'tursio'], 'turtan': ['truant', 'turtan'], 'tuscan': ['cantus', 'tuscan', 'uncast'], 'tusche': ['schute', 'tusche'], 'tush': ['shut', 'thus', 'tush'], 'tusher': ['reshut', 'suther', 'thurse', 'tusher'], 'tussal': ['saltus', 'tussal'], 'tusser': ['russet', 'tusser'], 'tussore': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'tutelo': ['outlet', 'tutelo'], 'tutenag': ['tungate', 'tutenag'], 'tutman': ['mutant', 'tantum', 'tutman'], 'tutor': ['trout', 'tutor'], 'tutorer': ['torture', 'trouter', 'tutorer'], 'tutorial': ['outtrail', 'tutorial'], 'tutorism': ['mistutor', 'tutorism'], 'tutorless': ['troutless', 'tutorless'], 'tutory': ['trouty', 'tryout', 'tutory'], 'tuts': ['stut', 'tuts'], 'tutster': ['stutter', 'tutster'], 'twa': ['taw', 'twa', 'wat'], 'twae': ['tewa', 'twae', 'weta'], 'twain': ['atwin', 'twain', 'witan'], 'twaite': ['tawite', 'tawtie', 'twaite'], 'twal': ['twal', 'walt'], 'twas': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'twat': ['twat', 'watt'], 'twee': ['twee', 'weet'], 'tweel': ['tewel', 'tweel'], 'twere': ['rewet', 'tewer', 'twere'], 'twi': ['twi', 'wit'], 'twigsome': ['twigsome', 'wegotism'], 'twin': ['twin', 'wint'], 'twiner': ['twiner', 'winter'], 'twingle': ['twingle', 'welting', 'winglet'], 'twinkle': ['twinkle', 'winklet'], 'twinkler': ['twinkler', 'wrinklet'], 'twinter': ['twinter', 'written'], 'twire': ['twire', 'write'], 'twister': ['retwist', 'twister'], 'twitchety': ['twitchety', 'witchetty'], 'twite': ['tewit', 'twite'], 'two': ['tow', 'two', 'wot'], 'twoling': ['lingtow', 'twoling'], 'tyche': ['techy', 'tyche'], 'tydie': ['deity', 'tydie'], 'tye': ['tye', 'yet'], 'tyke': ['kyte', 'tyke'], 'tylerism': ['trimesyl', 'tylerism'], 'tyloma': ['latomy', 'tyloma'], 'tylose': ['tolsey', 'tylose'], 'tylosis': ['tossily', 'tylosis'], 'tylotus': ['stoutly', 'tylotus'], 'tylus': ['lusty', 'tylus'], 'typal': ['aptly', 'patly', 'platy', 'typal'], 'typees': ['steepy', 'typees'], 'typer': ['perty', 'typer'], 'typha': ['pathy', 'typha'], 'typhia': ['pythia', 'typhia'], 'typhic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'typhlopidae': ['heptaploidy', 'typhlopidae'], 'typhoean': ['anophyte', 'typhoean'], 'typhogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'typhoid': ['phytoid', 'typhoid'], 'typhonian': ['antiphony', 'typhonian'], 'typhonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'typhosis': ['phytosis', 'typhosis'], 'typica': ['atypic', 'typica'], 'typographer': ['petrography', 'pterography', 'typographer'], 'typographic': ['graphotypic', 'pictography', 'typographic'], 'typology': ['logotypy', 'typology'], 'typophile': ['hippolyte', 'typophile'], 'tyre': ['trey', 'tyre'], 'tyrian': ['rytina', 'trainy', 'tyrian'], 'tyro': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'tyrocidin': ['nordicity', 'tyrocidin'], 'tyrolean': ['neolatry', 'ornately', 'tyrolean'], 'tyrolite': ['toiletry', 'tyrolite'], 'tyrone': ['torney', 'tyrone'], 'tyronism': ['smyrniot', 'tyronism'], 'tyrosine': ['tyrosine', 'tyrsenoi'], 'tyrrheni': ['erythrin', 'tyrrheni'], 'tyrsenoi': ['tyrosine', 'tyrsenoi'], 'tyste': ['testy', 'tyste'], 'tyto': ['toty', 'tyto'], 'uang': ['gaun', 'guan', 'guna', 'uang'], 'ucal': ['caul', 'ucal'], 'udal': ['auld', 'dual', 'laud', 'udal'], 'udaler': ['lauder', 'udaler'], 'udalman': ['ladanum', 'udalman'], 'udo': ['duo', 'udo'], 'uds': ['sud', 'uds'], 'ugh': ['hug', 'ugh'], 'uglisome': ['eulogism', 'uglisome'], 'ugrian': ['gurian', 'ugrian'], 'ugric': ['guric', 'ugric'], 'uhtsong': ['gunshot', 'shotgun', 'uhtsong'], 'uinal': ['inula', 'luian', 'uinal'], 'uinta': ['uinta', 'uniat'], 'ulcer': ['cruel', 'lucre', 'ulcer'], 'ulcerate': ['celature', 'ulcerate'], 'ulcerous': ['ulcerous', 'urceolus'], 'ule': ['leu', 'lue', 'ule'], 'ulema': ['amelu', 'leuma', 'ulema'], 'uletic': ['lucite', 'luetic', 'uletic'], 'ulex': ['luxe', 'ulex'], 'ulla': ['lula', 'ulla'], 'ulling': ['ulling', 'ungill'], 'ulmin': ['linum', 'ulmin'], 'ulminic': ['clinium', 'ulminic'], 'ulmo': ['moul', 'ulmo'], 'ulna': ['laun', 'luna', 'ulna', 'unal'], 'ulnad': ['dunal', 'laund', 'lunda', 'ulnad'], 'ulnar': ['lunar', 'ulnar', 'urnal'], 'ulnare': ['lunare', 'neural', 'ulnare', 'unreal'], 'ulnaria': ['lunaria', 'ulnaria', 'uralian'], 'ulotrichi': ['ulotrichi', 'urolithic'], 'ulster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'ulstered': ['deluster', 'ulstered'], 'ulsterian': ['neuralist', 'ulsterian', 'unrealist'], 'ulstering': ['resulting', 'ulstering'], 'ulsterman': ['menstrual', 'ulsterman'], 'ultima': ['mulita', 'ultima'], 'ultimate': ['mutilate', 'ultimate'], 'ultimation': ['mutilation', 'ultimation'], 'ultonian': ['lunation', 'ultonian'], 'ultra': ['lutra', 'ultra'], 'ultrabasic': ['arcubalist', 'ultrabasic'], 'ultraism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'ultraist': ['altruist', 'ultraist'], 'ultraistic': ['altruistic', 'truistical', 'ultraistic'], 'ultramicron': ['tricolumnar', 'ultramicron'], 'ultraminute': ['intermutual', 'ultraminute'], 'ultramontane': ['tournamental', 'ultramontane'], 'ultranice': ['centurial', 'lucretian', 'ultranice'], 'ultrasterile': ['reillustrate', 'ultrasterile'], 'ulua': ['aulu', 'ulua'], 'ulva': ['ulva', 'uval'], 'um': ['mu', 'um'], 'umbel': ['umbel', 'umble'], 'umbellar': ['umbellar', 'umbrella'], 'umber': ['brume', 'umber'], 'umbilic': ['bulimic', 'umbilic'], 'umbiliform': ['bulimiform', 'umbiliform'], 'umble': ['umbel', 'umble'], 'umbonial': ['olibanum', 'umbonial'], 'umbral': ['brumal', 'labrum', 'lumbar', 'umbral'], 'umbrel': ['lumber', 'rumble', 'umbrel'], 'umbrella': ['umbellar', 'umbrella'], 'umbrous': ['brumous', 'umbrous'], 'ume': ['emu', 'ume'], 'umlaut': ['mutual', 'umlaut'], 'umph': ['hump', 'umph'], 'umpire': ['impure', 'umpire'], 'un': ['nu', 'un'], 'unabetted': ['debutante', 'unabetted'], 'unabhorred': ['unabhorred', 'unharbored'], 'unable': ['nebula', 'unable', 'unbale'], 'unaccumulate': ['acutenaculum', 'unaccumulate'], 'unact': ['tunca', 'unact'], 'unadherent': ['unadherent', 'underneath', 'underthane'], 'unadmire': ['unadmire', 'underaim'], 'unadmired': ['unadmired', 'undermaid'], 'unadored': ['unadored', 'unroaded'], 'unadvertised': ['disadventure', 'unadvertised'], 'unafire': ['fuirena', 'unafire'], 'unaged': ['augend', 'engaud', 'unaged'], 'unagreed': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'unailing': ['inguinal', 'unailing'], 'unaimed': ['numidae', 'unaimed'], 'unaisled': ['unaisled', 'unsailed'], 'unakite': ['kutenai', 'unakite'], 'unal': ['laun', 'luna', 'ulna', 'unal'], 'unalarming': ['unalarming', 'unmarginal'], 'unalert': ['laurent', 'neutral', 'unalert'], 'unalertly': ['neutrally', 'unalertly'], 'unalertness': ['neutralness', 'unalertness'], 'unalimentary': ['anteluminary', 'unalimentary'], 'unalist': ['latinus', 'tulisan', 'unalist'], 'unallotted': ['unallotted', 'untotalled'], 'unalmsed': ['dulseman', 'unalmsed'], 'unaltered': ['unaltered', 'unrelated'], 'unaltering': ['unaltering', 'unrelating'], 'unamassed': ['mussaenda', 'unamassed'], 'unambush': ['subhuman', 'unambush'], 'unamenability': ['unamenability', 'unnameability'], 'unamenable': ['unamenable', 'unnameable'], 'unamenableness': ['unamenableness', 'unnameableness'], 'unamenably': ['unamenably', 'unnameably'], 'unamend': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unami': ['maniu', 'munia', 'unami'], 'unapt': ['punta', 'unapt', 'untap'], 'unarising': ['grusinian', 'unarising'], 'unarm': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unarmed': ['duramen', 'maunder', 'unarmed'], 'unarray': ['unarray', 'yaruran'], 'unarrestable': ['subterraneal', 'unarrestable'], 'unarrested': ['unarrested', 'unserrated'], 'unarted': ['daunter', 'unarted', 'unrated', 'untread'], 'unarticled': ['denticular', 'unarticled'], 'unartistic': ['naturistic', 'unartistic'], 'unartistical': ['naturalistic', 'unartistical'], 'unartistically': ['naturistically', 'unartistically'], 'unary': ['anury', 'unary', 'unray'], 'unastray': ['auntsary', 'unastray'], 'unathirst': ['struthian', 'unathirst'], 'unattire': ['tainture', 'unattire'], 'unattuned': ['unattuned', 'untaunted'], 'unaverted': ['adventure', 'unaverted'], 'unavertible': ['unavertible', 'unveritable'], 'unbag': ['bugan', 'bunga', 'unbag'], 'unbain': ['nubian', 'unbain'], 'unbale': ['nebula', 'unable', 'unbale'], 'unbar': ['buran', 'unbar', 'urban'], 'unbare': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbarred': ['errabund', 'unbarred'], 'unbased': ['subdean', 'unbased'], 'unbaste': ['unbaste', 'unbeast'], 'unbatted': ['debutant', 'unbatted'], 'unbay': ['bunya', 'unbay'], 'unbe': ['benu', 'unbe'], 'unbear': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbearded': ['unbearded', 'unbreaded'], 'unbeast': ['unbaste', 'unbeast'], 'unbeavered': ['unbeavered', 'unbereaved'], 'unbelied': ['unbelied', 'unedible'], 'unbereaved': ['unbeavered', 'unbereaved'], 'unbesot': ['subnote', 'subtone', 'unbesot'], 'unbias': ['anubis', 'unbias'], 'unbillet': ['bulletin', 'unbillet'], 'unbilleted': ['tunbellied', 'unbilleted'], 'unblasted': ['dunstable', 'unblasted', 'unstabled'], 'unbled': ['bundle', 'unbled'], 'unboasted': ['eastbound', 'unboasted'], 'unboat': ['outban', 'unboat'], 'unboding': ['bounding', 'unboding'], 'unbog': ['bungo', 'unbog'], 'unboiled': ['unboiled', 'unilobed'], 'unboned': ['bounden', 'unboned'], 'unborder': ['unborder', 'underorb'], 'unbored': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unboweled': ['unboweled', 'unelbowed'], 'unbrace': ['bucrane', 'unbrace'], 'unbraceleted': ['unbraceleted', 'uncelebrated'], 'unbraid': ['barundi', 'unbraid'], 'unbrailed': ['indurable', 'unbrailed', 'unridable'], 'unbreaded': ['unbearded', 'unbreaded'], 'unbred': ['bunder', 'burden', 'burned', 'unbred'], 'unbribed': ['unbribed', 'unribbed'], 'unbrief': ['unbrief', 'unfiber'], 'unbriefed': ['unbriefed', 'unfibered'], 'unbroiled': ['unbroiled', 'underboil'], 'unbrushed': ['unbrushed', 'underbush'], 'unbud': ['bundu', 'unbud', 'undub'], 'unburden': ['unburden', 'unburned'], 'unburned': ['unburden', 'unburned'], 'unbuttered': ['unbuttered', 'unrebutted'], 'unca': ['cuna', 'unca'], 'uncage': ['cangue', 'uncage'], 'uncambered': ['uncambered', 'unembraced'], 'uncamerated': ['uncamerated', 'unmacerated'], 'uncapable': ['uncapable', 'unpacable'], 'uncaptious': ['uncaptious', 'usucaption'], 'uncarted': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncartooned': ['uncartooned', 'uncoronated'], 'uncase': ['uncase', 'usance'], 'uncask': ['uncask', 'unsack'], 'uncasked': ['uncasked', 'unsacked'], 'uncast': ['cantus', 'tuscan', 'uncast'], 'uncatalogued': ['uncatalogued', 'uncoagulated'], 'uncate': ['tecuna', 'uncate'], 'uncaused': ['uncaused', 'unsauced'], 'uncavalier': ['naviculare', 'uncavalier'], 'uncelebrated': ['unbraceleted', 'uncelebrated'], 'uncellar': ['lucernal', 'nucellar', 'uncellar'], 'uncenter': ['uncenter', 'unrecent'], 'uncertain': ['encurtain', 'runcinate', 'uncertain'], 'uncertifiable': ['uncertifiable', 'unrectifiable'], 'uncertified': ['uncertified', 'unrectified'], 'unchain': ['chunnia', 'unchain'], 'unchair': ['chunari', 'unchair'], 'unchalked': ['unchalked', 'unhackled'], 'uncharge': ['gunreach', 'uncharge'], 'uncharm': ['uncharm', 'unmarch'], 'uncharming': ['uncharming', 'unmarching'], 'uncharred': ['uncharred', 'underarch'], 'uncheat': ['uncheat', 'unteach'], 'uncheating': ['uncheating', 'unteaching'], 'unchoked': ['unchoked', 'unhocked'], 'unchoosable': ['chaenolobus', 'unchoosable'], 'unchosen': ['nonesuch', 'unchosen'], 'uncial': ['cunila', 'lucian', 'lucina', 'uncial'], 'unciferous': ['nuciferous', 'unciferous'], 'unciform': ['nuciform', 'unciform'], 'uncinate': ['nunciate', 'uncinate'], 'unclaimed': ['unclaimed', 'undecimal', 'unmedical'], 'unclay': ['lunacy', 'unclay'], 'unclead': ['unclead', 'unlaced'], 'unclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'uncleared': ['uncleared', 'undeclare'], 'uncledom': ['columned', 'uncledom'], 'uncleship': ['siphuncle', 'uncleship'], 'uncloister': ['cornulites', 'uncloister'], 'unclose': ['counsel', 'unclose'], 'unclutter': ['truculent', 'unclutter'], 'unco': ['cuon', 'unco'], 'uncoagulated': ['uncatalogued', 'uncoagulated'], 'uncoat': ['toucan', 'tucano', 'uncoat'], 'uncoated': ['outdance', 'uncoated'], 'uncoiled': ['nucleoid', 'uncoiled'], 'uncoin': ['nuncio', 'uncoin'], 'uncollapsed': ['uncollapsed', 'unscalloped'], 'uncolored': ['uncolored', 'undercool'], 'uncomic': ['muconic', 'uncomic'], 'uncompatible': ['incomputable', 'uncompatible'], 'uncomplaint': ['uncomplaint', 'uncompliant'], 'uncomplete': ['couplement', 'uncomplete'], 'uncompliant': ['uncomplaint', 'uncompliant'], 'unconcerted': ['unconcerted', 'unconcreted'], 'unconcreted': ['unconcerted', 'unconcreted'], 'unconservable': ['unconservable', 'unconversable'], 'unconstraint': ['noncurantist', 'unconstraint'], 'uncontrasted': ['counterstand', 'uncontrasted'], 'unconversable': ['unconservable', 'unconversable'], 'uncoop': ['coupon', 'uncoop'], 'uncooped': ['couponed', 'uncooped'], 'uncope': ['pounce', 'uncope'], 'uncopied': ['cupidone', 'uncopied'], 'uncore': ['conure', 'rounce', 'uncore'], 'uncored': ['crunode', 'uncored'], 'uncorked': ['uncorked', 'unrocked'], 'uncoronated': ['uncartooned', 'uncoronated'], 'uncorrect': ['cocurrent', 'occurrent', 'uncorrect'], 'uncorrugated': ['counterguard', 'uncorrugated'], 'uncorseted': ['uncorseted', 'unescorted'], 'uncostumed': ['uncostumed', 'uncustomed'], 'uncoursed': ['uncoursed', 'unscoured'], 'uncouth': ['uncouth', 'untouch'], 'uncoverable': ['uncoverable', 'unrevocable'], 'uncradled': ['uncradled', 'underclad'], 'uncrated': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncreased': ['uncreased', 'undercase'], 'uncreatable': ['uncreatable', 'untraceable'], 'uncreatableness': ['uncreatableness', 'untraceableness'], 'uncreation': ['enunciator', 'uncreation'], 'uncreative': ['uncreative', 'unreactive'], 'uncredited': ['uncredited', 'undirected'], 'uncrest': ['encrust', 'uncrest'], 'uncrested': ['uncrested', 'undersect'], 'uncried': ['inducer', 'uncried'], 'uncrooked': ['uncrooked', 'undercook'], 'uncrude': ['uncrude', 'uncured'], 'unctional': ['continual', 'inoculant', 'unctional'], 'unctioneer': ['recontinue', 'unctioneer'], 'uncured': ['uncrude', 'uncured'], 'uncustomed': ['uncostumed', 'uncustomed'], 'uncuth': ['tuchun', 'uncuth'], 'undam': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'undangered': ['undangered', 'underanged', 'ungardened'], 'undarken': ['undarken', 'unranked'], 'undashed': ['undashed', 'unshaded'], 'undate': ['nudate', 'undate'], 'unde': ['dune', 'nude', 'unde'], 'undean': ['duenna', 'undean'], 'undear': ['endura', 'neurad', 'undear', 'unread'], 'undeceiver': ['undeceiver', 'unreceived'], 'undecimal': ['unclaimed', 'undecimal', 'unmedical'], 'undeclare': ['uncleared', 'undeclare'], 'undecolic': ['coinclude', 'undecolic'], 'undecorated': ['undecorated', 'undercoated'], 'undefiled': ['undefiled', 'unfielded'], 'undeified': ['undeified', 'unedified'], 'undelible': ['undelible', 'unlibeled'], 'undelight': ['undelight', 'unlighted'], 'undelude': ['undelude', 'uneluded'], 'undeluding': ['undeluding', 'unindulged'], 'undemanded': ['undemanded', 'unmaddened'], 'unden': ['dunne', 'unden'], 'undeparted': ['dunderpate', 'undeparted'], 'undepraved': ['undepraved', 'unpervaded'], 'under': ['runed', 'under', 'unred'], 'underact': ['uncarted', 'uncrated', 'underact', 'untraced'], 'underacted': ['underacted', 'unredacted'], 'underaction': ['denunciator', 'underaction'], 'underage': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'underaid': ['underaid', 'unraided'], 'underaim': ['unadmire', 'underaim'], 'underanged': ['undangered', 'underanged', 'ungardened'], 'underarch': ['uncharred', 'underarch'], 'underarm': ['underarm', 'unmarred'], 'underbake': ['underbake', 'underbeak'], 'underbeak': ['underbake', 'underbeak'], 'underbeat': ['eburnated', 'underbeat', 'unrebated'], 'underbit': ['turbined', 'underbit'], 'underboil': ['unbroiled', 'underboil'], 'underbreathing': ['thunderbearing', 'underbreathing'], 'underbrush': ['underbrush', 'undershrub'], 'underbush': ['unbrushed', 'underbush'], 'undercase': ['uncreased', 'undercase'], 'underchap': ['underchap', 'unparched'], 'underclad': ['uncradled', 'underclad'], 'undercoat': ['cornuated', 'undercoat'], 'undercoated': ['undecorated', 'undercoated'], 'undercook': ['uncrooked', 'undercook'], 'undercool': ['uncolored', 'undercool'], 'undercut': ['undercut', 'unreduct'], 'underdead': ['underdead', 'undreaded'], 'underdig': ['underdig', 'ungirded', 'unridged'], 'underdive': ['underdive', 'underived'], 'underdo': ['redound', 'rounded', 'underdo'], 'underdoer': ['underdoer', 'unordered'], 'underdog': ['grounded', 'underdog', 'undergod'], 'underdown': ['underdown', 'undrowned'], 'underdrag': ['underdrag', 'undergrad'], 'underdraw': ['underdraw', 'underward'], 'undereat': ['denature', 'undereat'], 'underer': ['endurer', 'underer'], 'underfiend': ['underfiend', 'unfriended'], 'underfill': ['underfill', 'unfrilled'], 'underfire': ['underfire', 'unferried'], 'underflow': ['underflow', 'wonderful'], 'underfur': ['underfur', 'unfurred'], 'undergo': ['guerdon', 'undergo', 'ungored'], 'undergod': ['grounded', 'underdog', 'undergod'], 'undergoer': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergore': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergown': ['undergown', 'unwronged'], 'undergrad': ['underdrag', 'undergrad'], 'undergrade': ['undergrade', 'unregarded'], 'underheat': ['underheat', 'unearthed'], 'underhonest': ['underhonest', 'unshortened'], 'underhorse': ['underhorse', 'undershore'], 'underived': ['underdive', 'underived'], 'underkind': ['underkind', 'unkindred'], 'underlap': ['pendular', 'underlap', 'uplander'], 'underleaf': ['underleaf', 'unfederal'], 'underlease': ['underlease', 'unreleased'], 'underlegate': ['underlegate', 'unrelegated'], 'underlid': ['underlid', 'unriddle'], 'underlive': ['underlive', 'unreviled'], 'underlying': ['enduringly', 'underlying'], 'undermade': ['undermade', 'undreamed'], 'undermaid': ['unadmired', 'undermaid'], 'undermaker': ['undermaker', 'unremarked'], 'undermaster': ['undermaster', 'understream'], 'undermeal': ['denumeral', 'undermeal', 'unrealmed'], 'undermine': ['undermine', 'unermined'], 'undermost': ['undermost', 'unstormed'], 'undermotion': ['undermotion', 'unmonitored'], 'undern': ['dunner', 'undern'], 'underneath': ['unadherent', 'underneath', 'underthane'], 'undernote': ['undernote', 'undertone'], 'undernoted': ['undernoted', 'undertoned'], 'underntide': ['indentured', 'underntide'], 'underorb': ['unborder', 'underorb'], 'underpay': ['underpay', 'unprayed'], 'underpeer': ['perendure', 'underpeer'], 'underpick': ['underpick', 'unpricked'], 'underpier': ['underpier', 'underripe'], 'underpile': ['underpile', 'unreplied'], 'underpose': ['underpose', 'unreposed'], 'underpuke': ['underpuke', 'unperuked'], 'underream': ['maunderer', 'underream'], 'underripe': ['underpier', 'underripe'], 'underrobe': ['rebounder', 'underrobe'], 'undersap': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'undersea': ['undersea', 'unerased', 'unseared'], 'underseam': ['underseam', 'unsmeared'], 'undersect': ['uncrested', 'undersect'], 'underserve': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underset': ['sederunt', 'underset', 'undesert', 'unrested'], 'undershapen': ['undershapen', 'unsharpened'], 'undershore': ['underhorse', 'undershore'], 'undershrub': ['underbrush', 'undershrub'], 'underside': ['underside', 'undesired'], 'undersoil': ['undersoil', 'unsoldier'], 'undersow': ['sewround', 'undersow'], 'underspar': ['underspar', 'unsparred'], 'understain': ['understain', 'unstrained'], 'understand': ['understand', 'unstranded'], 'understream': ['undermaster', 'understream'], 'underthane': ['unadherent', 'underneath', 'underthane'], 'underthing': ['thundering', 'underthing'], 'undertide': ['durdenite', 'undertide'], 'undertime': ['undertime', 'unmerited'], 'undertimed': ['demiturned', 'undertimed'], 'undertitle': ['undertitle', 'unlittered'], 'undertone': ['undernote', 'undertone'], 'undertoned': ['undernoted', 'undertoned'], 'undertow': ['undertow', 'untrowed'], 'undertread': ['undertread', 'unretarded'], 'undertutor': ['undertutor', 'untortured'], 'underverse': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underwage': ['underwage', 'unwagered'], 'underward': ['underdraw', 'underward'], 'underwarp': ['underwarp', 'underwrap'], 'underwave': ['underwave', 'unwavered'], 'underwrap': ['underwarp', 'underwrap'], 'undesert': ['sederunt', 'underset', 'undesert', 'unrested'], 'undeserve': ['undeserve', 'unsevered'], 'undeserver': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'undesign': ['undesign', 'unsigned', 'unsinged'], 'undesired': ['underside', 'undesired'], 'undeviated': ['denudative', 'undeviated'], 'undieted': ['undieted', 'unedited'], 'undig': ['gundi', 'undig'], 'undirect': ['undirect', 'untriced'], 'undirected': ['uncredited', 'undirected'], 'undiscerned': ['undiscerned', 'unrescinded'], 'undiscretion': ['discontinuer', 'undiscretion'], 'undistress': ['sturdiness', 'undistress'], 'undiverse': ['undiverse', 'unrevised'], 'undog': ['undog', 'ungod'], 'undrab': ['durban', 'undrab'], 'undrag': ['durgan', 'undrag'], 'undrape': ['undrape', 'unpared', 'unraped'], 'undreaded': ['underdead', 'undreaded'], 'undreamed': ['undermade', 'undreamed'], 'undrowned': ['underdown', 'undrowned'], 'undrugged': ['undrugged', 'ungrudged'], 'undryable': ['endurably', 'undryable'], 'undub': ['bundu', 'unbud', 'undub'], 'undumped': ['pudendum', 'undumped'], 'undy': ['duny', 'undy'], 'uneager': ['geneura', 'uneager'], 'unearned': ['unearned', 'unneared'], 'unearnest': ['unearnest', 'uneastern'], 'unearth': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unearthed': ['underheat', 'unearthed'], 'unearthly': ['unearthly', 'urethylan'], 'uneastern': ['unearnest', 'uneastern'], 'uneath': ['uneath', 'unhate'], 'unebriate': ['beraunite', 'unebriate'], 'unedge': ['dengue', 'unedge'], 'unedible': ['unbelied', 'unedible'], 'unedified': ['undeified', 'unedified'], 'unedited': ['undieted', 'unedited'], 'unelapsed': ['unelapsed', 'unpleased'], 'unelated': ['antelude', 'unelated'], 'unelbowed': ['unboweled', 'unelbowed'], 'unelidible': ['ineludible', 'unelidible'], 'uneluded': ['undelude', 'uneluded'], 'unembased': ['sunbeamed', 'unembased'], 'unembraced': ['uncambered', 'unembraced'], 'unenabled': ['unenabled', 'unendable'], 'unencored': ['denouncer', 'unencored'], 'unendable': ['unenabled', 'unendable'], 'unending': ['unending', 'unginned'], 'unenervated': ['unenervated', 'unvenerated'], 'unenlisted': ['unenlisted', 'unlistened', 'untinseled'], 'unenterprised': ['superintender', 'unenterprised'], 'unenviable': ['unenviable', 'unveniable'], 'unenvied': ['unenvied', 'unveined'], 'unequitable': ['unequitable', 'unquietable'], 'unerased': ['undersea', 'unerased', 'unseared'], 'unermined': ['undermine', 'unermined'], 'unerratic': ['recurtain', 'unerratic'], 'unerupted': ['unerupted', 'unreputed'], 'unescorted': ['uncorseted', 'unescorted'], 'unevil': ['unevil', 'unlive', 'unveil'], 'unexactly': ['exultancy', 'unexactly'], 'unexceptable': ['unexceptable', 'unexpectable'], 'unexcepted': ['unexcepted', 'unexpected'], 'unexcepting': ['unexcepting', 'unexpecting'], 'unexpectable': ['unexceptable', 'unexpectable'], 'unexpected': ['unexcepted', 'unexpected'], 'unexpecting': ['unexcepting', 'unexpecting'], 'unfabled': ['fundable', 'unfabled'], 'unfaceted': ['fecundate', 'unfaceted'], 'unfactional': ['afunctional', 'unfactional'], 'unfactored': ['fecundator', 'unfactored'], 'unfainting': ['antifungin', 'unfainting'], 'unfallible': ['unfallible', 'unfillable'], 'unfar': ['furan', 'unfar'], 'unfarmed': ['unfarmed', 'unframed'], 'unfederal': ['underleaf', 'unfederal'], 'unfeeding': ['unfeeding', 'unfeigned'], 'unfeeling': ['unfeeling', 'unfleeing'], 'unfeigned': ['unfeeding', 'unfeigned'], 'unfelt': ['fluent', 'netful', 'unfelt', 'unleft'], 'unfelted': ['defluent', 'unfelted'], 'unferried': ['underfire', 'unferried'], 'unfiber': ['unbrief', 'unfiber'], 'unfibered': ['unbriefed', 'unfibered'], 'unfielded': ['undefiled', 'unfielded'], 'unfiend': ['unfiend', 'unfined'], 'unfiery': ['reunify', 'unfiery'], 'unfillable': ['unfallible', 'unfillable'], 'unfined': ['unfiend', 'unfined'], 'unfired': ['unfired', 'unfried'], 'unflag': ['fungal', 'unflag'], 'unflat': ['flaunt', 'unflat'], 'unfleeing': ['unfeeling', 'unfleeing'], 'unfloured': ['unfloured', 'unfoldure'], 'unfolder': ['flounder', 'reunfold', 'unfolder'], 'unfolding': ['foundling', 'unfolding'], 'unfoldure': ['unfloured', 'unfoldure'], 'unforest': ['furstone', 'unforest'], 'unforested': ['unforested', 'unfostered'], 'unformality': ['fulminatory', 'unformality'], 'unforward': ['unforward', 'unfroward'], 'unfostered': ['unforested', 'unfostered'], 'unfrail': ['rainful', 'unfrail'], 'unframed': ['unfarmed', 'unframed'], 'unfret': ['turfen', 'unfret'], 'unfriable': ['funebrial', 'unfriable'], 'unfried': ['unfired', 'unfried'], 'unfriended': ['underfiend', 'unfriended'], 'unfriending': ['unfriending', 'uninfringed'], 'unfrilled': ['underfill', 'unfrilled'], 'unfroward': ['unforward', 'unfroward'], 'unfurl': ['unfurl', 'urnful'], 'unfurred': ['underfur', 'unfurred'], 'ungaite': ['ungaite', 'unitage'], 'unganged': ['unganged', 'unnagged'], 'ungardened': ['undangered', 'underanged', 'ungardened'], 'ungarnish': ['ungarnish', 'unsharing'], 'ungear': ['nauger', 'raunge', 'ungear'], 'ungeared': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'ungelt': ['englut', 'gluten', 'ungelt'], 'ungenerable': ['ungenerable', 'ungreenable'], 'unget': ['tengu', 'unget'], 'ungilded': ['deluding', 'ungilded'], 'ungill': ['ulling', 'ungill'], 'ungilt': ['glutin', 'luting', 'ungilt'], 'unginned': ['unending', 'unginned'], 'ungird': ['during', 'ungird'], 'ungirded': ['underdig', 'ungirded', 'unridged'], 'ungirdle': ['indulger', 'ungirdle'], 'ungirt': ['ungirt', 'untrig'], 'ungirth': ['hurting', 'ungirth', 'unright'], 'ungirthed': ['ungirthed', 'unrighted'], 'unglad': ['gandul', 'unglad'], 'unglued': ['unglued', 'unguled'], 'ungod': ['undog', 'ungod'], 'ungold': ['dungol', 'ungold'], 'ungone': ['guenon', 'ungone'], 'ungored': ['guerdon', 'undergo', 'ungored'], 'ungorge': ['gurgeon', 'ungorge'], 'ungot': ['tungo', 'ungot'], 'ungothic': ['touching', 'ungothic'], 'ungraphic': ['ungraphic', 'uparching'], 'ungreenable': ['ungenerable', 'ungreenable'], 'ungrieved': ['gerundive', 'ungrieved'], 'ungroined': ['ungroined', 'unignored'], 'ungrudged': ['undrugged', 'ungrudged'], 'ungual': ['ungual', 'ungula'], 'ungueal': ['ungueal', 'ungulae'], 'ungula': ['ungual', 'ungula'], 'ungulae': ['ungueal', 'ungulae'], 'unguled': ['unglued', 'unguled'], 'ungulp': ['ungulp', 'unplug'], 'unhabit': ['bhutani', 'unhabit'], 'unhackled': ['unchalked', 'unhackled'], 'unhairer': ['rhineura', 'unhairer'], 'unhalsed': ['unhalsed', 'unlashed', 'unshaled'], 'unhalted': ['unhalted', 'unlathed'], 'unhalter': ['lutheran', 'unhalter'], 'unhaltered': ['unhaltered', 'unlathered'], 'unhamper': ['prehuman', 'unhamper'], 'unharbored': ['unabhorred', 'unharbored'], 'unhasped': ['unhasped', 'unphased', 'unshaped'], 'unhat': ['ahunt', 'haunt', 'thuan', 'unhat'], 'unhate': ['uneath', 'unhate'], 'unhatingly': ['hauntingly', 'unhatingly'], 'unhayed': ['unhayed', 'unheady'], 'unheady': ['unhayed', 'unheady'], 'unhearsed': ['unhearsed', 'unsheared'], 'unheart': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unhid': ['hindu', 'hundi', 'unhid'], 'unhistoric': ['trichinous', 'unhistoric'], 'unhittable': ['unhittable', 'untithable'], 'unhoarded': ['roundhead', 'unhoarded'], 'unhocked': ['unchoked', 'unhocked'], 'unhoisted': ['hudsonite', 'unhoisted'], 'unhorse': ['unhorse', 'unshore'], 'unhose': ['unhose', 'unshoe'], 'unhosed': ['unhosed', 'unshoed'], 'unhurt': ['unhurt', 'unruth'], 'uniat': ['uinta', 'uniat'], 'uniate': ['auntie', 'uniate'], 'unible': ['nubile', 'unible'], 'uniced': ['induce', 'uniced'], 'unicentral': ['incruental', 'unicentral'], 'unideal': ['aliunde', 'unideal'], 'unidentified': ['indefinitude', 'unidentified'], 'unidly': ['unidly', 'yildun'], 'unie': ['niue', 'unie'], 'unifilar': ['friulian', 'unifilar'], 'uniflorate': ['antifouler', 'fluorinate', 'uniflorate'], 'unigenous': ['ingenuous', 'unigenous'], 'unignored': ['ungroined', 'unignored'], 'unilobar': ['orbulina', 'unilobar'], 'unilobed': ['unboiled', 'unilobed'], 'unimedial': ['aluminide', 'unimedial'], 'unimpair': ['manipuri', 'unimpair'], 'unimparted': ['diparentum', 'unimparted'], 'unimportance': ['importunance', 'unimportance'], 'unimpressible': ['unimpressible', 'unpermissible'], 'unimpressive': ['unimpressive', 'unpermissive'], 'unindented': ['unindented', 'unintended'], 'unindulged': ['undeluding', 'unindulged'], 'uninervate': ['aventurine', 'uninervate'], 'uninfringed': ['unfriending', 'uninfringed'], 'uningested': ['uningested', 'unsigneted'], 'uninn': ['nunni', 'uninn'], 'uninnate': ['eutannin', 'uninnate'], 'uninodal': ['annuloid', 'uninodal'], 'unintended': ['unindented', 'unintended'], 'unintoned': ['nonunited', 'unintoned'], 'uninured': ['uninured', 'unruined'], 'unionist': ['inustion', 'unionist'], 'unipersonal': ['spinoneural', 'unipersonal'], 'unipod': ['dupion', 'unipod'], 'uniradial': ['nidularia', 'uniradial'], 'unireme': ['erineum', 'unireme'], 'uniserrate': ['arseniuret', 'uniserrate'], 'unison': ['nonius', 'unison'], 'unitage': ['ungaite', 'unitage'], 'unital': ['inlaut', 'unital'], 'unite': ['intue', 'unite', 'untie'], 'united': ['dunite', 'united', 'untied'], 'uniter': ['runite', 'triune', 'uniter', 'untire'], 'unitiveness': ['unitiveness', 'unsensitive'], 'unitrope': ['eruption', 'unitrope'], 'univied': ['univied', 'viduine'], 'unket': ['knute', 'unket'], 'unkilned': ['unkilned', 'unlinked'], 'unkin': ['nunki', 'unkin'], 'unkindred': ['underkind', 'unkindred'], 'unlabiate': ['laubanite', 'unlabiate'], 'unlabored': ['burdalone', 'unlabored'], 'unlace': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'unlaced': ['unclead', 'unlaced'], 'unlade': ['unlade', 'unlead'], 'unlaid': ['dualin', 'ludian', 'unlaid'], 'unlame': ['manuel', 'unlame'], 'unlapped': ['unlapped', 'unpalped'], 'unlarge': ['granule', 'unlarge', 'unregal'], 'unlashed': ['unhalsed', 'unlashed', 'unshaled'], 'unlasting': ['unlasting', 'unslating'], 'unlatch': ['tulchan', 'unlatch'], 'unlathed': ['unhalted', 'unlathed'], 'unlathered': ['unhaltered', 'unlathered'], 'unlay': ['unlay', 'yulan'], 'unlead': ['unlade', 'unlead'], 'unleasable': ['unleasable', 'unsealable'], 'unleased': ['unleased', 'unsealed'], 'unleash': ['hulsean', 'unleash'], 'unled': ['lendu', 'unled'], 'unleft': ['fluent', 'netful', 'unfelt', 'unleft'], 'unlent': ['nunlet', 'tunnel', 'unlent'], 'unlevied': ['unlevied', 'unveiled'], 'unlibeled': ['undelible', 'unlibeled'], 'unliberal': ['brunellia', 'unliberal'], 'unlicensed': ['unlicensed', 'unsilenced'], 'unlighted': ['undelight', 'unlighted'], 'unliken': ['nunlike', 'unliken'], 'unlime': ['lumine', 'unlime'], 'unlinked': ['unkilned', 'unlinked'], 'unlist': ['insult', 'sunlit', 'unlist', 'unslit'], 'unlistened': ['unenlisted', 'unlistened', 'untinseled'], 'unlit': ['unlit', 'until'], 'unliteral': ['tellurian', 'unliteral'], 'unlittered': ['undertitle', 'unlittered'], 'unlive': ['unevil', 'unlive', 'unveil'], 'unloaded': ['duodenal', 'unloaded'], 'unloaden': ['unloaden', 'unloaned'], 'unloader': ['unloader', 'urodelan'], 'unloaned': ['unloaden', 'unloaned'], 'unlodge': ['unlodge', 'unogled'], 'unlogic': ['gulonic', 'unlogic'], 'unlooped': ['unlooped', 'unpooled'], 'unlooted': ['unlooted', 'untooled'], 'unlost': ['unlost', 'unslot'], 'unlowered': ['unlowered', 'unroweled'], 'unlucid': ['nuculid', 'unlucid'], 'unlumped': ['pendulum', 'unlumped', 'unplumed'], 'unlured': ['unlured', 'unruled'], 'unlyrical': ['runically', 'unlyrical'], 'unmacerated': ['uncamerated', 'unmacerated'], 'unmad': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'unmadded': ['addendum', 'unmadded'], 'unmaddened': ['undemanded', 'unmaddened'], 'unmaid': ['numida', 'unmaid'], 'unmail': ['alumni', 'unmail'], 'unmailed': ['adlumine', 'unmailed'], 'unmaned': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unmantle': ['unmantle', 'unmental'], 'unmarch': ['uncharm', 'unmarch'], 'unmarching': ['uncharming', 'unmarching'], 'unmarginal': ['unalarming', 'unmarginal'], 'unmarred': ['underarm', 'unmarred'], 'unmashed': ['unmashed', 'unshamed'], 'unmate': ['unmate', 'untame', 'unteam'], 'unmated': ['unmated', 'untamed'], 'unmaterial': ['manualiter', 'unmaterial'], 'unmeated': ['unmeated', 'unteamed'], 'unmedical': ['unclaimed', 'undecimal', 'unmedical'], 'unmeet': ['unmeet', 'unteem'], 'unmemoired': ['unmemoired', 'unmemoried'], 'unmemoried': ['unmemoired', 'unmemoried'], 'unmental': ['unmantle', 'unmental'], 'unmerged': ['gerendum', 'unmerged'], 'unmerited': ['undertime', 'unmerited'], 'unmettle': ['temulent', 'unmettle'], 'unminable': ['nelumbian', 'unminable'], 'unmined': ['minuend', 'unmined'], 'unminted': ['indument', 'unminted'], 'unmisled': ['muslined', 'unmisled', 'unsmiled'], 'unmiter': ['minuter', 'unmiter'], 'unmodest': ['mudstone', 'unmodest'], 'unmodish': ['muishond', 'unmodish'], 'unmomentary': ['monumentary', 'unmomentary'], 'unmonitored': ['undermotion', 'unmonitored'], 'unmorbid': ['moribund', 'unmorbid'], 'unmorose': ['enormous', 'unmorose'], 'unmortised': ['semirotund', 'unmortised'], 'unmotived': ['unmotived', 'unvomited'], 'unmystical': ['stimulancy', 'unmystical'], 'unnagged': ['unganged', 'unnagged'], 'unnail': ['alnuin', 'unnail'], 'unnameability': ['unamenability', 'unnameability'], 'unnameable': ['unamenable', 'unnameable'], 'unnameableness': ['unamenableness', 'unnameableness'], 'unnameably': ['unamenably', 'unnameably'], 'unnamed': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unnational': ['annulation', 'unnational'], 'unnative': ['unnative', 'venutian'], 'unneared': ['unearned', 'unneared'], 'unnest': ['unnest', 'unsent'], 'unnetted': ['unnetted', 'untented'], 'unnose': ['nonuse', 'unnose'], 'unnoted': ['unnoted', 'untoned'], 'unnoticed': ['continued', 'unnoticed'], 'unoared': ['rondeau', 'unoared'], 'unogled': ['unlodge', 'unogled'], 'unomitted': ['dumontite', 'unomitted'], 'unoperatic': ['precaution', 'unoperatic'], 'unorbed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unorder': ['rondure', 'rounder', 'unorder'], 'unordered': ['underdoer', 'unordered'], 'unoriented': ['nonerudite', 'unoriented'], 'unown': ['unown', 'unwon'], 'unowned': ['enwound', 'unowned'], 'unpacable': ['uncapable', 'unpacable'], 'unpacker': ['reunpack', 'unpacker'], 'unpaired': ['unpaired', 'unrepaid'], 'unpale': ['unpale', 'uplane'], 'unpalped': ['unlapped', 'unpalped'], 'unpanel': ['unpanel', 'unpenal'], 'unparceled': ['unparceled', 'unreplaced'], 'unparched': ['underchap', 'unparched'], 'unpared': ['undrape', 'unpared', 'unraped'], 'unparsed': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unparted': ['depurant', 'unparted'], 'unpartial': ['tarpaulin', 'unpartial'], 'unpenal': ['unpanel', 'unpenal'], 'unpenetrable': ['unpenetrable', 'unrepentable'], 'unpent': ['punnet', 'unpent'], 'unperch': ['puncher', 'unperch'], 'unpercolated': ['counterpaled', 'counterplead', 'unpercolated'], 'unpermissible': ['unimpressible', 'unpermissible'], 'unpermissive': ['unimpressive', 'unpermissive'], 'unperuked': ['underpuke', 'unperuked'], 'unpervaded': ['undepraved', 'unpervaded'], 'unpetal': ['plutean', 'unpetal', 'unpleat'], 'unpharasaic': ['parasuchian', 'unpharasaic'], 'unphased': ['unhasped', 'unphased', 'unshaped'], 'unphrased': ['unphrased', 'unsharped'], 'unpickled': ['dunpickle', 'unpickled'], 'unpierced': ['preinduce', 'unpierced'], 'unpile': ['lupine', 'unpile', 'upline'], 'unpiled': ['unpiled', 'unplied'], 'unplace': ['cleanup', 'unplace'], 'unplain': ['pinnula', 'unplain'], 'unplait': ['nuptial', 'unplait'], 'unplanted': ['pendulant', 'unplanted'], 'unplat': ['puntal', 'unplat'], 'unpleased': ['unelapsed', 'unpleased'], 'unpleat': ['plutean', 'unpetal', 'unpleat'], 'unpleated': ['pendulate', 'unpleated'], 'unplied': ['unpiled', 'unplied'], 'unplug': ['ungulp', 'unplug'], 'unplumed': ['pendulum', 'unlumped', 'unplumed'], 'unpoled': ['duplone', 'unpoled'], 'unpolished': ['disulphone', 'unpolished'], 'unpolitic': ['punctilio', 'unpolitic'], 'unpooled': ['unlooped', 'unpooled'], 'unposted': ['outspend', 'unposted'], 'unpot': ['punto', 'unpot', 'untop'], 'unprayed': ['underpay', 'unprayed'], 'unprelatic': ['periculant', 'unprelatic'], 'unpressed': ['resuspend', 'suspender', 'unpressed'], 'unpricked': ['underpick', 'unpricked'], 'unprint': ['turnpin', 'unprint'], 'unprosaic': ['inocarpus', 'unprosaic'], 'unproselyted': ['pseudelytron', 'unproselyted'], 'unproud': ['roundup', 'unproud'], 'unpursued': ['unpursued', 'unusurped'], 'unpursuing': ['unpursuing', 'unusurping'], 'unquietable': ['unequitable', 'unquietable'], 'unrabbeted': ['beturbaned', 'unrabbeted'], 'unraced': ['durance', 'redunca', 'unraced'], 'unraided': ['underaid', 'unraided'], 'unraised': ['denarius', 'desaurin', 'unraised'], 'unram': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unranked': ['undarken', 'unranked'], 'unraped': ['undrape', 'unpared', 'unraped'], 'unrasped': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unrated': ['daunter', 'unarted', 'unrated', 'untread'], 'unravel': ['unravel', 'venular'], 'unray': ['anury', 'unary', 'unray'], 'unrayed': ['unrayed', 'unready'], 'unreactive': ['uncreative', 'unreactive'], 'unread': ['endura', 'neurad', 'undear', 'unread'], 'unready': ['unrayed', 'unready'], 'unreal': ['lunare', 'neural', 'ulnare', 'unreal'], 'unrealism': ['semilunar', 'unrealism'], 'unrealist': ['neuralist', 'ulsterian', 'unrealist'], 'unrealmed': ['denumeral', 'undermeal', 'unrealmed'], 'unrebated': ['eburnated', 'underbeat', 'unrebated'], 'unrebutted': ['unbuttered', 'unrebutted'], 'unreceived': ['undeceiver', 'unreceived'], 'unrecent': ['uncenter', 'unrecent'], 'unrecited': ['centuried', 'unrecited'], 'unrectifiable': ['uncertifiable', 'unrectifiable'], 'unrectified': ['uncertified', 'unrectified'], 'unred': ['runed', 'under', 'unred'], 'unredacted': ['underacted', 'unredacted'], 'unreduct': ['undercut', 'unreduct'], 'unreeve': ['revenue', 'unreeve'], 'unreeving': ['unreeving', 'unveering'], 'unregal': ['granule', 'unlarge', 'unregal'], 'unregard': ['grandeur', 'unregard'], 'unregarded': ['undergrade', 'unregarded'], 'unrein': ['enruin', 'neurin', 'unrein'], 'unreinstated': ['unreinstated', 'unstraitened'], 'unrelated': ['unaltered', 'unrelated'], 'unrelating': ['unaltering', 'unrelating'], 'unreleased': ['underlease', 'unreleased'], 'unrelegated': ['underlegate', 'unrelegated'], 'unremarked': ['undermaker', 'unremarked'], 'unrent': ['runnet', 'tunner', 'unrent'], 'unrented': ['unrented', 'untender'], 'unrepaid': ['unpaired', 'unrepaid'], 'unrepentable': ['unpenetrable', 'unrepentable'], 'unrepined': ['unrepined', 'unripened'], 'unrepining': ['unrepining', 'unripening'], 'unreplaced': ['unparceled', 'unreplaced'], 'unreplied': ['underpile', 'unreplied'], 'unreposed': ['underpose', 'unreposed'], 'unreputed': ['unerupted', 'unreputed'], 'unrescinded': ['undiscerned', 'unrescinded'], 'unrescued': ['unrescued', 'unsecured'], 'unreserved': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unresisted': ['unresisted', 'unsistered'], 'unresolve': ['nervulose', 'unresolve', 'vulnerose'], 'unrespect': ['unrespect', 'unscepter', 'unsceptre'], 'unrespected': ['unrespected', 'unsceptered'], 'unrested': ['sederunt', 'underset', 'undesert', 'unrested'], 'unresting': ['insurgent', 'unresting'], 'unretarded': ['undertread', 'unretarded'], 'unreticent': ['entincture', 'unreticent'], 'unretired': ['reintrude', 'unretired'], 'unrevered': ['enverdure', 'unrevered'], 'unreversed': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unreviled': ['underlive', 'unreviled'], 'unrevised': ['undiverse', 'unrevised'], 'unrevocable': ['uncoverable', 'unrevocable'], 'unribbed': ['unbribed', 'unribbed'], 'unrich': ['unrich', 'urchin'], 'unrid': ['rundi', 'unrid'], 'unridable': ['indurable', 'unbrailed', 'unridable'], 'unriddle': ['underlid', 'unriddle'], 'unride': ['diurne', 'inured', 'ruined', 'unride'], 'unridged': ['underdig', 'ungirded', 'unridged'], 'unrig': ['irgun', 'ruing', 'unrig'], 'unright': ['hurting', 'ungirth', 'unright'], 'unrighted': ['ungirthed', 'unrighted'], 'unring': ['unring', 'urning'], 'unringed': ['enduring', 'unringed'], 'unripe': ['purine', 'unripe', 'uprein'], 'unripely': ['pyruline', 'unripely'], 'unripened': ['unrepined', 'unripened'], 'unripening': ['unrepining', 'unripening'], 'unroaded': ['unadored', 'unroaded'], 'unrobed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unrocked': ['uncorked', 'unrocked'], 'unroot': ['notour', 'unroot'], 'unroped': ['pounder', 'repound', 'unroped'], 'unrosed': ['resound', 'sounder', 'unrosed'], 'unrostrated': ['tetrandrous', 'unrostrated'], 'unrotated': ['rotundate', 'unrotated'], 'unroted': ['tendour', 'unroted'], 'unroused': ['unroused', 'unsoured'], 'unrouted': ['unrouted', 'untoured'], 'unrowed': ['rewound', 'unrowed', 'wounder'], 'unroweled': ['unlowered', 'unroweled'], 'unroyalist': ['unroyalist', 'unsolitary'], 'unruined': ['uninured', 'unruined'], 'unruled': ['unlured', 'unruled'], 'unrun': ['unrun', 'unurn'], 'unruth': ['unhurt', 'unruth'], 'unsack': ['uncask', 'unsack'], 'unsacked': ['uncasked', 'unsacked'], 'unsacred': ['unsacred', 'unscared'], 'unsad': ['sudan', 'unsad'], 'unsadden': ['unsadden', 'unsanded'], 'unsage': ['gnaeus', 'unsage'], 'unsaid': ['sudani', 'unsaid'], 'unsailed': ['unaisled', 'unsailed'], 'unsaint': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsainted': ['unsainted', 'unstained'], 'unsalt': ['sultan', 'unsalt'], 'unsalted': ['unsalted', 'unslated', 'unstaled'], 'unsanded': ['unsadden', 'unsanded'], 'unsardonic': ['andronicus', 'unsardonic'], 'unsashed': ['sunshade', 'unsashed'], 'unsatable': ['sublanate', 'unsatable'], 'unsatiable': ['balaustine', 'unsatiable'], 'unsatin': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsauced': ['uncaused', 'unsauced'], 'unscale': ['censual', 'unscale'], 'unscalloped': ['uncollapsed', 'unscalloped'], 'unscaly': ['ancylus', 'unscaly'], 'unscared': ['unsacred', 'unscared'], 'unscepter': ['unrespect', 'unscepter', 'unsceptre'], 'unsceptered': ['unrespected', 'unsceptered'], 'unsceptre': ['unrespect', 'unscepter', 'unsceptre'], 'unscoured': ['uncoursed', 'unscoured'], 'unseal': ['elanus', 'unseal'], 'unsealable': ['unleasable', 'unsealable'], 'unsealed': ['unleased', 'unsealed'], 'unseared': ['undersea', 'unerased', 'unseared'], 'unseat': ['nasute', 'nauset', 'unseat'], 'unseated': ['unseated', 'unsedate', 'unteased'], 'unsecured': ['unrescued', 'unsecured'], 'unsedate': ['unseated', 'unsedate', 'unteased'], 'unsee': ['ensue', 'seenu', 'unsee'], 'unseethed': ['unseethed', 'unsheeted'], 'unseizable': ['unseizable', 'unsizeable'], 'unselect': ['esculent', 'unselect'], 'unsensed': ['nudeness', 'unsensed'], 'unsensitive': ['unitiveness', 'unsensitive'], 'unsent': ['unnest', 'unsent'], 'unsepulcher': ['unsepulcher', 'unsepulchre'], 'unsepulchre': ['unsepulcher', 'unsepulchre'], 'unserrated': ['unarrested', 'unserrated'], 'unserved': ['unserved', 'unversed'], 'unset': ['unset', 'usent'], 'unsevered': ['undeserve', 'unsevered'], 'unsewed': ['sunweed', 'unsewed'], 'unsex': ['nexus', 'unsex'], 'unshaded': ['undashed', 'unshaded'], 'unshaled': ['unhalsed', 'unlashed', 'unshaled'], 'unshamed': ['unmashed', 'unshamed'], 'unshaped': ['unhasped', 'unphased', 'unshaped'], 'unsharing': ['ungarnish', 'unsharing'], 'unsharped': ['unphrased', 'unsharped'], 'unsharpened': ['undershapen', 'unsharpened'], 'unsheared': ['unhearsed', 'unsheared'], 'unsheet': ['enthuse', 'unsheet'], 'unsheeted': ['unseethed', 'unsheeted'], 'unship': ['inpush', 'punish', 'unship'], 'unshipment': ['punishment', 'unshipment'], 'unshoe': ['unhose', 'unshoe'], 'unshoed': ['unhosed', 'unshoed'], 'unshore': ['unhorse', 'unshore'], 'unshored': ['enshroud', 'unshored'], 'unshortened': ['underhonest', 'unshortened'], 'unsicker': ['cruisken', 'unsicker'], 'unsickled': ['klendusic', 'unsickled'], 'unsight': ['gutnish', 'husting', 'unsight'], 'unsignable': ['unsignable', 'unsingable'], 'unsigned': ['undesign', 'unsigned', 'unsinged'], 'unsigneted': ['uningested', 'unsigneted'], 'unsilenced': ['unlicensed', 'unsilenced'], 'unsimple': ['splenium', 'unsimple'], 'unsin': ['sunni', 'unsin'], 'unsingable': ['unsignable', 'unsingable'], 'unsinged': ['undesign', 'unsigned', 'unsinged'], 'unsistered': ['unresisted', 'unsistered'], 'unsizeable': ['unseizable', 'unsizeable'], 'unskin': ['insunk', 'unskin'], 'unslate': ['sultane', 'unslate'], 'unslated': ['unsalted', 'unslated', 'unstaled'], 'unslating': ['unlasting', 'unslating'], 'unslept': ['unslept', 'unspelt'], 'unslighted': ['sunlighted', 'unslighted'], 'unslit': ['insult', 'sunlit', 'unlist', 'unslit'], 'unslot': ['unlost', 'unslot'], 'unsmeared': ['underseam', 'unsmeared'], 'unsmiled': ['muslined', 'unmisled', 'unsmiled'], 'unsnap': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unsnatch': ['unsnatch', 'unstanch'], 'unsnow': ['unsnow', 'unsown'], 'unsocial': ['sualocin', 'unsocial'], 'unsoil': ['insoul', 'linous', 'nilous', 'unsoil'], 'unsoiled': ['delusion', 'unsoiled'], 'unsoldier': ['undersoil', 'unsoldier'], 'unsole': ['ensoul', 'olenus', 'unsole'], 'unsolitary': ['unroyalist', 'unsolitary'], 'unsomber': ['unsomber', 'unsombre'], 'unsombre': ['unsomber', 'unsombre'], 'unsome': ['nomeus', 'unsome'], 'unsore': ['souren', 'unsore', 'ursone'], 'unsort': ['tornus', 'unsort'], 'unsortable': ['neuroblast', 'unsortable'], 'unsorted': ['tonsured', 'unsorted', 'unstored'], 'unsoured': ['unroused', 'unsoured'], 'unsown': ['unsnow', 'unsown'], 'unspan': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unspar': ['surnap', 'unspar'], 'unspared': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unsparred': ['underspar', 'unsparred'], 'unspecterlike': ['unspecterlike', 'unspectrelike'], 'unspectrelike': ['unspecterlike', 'unspectrelike'], 'unsped': ['unsped', 'upsend'], 'unspelt': ['unslept', 'unspelt'], 'unsphering': ['gunnership', 'unsphering'], 'unspiable': ['subalpine', 'unspiable'], 'unspike': ['spunkie', 'unspike'], 'unspit': ['ptinus', 'unspit'], 'unspoil': ['pulsion', 'unspoil', 'upsilon'], 'unspot': ['pontus', 'unspot', 'unstop'], 'unspread': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unstabled': ['dunstable', 'unblasted', 'unstabled'], 'unstain': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unstained': ['unsainted', 'unstained'], 'unstaled': ['unsalted', 'unslated', 'unstaled'], 'unstanch': ['unsnatch', 'unstanch'], 'unstar': ['saturn', 'unstar'], 'unstatable': ['unstatable', 'untastable'], 'unstate': ['tetanus', 'unstate', 'untaste'], 'unstateable': ['unstateable', 'untasteable'], 'unstated': ['unstated', 'untasted'], 'unstating': ['unstating', 'untasting'], 'unstayed': ['unstayed', 'unsteady'], 'unsteady': ['unstayed', 'unsteady'], 'unstercorated': ['countertrades', 'unstercorated'], 'unstern': ['stunner', 'unstern'], 'unstocked': ['duckstone', 'unstocked'], 'unstoic': ['cotinus', 'suction', 'unstoic'], 'unstoical': ['suctional', 'sulcation', 'unstoical'], 'unstop': ['pontus', 'unspot', 'unstop'], 'unstopple': ['pulpstone', 'unstopple'], 'unstore': ['snouter', 'tonsure', 'unstore'], 'unstored': ['tonsured', 'unsorted', 'unstored'], 'unstoried': ['detrusion', 'tinderous', 'unstoried'], 'unstormed': ['undermost', 'unstormed'], 'unstrain': ['insurant', 'unstrain'], 'unstrained': ['understain', 'unstrained'], 'unstraitened': ['unreinstated', 'unstraitened'], 'unstranded': ['understand', 'unstranded'], 'unstrewed': ['unstrewed', 'unwrested'], 'unsucculent': ['centunculus', 'unsucculent'], 'unsued': ['unsued', 'unused'], 'unsusceptible': ['unsusceptible', 'unsuspectible'], 'unsusceptive': ['unsusceptive', 'unsuspective'], 'unsuspectible': ['unsusceptible', 'unsuspectible'], 'unsuspective': ['unsusceptive', 'unsuspective'], 'untactful': ['fluctuant', 'untactful'], 'untailed': ['nidulate', 'untailed'], 'untame': ['unmate', 'untame', 'unteam'], 'untamed': ['unmated', 'untamed'], 'untanned': ['nunnated', 'untanned'], 'untap': ['punta', 'unapt', 'untap'], 'untar': ['arnut', 'tuarn', 'untar'], 'untastable': ['unstatable', 'untastable'], 'untaste': ['tetanus', 'unstate', 'untaste'], 'untasteable': ['unstateable', 'untasteable'], 'untasted': ['unstated', 'untasted'], 'untasting': ['unstating', 'untasting'], 'untaught': ['taungthu', 'untaught'], 'untaunted': ['unattuned', 'untaunted'], 'unteach': ['uncheat', 'unteach'], 'unteaching': ['uncheating', 'unteaching'], 'unteam': ['unmate', 'untame', 'unteam'], 'unteamed': ['unmeated', 'unteamed'], 'unteased': ['unseated', 'unsedate', 'unteased'], 'unteem': ['unmeet', 'unteem'], 'untemper': ['erumpent', 'untemper'], 'untender': ['unrented', 'untender'], 'untented': ['unnetted', 'untented'], 'unthatch': ['nuthatch', 'unthatch'], 'unthick': ['kutchin', 'unthick'], 'unthrall': ['turnhall', 'unthrall'], 'untiaraed': ['diuranate', 'untiaraed'], 'untidy': ['nudity', 'untidy'], 'untie': ['intue', 'unite', 'untie'], 'untied': ['dunite', 'united', 'untied'], 'until': ['unlit', 'until'], 'untile': ['lutein', 'untile'], 'untiled': ['diluent', 'untiled'], 'untilted': ['dilutent', 'untilted', 'untitled'], 'untimely': ['minutely', 'untimely'], 'untin': ['nintu', 'ninut', 'untin'], 'untine': ['ineunt', 'untine'], 'untinseled': ['unenlisted', 'unlistened', 'untinseled'], 'untirable': ['untirable', 'untriable'], 'untire': ['runite', 'triune', 'uniter', 'untire'], 'untired': ['intrude', 'turdine', 'untired', 'untried'], 'untithable': ['unhittable', 'untithable'], 'untitled': ['dilutent', 'untilted', 'untitled'], 'unto': ['tuno', 'unto'], 'untoiled': ['outlined', 'untoiled'], 'untoned': ['unnoted', 'untoned'], 'untooled': ['unlooted', 'untooled'], 'untop': ['punto', 'unpot', 'untop'], 'untorn': ['tunnor', 'untorn'], 'untortured': ['undertutor', 'untortured'], 'untotalled': ['unallotted', 'untotalled'], 'untouch': ['uncouth', 'untouch'], 'untoured': ['unrouted', 'untoured'], 'untrace': ['centaur', 'untrace'], 'untraceable': ['uncreatable', 'untraceable'], 'untraceableness': ['uncreatableness', 'untraceableness'], 'untraced': ['uncarted', 'uncrated', 'underact', 'untraced'], 'untraceried': ['antireducer', 'reincrudate', 'untraceried'], 'untradeable': ['untradeable', 'untreadable'], 'untrain': ['antirun', 'untrain', 'urinant'], 'untread': ['daunter', 'unarted', 'unrated', 'untread'], 'untreadable': ['untradeable', 'untreadable'], 'untreatable': ['entablature', 'untreatable'], 'untreed': ['denture', 'untreed'], 'untriable': ['untirable', 'untriable'], 'untribal': ['tribunal', 'turbinal', 'untribal'], 'untriced': ['undirect', 'untriced'], 'untried': ['intrude', 'turdine', 'untired', 'untried'], 'untrig': ['ungirt', 'untrig'], 'untrod': ['rotund', 'untrod'], 'untropical': ['ponticular', 'untropical'], 'untroubled': ['outblunder', 'untroubled'], 'untrowed': ['undertow', 'untrowed'], 'untruss': ['sturnus', 'untruss'], 'untutored': ['outturned', 'untutored'], 'unurn': ['unrun', 'unurn'], 'unused': ['unsued', 'unused'], 'unusurped': ['unpursued', 'unusurped'], 'unusurping': ['unpursuing', 'unusurping'], 'unvailable': ['invaluable', 'unvailable'], 'unveering': ['unreeving', 'unveering'], 'unveil': ['unevil', 'unlive', 'unveil'], 'unveiled': ['unlevied', 'unveiled'], 'unveined': ['unenvied', 'unveined'], 'unvenerated': ['unenervated', 'unvenerated'], 'unveniable': ['unenviable', 'unveniable'], 'unveritable': ['unavertible', 'unveritable'], 'unversed': ['unserved', 'unversed'], 'unvessel': ['unvessel', 'usselven'], 'unvest': ['unvest', 'venust'], 'unvomited': ['unmotived', 'unvomited'], 'unwagered': ['underwage', 'unwagered'], 'unwan': ['unwan', 'wunna'], 'unware': ['unware', 'wauner'], 'unwarp': ['unwarp', 'unwrap'], 'unwary': ['runway', 'unwary'], 'unwavered': ['underwave', 'unwavered'], 'unwept': ['unwept', 'upwent'], 'unwon': ['unown', 'unwon'], 'unwrap': ['unwarp', 'unwrap'], 'unwrested': ['unstrewed', 'unwrested'], 'unwronged': ['undergown', 'unwronged'], 'unyoung': ['unyoung', 'youngun'], 'unze': ['unze', 'zenu'], 'up': ['pu', 'up'], 'uparching': ['ungraphic', 'uparching'], 'uparise': ['spuriae', 'uparise', 'upraise'], 'uparna': ['purana', 'uparna'], 'upas': ['apus', 'supa', 'upas'], 'upblast': ['subplat', 'upblast'], 'upblow': ['blowup', 'upblow'], 'upbreak': ['breakup', 'upbreak'], 'upbuild': ['buildup', 'upbuild'], 'upcast': ['catsup', 'upcast'], 'upcatch': ['catchup', 'upcatch'], 'upclimb': ['plumbic', 'upclimb'], 'upclose': ['culpose', 'ploceus', 'upclose'], 'upcock': ['cockup', 'upcock'], 'upcoil': ['oilcup', 'upcoil'], 'upcourse': ['cupreous', 'upcourse'], 'upcover': ['overcup', 'upcover'], 'upcreep': ['prepuce', 'upcreep'], 'upcurrent': ['puncturer', 'upcurrent'], 'upcut': ['cutup', 'upcut'], 'updo': ['doup', 'updo'], 'updraw': ['updraw', 'upward'], 'updry': ['prudy', 'purdy', 'updry'], 'upeat': ['taupe', 'upeat'], 'upflare': ['rapeful', 'upflare'], 'upflower': ['powerful', 'upflower'], 'upgale': ['plague', 'upgale'], 'upget': ['getup', 'upget'], 'upgirt': ['ripgut', 'upgirt'], 'upgo': ['goup', 'ogpu', 'upgo'], 'upgrade': ['guepard', 'upgrade'], 'uphelm': ['phleum', 'uphelm'], 'uphold': ['holdup', 'uphold'], 'upholder': ['reuphold', 'upholder'], 'upholsterer': ['reupholster', 'upholsterer'], 'upla': ['paul', 'upla'], 'upland': ['dunlap', 'upland'], 'uplander': ['pendular', 'underlap', 'uplander'], 'uplane': ['unpale', 'uplane'], 'upleap': ['papule', 'upleap'], 'uplift': ['tipful', 'uplift'], 'uplifter': ['reuplift', 'uplifter'], 'upline': ['lupine', 'unpile', 'upline'], 'uplock': ['lockup', 'uplock'], 'upon': ['noup', 'puno', 'upon'], 'uppers': ['supper', 'uppers'], 'uppish': ['hippus', 'uppish'], 'upraise': ['spuriae', 'uparise', 'upraise'], 'uprear': ['parure', 'uprear'], 'uprein': ['purine', 'unripe', 'uprein'], 'uprip': ['ripup', 'uprip'], 'uprisal': ['parulis', 'spirula', 'uprisal'], 'uprisement': ['episternum', 'uprisement'], 'upriser': ['siruper', 'upriser'], 'uprist': ['purist', 'spruit', 'uprist', 'upstir'], 'uproad': ['podura', 'uproad'], 'uproom': ['moorup', 'uproom'], 'uprose': ['poseur', 'pouser', 'souper', 'uprose'], 'upscale': ['capsule', 'specula', 'upscale'], 'upseal': ['apulse', 'upseal'], 'upsend': ['unsped', 'upsend'], 'upset': ['setup', 'stupe', 'upset'], 'upsettable': ['subpeltate', 'upsettable'], 'upsetter': ['upsetter', 'upstreet'], 'upshore': ['ephorus', 'orpheus', 'upshore'], 'upshot': ['tophus', 'upshot'], 'upshut': ['pushtu', 'upshut'], 'upsilon': ['pulsion', 'unspoil', 'upsilon'], 'upsit': ['puist', 'upsit'], 'upslant': ['pulsant', 'upslant'], 'upsmite': ['impetus', 'upsmite'], 'upsoar': ['parous', 'upsoar'], 'upstair': ['tapirus', 'upstair'], 'upstand': ['dustpan', 'upstand'], 'upstare': ['pasteur', 'pasture', 'upstare'], 'upstater': ['stuprate', 'upstater'], 'upsteal': ['pulsate', 'spatule', 'upsteal'], 'upstem': ['septum', 'upstem'], 'upstir': ['purist', 'spruit', 'uprist', 'upstir'], 'upstraight': ['straightup', 'upstraight'], 'upstreet': ['upsetter', 'upstreet'], 'upstrive': ['spurtive', 'upstrive'], 'upsun': ['sunup', 'upsun'], 'upsway': ['upsway', 'upways'], 'uptake': ['ketupa', 'uptake'], 'uptend': ['pudent', 'uptend'], 'uptilt': ['tiltup', 'uptilt'], 'uptoss': ['tossup', 'uptoss'], 'uptrace': ['capture', 'uptrace'], 'uptrain': ['pintura', 'puritan', 'uptrain'], 'uptree': ['repute', 'uptree'], 'uptrend': ['prudent', 'prunted', 'uptrend'], 'upturn': ['turnup', 'upturn'], 'upward': ['updraw', 'upward'], 'upwarp': ['upwarp', 'upwrap'], 'upways': ['upsway', 'upways'], 'upwent': ['unwept', 'upwent'], 'upwind': ['upwind', 'windup'], 'upwrap': ['upwarp', 'upwrap'], 'ura': ['aru', 'rua', 'ura'], 'uracil': ['curial', 'lauric', 'uracil', 'uralic'], 'uraemic': ['maurice', 'uraemic'], 'uraeus': ['aureus', 'uraeus'], 'ural': ['alur', 'laur', 'lura', 'raul', 'ural'], 'urali': ['rauli', 'urali', 'urial'], 'uralian': ['lunaria', 'ulnaria', 'uralian'], 'uralic': ['curial', 'lauric', 'uracil', 'uralic'], 'uralite': ['laurite', 'uralite'], 'uralitize': ['ritualize', 'uralitize'], 'uramido': ['doarium', 'uramido'], 'uramil': ['rimula', 'uramil'], 'uramino': ['mainour', 'uramino'], 'uran': ['raun', 'uran', 'urna'], 'uranate': ['taurean', 'uranate'], 'urania': ['anuria', 'urania'], 'uranic': ['anuric', 'cinura', 'uranic'], 'uranine': ['aneurin', 'uranine'], 'uranism': ['surinam', 'uranism'], 'uranite': ['ruinate', 'taurine', 'uranite', 'urinate'], 'uranographist': ['guarantorship', 'uranographist'], 'uranolite': ['outlinear', 'uranolite'], 'uranoscope': ['oenocarpus', 'uranoscope'], 'uranospinite': ['resupination', 'uranospinite'], 'uranotil': ['rotulian', 'uranotil'], 'uranous': ['anurous', 'uranous'], 'uranyl': ['lunary', 'uranyl'], 'uranylic': ['culinary', 'uranylic'], 'urari': ['aurir', 'urari'], 'urase': ['serau', 'urase'], 'uratic': ['tauric', 'uratic', 'urtica'], 'urazine': ['azurine', 'urazine'], 'urban': ['buran', 'unbar', 'urban'], 'urbane': ['eburna', 'unbare', 'unbear', 'urbane'], 'urbanite': ['braunite', 'urbanite', 'urbinate'], 'urbian': ['burian', 'urbian'], 'urbification': ['rubification', 'urbification'], 'urbify': ['rubify', 'urbify'], 'urbinate': ['braunite', 'urbanite', 'urbinate'], 'urceiform': ['eruciform', 'urceiform'], 'urceole': ['urceole', 'urocele'], 'urceolina': ['aleuronic', 'urceolina'], 'urceolus': ['ulcerous', 'urceolus'], 'urchin': ['unrich', 'urchin'], 'urd': ['rud', 'urd'], 'urde': ['duer', 'dure', 'rude', 'urde'], 'urdee': ['redue', 'urdee'], 'ure': ['rue', 'ure'], 'ureal': ['alure', 'ureal'], 'uredine': ['reindue', 'uredine'], 'ureic': ['curie', 'ureic'], 'uremia': ['aumrie', 'uremia'], 'uremic': ['cerium', 'uremic'], 'urena': ['urena', 'urnae'], 'urent': ['enrut', 'tuner', 'urent'], 'uresis': ['issuer', 'uresis'], 'uretal': ['tulare', 'uretal'], 'ureter': ['retrue', 'ureter'], 'ureteropyelogram': ['pyeloureterogram', 'ureteropyelogram'], 'urethan': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'urethrascope': ['heterocarpus', 'urethrascope'], 'urethrocystitis': ['cystourethritis', 'urethrocystitis'], 'urethylan': ['unearthly', 'urethylan'], 'uretic': ['curite', 'teucri', 'uretic'], 'urf': ['fur', 'urf'], 'urge': ['grue', 'urge'], 'urgent': ['gunter', 'gurnet', 'urgent'], 'urger': ['regur', 'urger'], 'uria': ['arui', 'uria'], 'uriah': ['huari', 'uriah'], 'urial': ['rauli', 'urali', 'urial'], 'urian': ['aurin', 'urian'], 'uric': ['cuir', 'uric'], 'urinal': ['laurin', 'urinal'], 'urinant': ['antirun', 'untrain', 'urinant'], 'urinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'urination': ['ruination', 'urination'], 'urinator': ['ruinator', 'urinator'], 'urine': ['inure', 'urine'], 'urinogenitary': ['genitourinary', 'urinogenitary'], 'urinous': ['ruinous', 'urinous'], 'urinousness': ['ruinousness', 'urinousness'], 'urite': ['urite', 'uteri'], 'urlar': ['rural', 'urlar'], 'urled': ['duler', 'urled'], 'urling': ['ruling', 'urling'], 'urman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'urn': ['run', 'urn'], 'urna': ['raun', 'uran', 'urna'], 'urnae': ['urena', 'urnae'], 'urnal': ['lunar', 'ulnar', 'urnal'], 'urnful': ['unfurl', 'urnful'], 'urning': ['unring', 'urning'], 'uro': ['our', 'uro'], 'urocele': ['urceole', 'urocele'], 'urodela': ['roulade', 'urodela'], 'urodelan': ['unloader', 'urodelan'], 'urogaster': ['surrogate', 'urogaster'], 'urogenital': ['regulation', 'urogenital'], 'uroglena': ['lagunero', 'organule', 'uroglena'], 'urolithic': ['ulotrichi', 'urolithic'], 'urometer': ['outremer', 'urometer'], 'uronic': ['cuorin', 'uronic'], 'uropsile': ['perilous', 'uropsile'], 'uroseptic': ['crepitous', 'euproctis', 'uroseptic'], 'urosomatic': ['mortacious', 'urosomatic'], 'urosteon': ['outsnore', 'urosteon'], 'urosternite': ['tenuiroster', 'urosternite'], 'urosthenic': ['cetorhinus', 'urosthenic'], 'urostyle': ['elytrous', 'urostyle'], 'urs': ['rus', 'sur', 'urs'], 'ursa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ursal': ['larus', 'sural', 'ursal'], 'ursidae': ['residua', 'ursidae'], 'ursine': ['insure', 'rusine', 'ursine'], 'ursone': ['souren', 'unsore', 'ursone'], 'ursuk': ['kurus', 'ursuk'], 'ursula': ['laurus', 'ursula'], 'urtica': ['tauric', 'uratic', 'urtica'], 'urticales': ['sterculia', 'urticales'], 'urticant': ['taciturn', 'urticant'], 'urticose': ['citreous', 'urticose'], 'usability': ['suability', 'usability'], 'usable': ['suable', 'usable'], 'usager': ['sauger', 'usager'], 'usance': ['uncase', 'usance'], 'usar': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'usara': ['arusa', 'saura', 'usara'], 'use': ['sue', 'use'], 'usent': ['unset', 'usent'], 'user': ['ruse', 'suer', 'sure', 'user'], 'ush': ['shu', 'ush'], 'ushabti': ['habitus', 'ushabti'], 'ushak': ['kusha', 'shaku', 'ushak'], 'usher': ['shure', 'usher'], 'usitate': ['situate', 'usitate'], 'usnic': ['incus', 'usnic'], 'usque': ['equus', 'usque'], 'usselven': ['unvessel', 'usselven'], 'ust': ['stu', 'ust'], 'uster': ['serut', 'strue', 'turse', 'uster'], 'ustion': ['outsin', 'ustion'], 'ustorious': ['sutorious', 'ustorious'], 'ustulina': ['lutianus', 'nautilus', 'ustulina'], 'usucaption': ['uncaptious', 'usucaption'], 'usure': ['eurus', 'usure'], 'usurper': ['pursuer', 'usurper'], 'ut': ['tu', 'ut'], 'uta': ['tau', 'tua', 'uta'], 'utas': ['saut', 'tasu', 'utas'], 'utch': ['chut', 'tchu', 'utch'], 'ute': ['tue', 'ute'], 'uteri': ['urite', 'uteri'], 'uterine': ['neurite', 'retinue', 'reunite', 'uterine'], 'uterocervical': ['overcirculate', 'uterocervical'], 'uterus': ['suture', 'uterus'], 'utile': ['luite', 'utile'], 'utilizable': ['latibulize', 'utilizable'], 'utopian': ['opuntia', 'utopian'], 'utopism': ['positum', 'utopism'], 'utopist': ['outspit', 'utopist'], 'utricular': ['turricula', 'utricular'], 'utriculosaccular': ['sacculoutricular', 'utriculosaccular'], 'utrum': ['murut', 'utrum'], 'utterer': ['reutter', 'utterer'], 'uva': ['uva', 'vau'], 'uval': ['ulva', 'uval'], 'uveal': ['uveal', 'value'], 'uviol': ['uviol', 'vouli'], 'vacate': ['cavate', 'caveat', 'vacate'], 'vacation': ['octavian', 'octavina', 'vacation'], 'vacationer': ['acervation', 'vacationer'], 'vaccinal': ['clavacin', 'vaccinal'], 'vacillate': ['laticlave', 'vacillate'], 'vacillation': ['cavillation', 'vacillation'], 'vacuolate': ['autoclave', 'vacuolate'], 'vade': ['dave', 'deva', 'vade', 'veda'], 'vady': ['davy', 'vady'], 'vage': ['gave', 'vage', 'vega'], 'vagile': ['glaive', 'vagile'], 'vaginant': ['navigant', 'vaginant'], 'vaginate': ['navigate', 'vaginate'], 'vaginoabdominal': ['abdominovaginal', 'vaginoabdominal'], 'vaginoperineal': ['perineovaginal', 'vaginoperineal'], 'vaginovesical': ['vaginovesical', 'vesicovaginal'], 'vaguity': ['gavyuti', 'vaguity'], 'vai': ['iva', 'vai', 'via'], 'vail': ['vail', 'vali', 'vial', 'vila'], 'vain': ['ivan', 'vain', 'vina'], 'vair': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'vakass': ['kavass', 'vakass'], 'vale': ['lave', 'vale', 'veal', 'vela'], 'valence': ['enclave', 'levance', 'valence'], 'valencia': ['valencia', 'valiance'], 'valent': ['levant', 'valent'], 'valentine': ['levantine', 'valentine'], 'valeria': ['reavail', 'valeria'], 'valeriana': ['laverania', 'valeriana'], 'valeric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'valerie': ['realive', 'valerie'], 'valerin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'valerone': ['overlean', 'valerone'], 'valeryl': ['ravelly', 'valeryl'], 'valeur': ['valeur', 'valuer'], 'vali': ['vail', 'vali', 'vial', 'vila'], 'valiance': ['valencia', 'valiance'], 'valiant': ['latvian', 'valiant'], 'valine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vallar': ['larval', 'vallar'], 'vallidom': ['vallidom', 'villadom'], 'vallota': ['lavolta', 'vallota'], 'valonia': ['novalia', 'valonia'], 'valor': ['valor', 'volar'], 'valsa': ['salva', 'valsa', 'vasal'], 'valse': ['salve', 'selva', 'slave', 'valse'], 'value': ['uveal', 'value'], 'valuer': ['valeur', 'valuer'], 'vamper': ['revamp', 'vamper'], 'vane': ['evan', 'nave', 'vane'], 'vaned': ['daven', 'vaned'], 'vangee': ['avenge', 'geneva', 'vangee'], 'vangeli': ['leaving', 'vangeli'], 'vanir': ['invar', 'ravin', 'vanir'], 'vanisher': ['enravish', 'ravenish', 'vanisher'], 'vansire': ['servian', 'vansire'], 'vapid': ['pavid', 'vapid'], 'vapidity': ['pavidity', 'vapidity'], 'vaporarium': ['parovarium', 'vaporarium'], 'vara': ['avar', 'vara'], 'varan': ['navar', 'varan', 'varna'], 'vare': ['aver', 'rave', 'vare', 'vera'], 'varec': ['carve', 'crave', 'varec'], 'vari': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'variate': ['variate', 'vateria'], 'varices': ['varices', 'viscera'], 'varicula': ['avicular', 'varicula'], 'variegator': ['arrogative', 'variegator'], 'varier': ['arrive', 'varier'], 'varietal': ['lievaart', 'varietal'], 'variola': ['ovarial', 'variola'], 'various': ['saviour', 'various'], 'varlet': ['travel', 'varlet'], 'varletry': ['varletry', 'veratryl'], 'varna': ['navar', 'varan', 'varna'], 'varnish': ['shirvan', 'varnish'], 'varnisher': ['revarnish', 'varnisher'], 'varsha': ['avshar', 'varsha'], 'vasal': ['salva', 'valsa', 'vasal'], 'vase': ['aves', 'save', 'vase'], 'vasoepididymostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'vat': ['tav', 'vat'], 'vateria': ['variate', 'vateria'], 'vaticide': ['cavitied', 'vaticide'], 'vaticinate': ['inactivate', 'vaticinate'], 'vaticination': ['inactivation', 'vaticination'], 'vatter': ['tavert', 'vatter'], 'vau': ['uva', 'vau'], 'vaudois': ['avidous', 'vaudois'], 'veal': ['lave', 'vale', 'veal', 'vela'], 'vealer': ['laveer', 'leaver', 'reveal', 'vealer'], 'vealiness': ['aliveness', 'vealiness'], 'vealy': ['leavy', 'vealy'], 'vector': ['covert', 'vector'], 'veda': ['dave', 'deva', 'vade', 'veda'], 'vedaic': ['advice', 'vedaic'], 'vedaism': ['adevism', 'vedaism'], 'vedana': ['nevada', 'vedana', 'venada'], 'vedanta': ['vedanta', 'vetanda'], 'vedantism': ['adventism', 'vedantism'], 'vedantist': ['adventist', 'vedantist'], 'vedist': ['divest', 'vedist'], 'vedro': ['dover', 'drove', 'vedro'], 'vee': ['eve', 'vee'], 'veen': ['even', 'neve', 'veen'], 'veer': ['ever', 'reve', 'veer'], 'veery': ['every', 'veery'], 'vega': ['gave', 'vage', 'vega'], 'vegasite': ['estivage', 'vegasite'], 'vegetarian': ['renavigate', 'vegetarian'], 'vei': ['vei', 'vie'], 'veil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'veiler': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'veiltail': ['illative', 'veiltail'], 'vein': ['vein', 'vine'], 'veinal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'veined': ['endive', 'envied', 'veined'], 'veiner': ['enrive', 'envier', 'veiner', 'verine'], 'veinless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'veinlet': ['veinlet', 'vinelet'], 'veinous': ['envious', 'niveous', 'veinous'], 'veinstone': ['veinstone', 'vonsenite'], 'veinwise': ['veinwise', 'vinewise'], 'vela': ['lave', 'vale', 'veal', 'vela'], 'velar': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'velaric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'velation': ['olivetan', 'velation'], 'velic': ['clive', 'velic'], 'veliform': ['overfilm', 'veliform'], 'velitation': ['levitation', 'tonalitive', 'velitation'], 'velo': ['levo', 'love', 'velo', 'vole'], 'velte': ['elvet', 'velte'], 'venada': ['nevada', 'vedana', 'venada'], 'venal': ['elvan', 'navel', 'venal'], 'venality': ['natively', 'venality'], 'venatic': ['catvine', 'venatic'], 'venation': ['innovate', 'venation'], 'venator': ['rotanev', 'venator'], 'venatorial': ['venatorial', 'venoatrial'], 'vendace': ['devance', 'vendace'], 'vender': ['revend', 'vender'], 'veneer': ['evener', 'veneer'], 'veneerer': ['reveneer', 'veneerer'], 'veneralia': ['ravenelia', 'veneralia'], 'venerant': ['revenant', 'venerant'], 'venerate': ['enervate', 'venerate'], 'veneration': ['enervation', 'veneration'], 'venerative': ['enervative', 'venerative'], 'venerator': ['enervator', 'renovater', 'venerator'], 'venerer': ['renerve', 'venerer'], 'veneres': ['sevener', 'veneres'], 'veneti': ['veneti', 'venite'], 'venetian': ['aventine', 'venetian'], 'venial': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'venice': ['cevine', 'evince', 'venice'], 'venie': ['nieve', 'venie'], 'venite': ['veneti', 'venite'], 'venoatrial': ['venatorial', 'venoatrial'], 'venom': ['novem', 'venom'], 'venosinal': ['slovenian', 'venosinal'], 'venter': ['revent', 'venter'], 'ventrad': ['ventrad', 'verdant'], 'ventricose': ['convertise', 'ventricose'], 'ventrine': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'ventrodorsad': ['dorsoventrad', 'ventrodorsad'], 'ventrodorsal': ['dorsoventral', 'ventrodorsal'], 'ventrodorsally': ['dorsoventrally', 'ventrodorsally'], 'ventrolateral': ['lateroventral', 'ventrolateral'], 'ventromedial': ['medioventral', 'ventromedial'], 'ventromesal': ['mesoventral', 'ventromesal'], 'venular': ['unravel', 'venular'], 'venus': ['nevus', 'venus'], 'venust': ['unvest', 'venust'], 'venutian': ['unnative', 'venutian'], 'vera': ['aver', 'rave', 'vare', 'vera'], 'veraciousness': ['oversauciness', 'veraciousness'], 'veratroidine': ['rederivation', 'veratroidine'], 'veratrole': ['relevator', 'revelator', 'veratrole'], 'veratryl': ['varletry', 'veratryl'], 'verbal': ['barvel', 'blaver', 'verbal'], 'verbality': ['verbality', 'veritably'], 'verbatim': ['ambivert', 'verbatim'], 'verbena': ['enbrave', 'verbena'], 'verberate': ['verberate', 'vertebrae'], 'verbose': ['observe', 'obverse', 'verbose'], 'verbosely': ['obversely', 'verbosely'], 'verdant': ['ventrad', 'verdant'], 'verdea': ['evader', 'verdea'], 'verdelho': ['overheld', 'verdelho'], 'verdin': ['driven', 'nervid', 'verdin'], 'verditer': ['diverter', 'redivert', 'verditer'], 'vergi': ['giver', 'vergi'], 'veri': ['rive', 'veri', 'vier', 'vire'], 'veridical': ['larvicide', 'veridical'], 'veridicous': ['recidivous', 'veridicous'], 'verily': ['livery', 'verily'], 'verine': ['enrive', 'envier', 'veiner', 'verine'], 'verism': ['verism', 'vermis'], 'verist': ['stiver', 'strive', 'verist'], 'veritable': ['avertible', 'veritable'], 'veritably': ['verbality', 'veritably'], 'vermian': ['minerva', 'vermian'], 'verminal': ['minerval', 'verminal'], 'vermis': ['verism', 'vermis'], 'vernacularist': ['intervascular', 'vernacularist'], 'vernal': ['nerval', 'vernal'], 'vernation': ['nervation', 'vernation'], 'vernicose': ['coversine', 'vernicose'], 'vernine': ['innerve', 'nervine', 'vernine'], 'veronese': ['overseen', 'veronese'], 'veronica': ['corvinae', 'veronica'], 'verpa': ['paver', 'verpa'], 'verre': ['rever', 'verre'], 'verrucous': ['recurvous', 'verrucous'], 'verruga': ['gravure', 'verruga'], 'versable': ['beslaver', 'servable', 'versable'], 'versal': ['salver', 'serval', 'slaver', 'versal'], 'versant': ['servant', 'versant'], 'versate': ['evestar', 'versate'], 'versation': ['overstain', 'servation', 'versation'], 'verse': ['serve', 'sever', 'verse'], 'verser': ['revers', 'server', 'verser'], 'verset': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'versicule': ['reclusive', 'versicule'], 'versine': ['inverse', 'versine'], 'versioner': ['reversion', 'versioner'], 'versionist': ['overinsist', 'versionist'], 'verso': ['servo', 'verso'], 'versta': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'vertebrae': ['verberate', 'vertebrae'], 'vertebrocostal': ['costovertebral', 'vertebrocostal'], 'vertebrosacral': ['sacrovertebral', 'vertebrosacral'], 'vertebrosternal': ['sternovertebral', 'vertebrosternal'], 'vertiginate': ['integrative', 'vertiginate', 'vinaigrette'], 'vesicant': ['cistvaen', 'vesicant'], 'vesicoabdominal': ['abdominovesical', 'vesicoabdominal'], 'vesicocervical': ['cervicovesical', 'vesicocervical'], 'vesicointestinal': ['intestinovesical', 'vesicointestinal'], 'vesicorectal': ['rectovesical', 'vesicorectal'], 'vesicovaginal': ['vaginovesical', 'vesicovaginal'], 'vespa': ['spave', 'vespa'], 'vespertine': ['presentive', 'pretensive', 'vespertine'], 'vespine': ['pensive', 'vespine'], 'vesta': ['stave', 'vesta'], 'vestalia': ['salivate', 'vestalia'], 'vestee': ['steeve', 'vestee'], 'vester': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'vestibula': ['sublative', 'vestibula'], 'veta': ['tave', 'veta'], 'vetanda': ['vedanta', 'vetanda'], 'veteran': ['nervate', 'veteran'], 'veto': ['veto', 'voet', 'vote'], 'vetoer': ['revote', 'vetoer'], 'via': ['iva', 'vai', 'via'], 'vial': ['vail', 'vali', 'vial', 'vila'], 'vialful': ['fluavil', 'fluvial', 'vialful'], 'viand': ['divan', 'viand'], 'viander': ['invader', 'ravined', 'viander'], 'viatic': ['avitic', 'viatic'], 'viatica': ['aviatic', 'viatica'], 'vibrate': ['vibrate', 'vrbaite'], 'vicar': ['vicar', 'vraic'], 'vice': ['cive', 'vice'], 'vicegeral': ['vicegeral', 'viceregal'], 'viceregal': ['vicegeral', 'viceregal'], 'victoriate': ['recitativo', 'victoriate'], 'victrola': ['victrola', 'vortical'], 'victualer': ['lucrative', 'revictual', 'victualer'], 'vidonia': ['ovidian', 'vidonia'], 'viduinae': ['induviae', 'viduinae'], 'viduine': ['univied', 'viduine'], 'vie': ['vei', 'vie'], 'vienna': ['avenin', 'vienna'], 'vier': ['rive', 'veri', 'vier', 'vire'], 'vierling': ['reviling', 'vierling'], 'view': ['view', 'wive'], 'viewer': ['review', 'viewer'], 'vigilante': ['genitival', 'vigilante'], 'vigor': ['vigor', 'virgo'], 'vila': ['vail', 'vali', 'vial', 'vila'], 'vile': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vilehearted': ['evilhearted', 'vilehearted'], 'vilely': ['evilly', 'lively', 'vilely'], 'vileness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'villadom': ['vallidom', 'villadom'], 'villeiness': ['liveliness', 'villeiness'], 'villous': ['ovillus', 'villous'], 'vimana': ['maniva', 'vimana'], 'vina': ['ivan', 'vain', 'vina'], 'vinaigrette': ['integrative', 'vertiginate', 'vinaigrette'], 'vinaigrous': ['vinaigrous', 'viraginous'], 'vinal': ['alvin', 'anvil', 'nival', 'vinal'], 'vinalia': ['lavinia', 'vinalia'], 'vinata': ['avanti', 'vinata'], 'vinculate': ['vinculate', 'vulcanite'], 'vine': ['vein', 'vine'], 'vinea': ['avine', 'naive', 'vinea'], 'vineal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vineatic': ['antivice', 'inactive', 'vineatic'], 'vinegarist': ['gainstrive', 'vinegarist'], 'vineless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'vinelet': ['veinlet', 'vinelet'], 'viner': ['riven', 'viner'], 'vinewise': ['veinwise', 'vinewise'], 'vinosity': ['nivosity', 'vinosity'], 'vintener': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'vintneress': ['inventress', 'vintneress'], 'viola': ['oliva', 'viola'], 'violability': ['obliviality', 'violability'], 'violaceous': ['olivaceous', 'violaceous'], 'violanin': ['livonian', 'violanin'], 'violational': ['avolitional', 'violational'], 'violer': ['oliver', 'violer', 'virole'], 'violescent': ['olivescent', 'violescent'], 'violet': ['olivet', 'violet'], 'violette': ['olivette', 'violette'], 'violine': ['olivine', 'violine'], 'vipera': ['pavier', 'vipera'], 'viperess': ['pressive', 'viperess'], 'viperian': ['viperian', 'viperina'], 'viperina': ['viperian', 'viperina'], 'viperous': ['pervious', 'previous', 'viperous'], 'viperously': ['perviously', 'previously', 'viperously'], 'viperousness': ['perviousness', 'previousness', 'viperousness'], 'vira': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'viraginian': ['irvingiana', 'viraginian'], 'viraginous': ['vinaigrous', 'viraginous'], 'viral': ['rival', 'viral'], 'virales': ['revisal', 'virales'], 'vire': ['rive', 'veri', 'vier', 'vire'], 'virent': ['invert', 'virent'], 'virgate': ['virgate', 'vitrage'], 'virgin': ['irving', 'riving', 'virgin'], 'virginly': ['rivingly', 'virginly'], 'virgo': ['vigor', 'virgo'], 'virile': ['livier', 'virile'], 'virole': ['oliver', 'violer', 'virole'], 'virose': ['rivose', 'virose'], 'virtual': ['virtual', 'vitular'], 'virtuose': ['virtuose', 'vitreous'], 'virulence': ['cervuline', 'virulence'], 'visa': ['avis', 'siva', 'visa'], 'viscera': ['varices', 'viscera'], 'visceration': ['insectivora', 'visceration'], 'visceroparietal': ['parietovisceral', 'visceroparietal'], 'visceropleural': ['pleurovisceral', 'visceropleural'], 'viscometer': ['semivector', 'viscometer'], 'viscontal': ['viscontal', 'volcanist'], 'vishal': ['lavish', 'vishal'], 'visioner': ['revision', 'visioner'], 'visit': ['visit', 'vitis'], 'visitant': ['nativist', 'visitant'], 'visitee': ['evisite', 'visitee'], 'visiter': ['revisit', 'visiter'], 'visitor': ['ivorist', 'visitor'], 'vistal': ['vistal', 'vitals'], 'visto': ['ovist', 'visto'], 'vitals': ['vistal', 'vitals'], 'vitis': ['visit', 'vitis'], 'vitochemical': ['chemicovital', 'vitochemical'], 'vitrage': ['virgate', 'vitrage'], 'vitrail': ['trivial', 'vitrail'], 'vitrailist': ['trivialist', 'vitrailist'], 'vitrain': ['vitrain', 'vitrina'], 'vitrean': ['avertin', 'vitrean'], 'vitreous': ['virtuose', 'vitreous'], 'vitrina': ['vitrain', 'vitrina'], 'vitrine': ['inviter', 'vitrine'], 'vitrophyric': ['thyroprivic', 'vitrophyric'], 'vitular': ['virtual', 'vitular'], 'vituperate': ['reputative', 'vituperate'], 'vlei': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vocaller': ['overcall', 'vocaller'], 'vocate': ['avocet', 'octave', 'vocate'], 'voet': ['veto', 'voet', 'vote'], 'voeten': ['voeten', 'voteen'], 'vogue': ['vogue', 'vouge'], 'voided': ['devoid', 'voided'], 'voider': ['devoir', 'voider'], 'voidless': ['dissolve', 'voidless'], 'voile': ['olive', 'ovile', 'voile'], 'volable': ['lovable', 'volable'], 'volage': ['lovage', 'volage'], 'volar': ['valor', 'volar'], 'volata': ['tavola', 'volata'], 'volatic': ['volatic', 'voltaic'], 'volcae': ['alcove', 'coeval', 'volcae'], 'volcanist': ['viscontal', 'volcanist'], 'vole': ['levo', 'love', 'velo', 'vole'], 'volery': ['overly', 'volery'], 'volitate': ['volitate', 'voltaite'], 'volley': ['lovely', 'volley'], 'volscian': ['slavonic', 'volscian'], 'volta': ['volta', 'votal'], 'voltaic': ['volatic', 'voltaic'], 'voltaite': ['volitate', 'voltaite'], 'volucrine': ['involucre', 'volucrine'], 'volunteerism': ['multinervose', 'volunteerism'], 'vomer': ['mover', 'vomer'], 'vomiter': ['revomit', 'vomiter'], 'vonsenite': ['veinstone', 'vonsenite'], 'vortical': ['victrola', 'vortical'], 'votal': ['volta', 'votal'], 'votary': ['travoy', 'votary'], 'vote': ['veto', 'voet', 'vote'], 'voteen': ['voeten', 'voteen'], 'voter': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'vouge': ['vogue', 'vouge'], 'vouli': ['uviol', 'vouli'], 'vowed': ['devow', 'vowed'], 'vowel': ['vowel', 'wolve'], 'vraic': ['vicar', 'vraic'], 'vrbaite': ['vibrate', 'vrbaite'], 'vulcanite': ['vinculate', 'vulcanite'], 'vulnerose': ['nervulose', 'unresolve', 'vulnerose'], 'vulpic': ['pulvic', 'vulpic'], 'vulpine': ['pluvine', 'vulpine'], 'wa': ['aw', 'wa'], 'waag': ['awag', 'waag'], 'waasi': ['isawa', 'waasi'], 'wab': ['baw', 'wab'], 'wabi': ['biwa', 'wabi'], 'wabster': ['bestraw', 'wabster'], 'wac': ['caw', 'wac'], 'wachna': ['chawan', 'chwana', 'wachna'], 'wack': ['cawk', 'wack'], 'wacker': ['awreck', 'wacker'], 'wacky': ['cawky', 'wacky'], 'wad': ['awd', 'daw', 'wad'], 'wadder': ['edward', 'wadder', 'warded'], 'waddler': ['dawdler', 'waddler'], 'waddling': ['dawdling', 'waddling'], 'waddlingly': ['dawdlingly', 'waddlingly'], 'waddy': ['dawdy', 'waddy'], 'wadna': ['adawn', 'wadna'], 'wadset': ['wadset', 'wasted'], 'wae': ['awe', 'wae', 'wea'], 'waeg': ['waeg', 'wage', 'wega'], 'waer': ['waer', 'ware', 'wear'], 'waesome': ['awesome', 'waesome'], 'wag': ['gaw', 'wag'], 'wage': ['waeg', 'wage', 'wega'], 'wagerer': ['rewager', 'wagerer'], 'wages': ['swage', 'wages'], 'waggel': ['waggel', 'waggle'], 'waggle': ['waggel', 'waggle'], 'wagnerite': ['wagnerite', 'winterage'], 'wagon': ['gowan', 'wagon', 'wonga'], 'wah': ['haw', 'hwa', 'wah', 'wha'], 'wahehe': ['heehaw', 'wahehe'], 'wail': ['wail', 'wali'], 'wailer': ['lawrie', 'wailer'], 'wain': ['awin', 'wain'], 'wainer': ['newari', 'wainer'], 'wairsh': ['rawish', 'wairsh', 'warish'], 'waist': ['swati', 'waist'], 'waister': ['swertia', 'waister'], 'waiterage': ['garewaite', 'waiterage'], 'waitress': ['starwise', 'waitress'], 'waiwai': ['iwaiwa', 'waiwai'], 'wake': ['wake', 'weak', 'weka'], 'wakener': ['rewaken', 'wakener'], 'waker': ['waker', 'wreak'], 'wakes': ['askew', 'wakes'], 'wale': ['wale', 'weal'], 'waled': ['dwale', 'waled', 'weald'], 'waler': ['lerwa', 'waler'], 'wali': ['wail', 'wali'], 'waling': ['lawing', 'waling'], 'walk': ['lawk', 'walk'], 'walkout': ['outwalk', 'walkout'], 'walkover': ['overwalk', 'walkover'], 'walkside': ['sidewalk', 'walkside'], 'waller': ['rewall', 'waller'], 'wallet': ['wallet', 'wellat'], 'wallhick': ['hickwall', 'wallhick'], 'walloper': ['preallow', 'walloper'], 'wallower': ['rewallow', 'wallower'], 'walsh': ['shawl', 'walsh'], 'walt': ['twal', 'walt'], 'walter': ['lawter', 'walter'], 'wame': ['wame', 'weam'], 'wamp': ['mawp', 'wamp'], 'wan': ['awn', 'naw', 'wan'], 'wand': ['dawn', 'wand'], 'wander': ['andrew', 'redawn', 'wander', 'warden'], 'wandle': ['delawn', 'lawned', 'wandle'], 'wandlike': ['dawnlike', 'wandlike'], 'wandy': ['dawny', 'wandy'], 'wane': ['anew', 'wane', 'wean'], 'waned': ['awned', 'dewan', 'waned'], 'wang': ['gawn', 'gnaw', 'wang'], 'wanghee': ['wanghee', 'whangee'], 'wangler': ['wangler', 'wrangle'], 'waning': ['awning', 'waning'], 'wankle': ['knawel', 'wankle'], 'wanly': ['lawny', 'wanly'], 'want': ['nawt', 'tawn', 'want'], 'wanty': ['tawny', 'wanty'], 'wany': ['awny', 'wany', 'yawn'], 'wap': ['paw', 'wap'], 'war': ['raw', 'war'], 'warble': ['bawler', 'brelaw', 'rebawl', 'warble'], 'warbler': ['brawler', 'warbler'], 'warbling': ['brawling', 'warbling'], 'warblingly': ['brawlingly', 'warblingly'], 'warbly': ['brawly', 'byrlaw', 'warbly'], 'ward': ['draw', 'ward'], 'wardable': ['drawable', 'wardable'], 'warded': ['edward', 'wadder', 'warded'], 'warden': ['andrew', 'redawn', 'wander', 'warden'], 'warder': ['drawer', 'redraw', 'reward', 'warder'], 'warderer': ['redrawer', 'rewarder', 'warderer'], 'warding': ['drawing', 'ginward', 'warding'], 'wardman': ['manward', 'wardman'], 'wardmote': ['damewort', 'wardmote'], 'wardrobe': ['drawbore', 'wardrobe'], 'wardroom': ['roomward', 'wardroom'], 'wardship': ['shipward', 'wardship'], 'wardsman': ['manwards', 'wardsman'], 'ware': ['waer', 'ware', 'wear'], 'warehouse': ['housewear', 'warehouse'], 'warf': ['warf', 'wraf'], 'warish': ['rawish', 'wairsh', 'warish'], 'warlock': ['lacwork', 'warlock'], 'warmed': ['meward', 'warmed'], 'warmer': ['rewarm', 'warmer'], 'warmhouse': ['housewarm', 'warmhouse'], 'warmish': ['warmish', 'wishram'], 'warn': ['warn', 'wran'], 'warnel': ['lawner', 'warnel'], 'warner': ['rewarn', 'warner', 'warren'], 'warp': ['warp', 'wrap'], 'warper': ['prewar', 'rewrap', 'warper'], 'warree': ['rewear', 'warree', 'wearer'], 'warren': ['rewarn', 'warner', 'warren'], 'warri': ['warri', 'wirra'], 'warse': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'warsel': ['swaler', 'warsel', 'warsle'], 'warsle': ['swaler', 'warsel', 'warsle'], 'warst': ['straw', 'swart', 'warst'], 'warth': ['thraw', 'warth', 'whart', 'wrath'], 'warua': ['warua', 'waura'], 'warve': ['warve', 'waver'], 'wary': ['awry', 'wary'], 'was': ['saw', 'swa', 'was'], 'wasel': ['swale', 'sweal', 'wasel'], 'wash': ['shaw', 'wash'], 'washen': ['washen', 'whenas'], 'washer': ['hawser', 'rewash', 'washer'], 'washington': ['nowanights', 'washington'], 'washland': ['landwash', 'washland'], 'washoan': ['shawano', 'washoan'], 'washout': ['outwash', 'washout'], 'washy': ['shawy', 'washy'], 'wasnt': ['stawn', 'wasnt'], 'wasp': ['swap', 'wasp'], 'waspily': ['slipway', 'waspily'], 'wast': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'waste': ['awest', 'sweat', 'tawse', 'waste'], 'wasted': ['wadset', 'wasted'], 'wasteful': ['sweatful', 'wasteful'], 'wasteless': ['sweatless', 'wasteless'], 'wasteproof': ['sweatproof', 'wasteproof'], 'wastrel': ['wastrel', 'wrastle'], 'wat': ['taw', 'twa', 'wat'], 'watchdog': ['dogwatch', 'watchdog'], 'watchout': ['outwatch', 'watchout'], 'water': ['tawer', 'water', 'wreat'], 'waterbrain': ['brainwater', 'waterbrain'], 'watered': ['dewater', 'tarweed', 'watered'], 'waterer': ['rewater', 'waterer'], 'waterflood': ['floodwater', 'toadflower', 'waterflood'], 'waterhead': ['headwater', 'waterhead'], 'wateriness': ['earwitness', 'wateriness'], 'waterlog': ['galewort', 'waterlog'], 'watershed': ['drawsheet', 'watershed'], 'watery': ['tawery', 'watery'], 'wath': ['thaw', 'wath', 'what'], 'watt': ['twat', 'watt'], 'wauf': ['awfu', 'wauf'], 'wauner': ['unware', 'wauner'], 'waura': ['warua', 'waura'], 'waver': ['warve', 'waver'], 'waxer': ['rewax', 'waxer'], 'way': ['way', 'yaw'], 'wayback': ['backway', 'wayback'], 'waygang': ['gangway', 'waygang'], 'waygate': ['gateway', 'getaway', 'waygate'], 'wayman': ['manway', 'wayman'], 'ways': ['sway', 'ways', 'yaws'], 'wayside': ['sideway', 'wayside'], 'wea': ['awe', 'wae', 'wea'], 'weak': ['wake', 'weak', 'weka'], 'weakener': ['reweaken', 'weakener'], 'weakliness': ['weakliness', 'weaselskin'], 'weal': ['wale', 'weal'], 'weald': ['dwale', 'waled', 'weald'], 'weam': ['wame', 'weam'], 'wean': ['anew', 'wane', 'wean'], 'weanel': ['leewan', 'weanel'], 'wear': ['waer', 'ware', 'wear'], 'wearer': ['rewear', 'warree', 'wearer'], 'weasand': ['sandawe', 'weasand'], 'weaselskin': ['weakliness', 'weaselskin'], 'weather': ['weather', 'whereat', 'wreathe'], 'weathered': ['heartweed', 'weathered'], 'weaver': ['rewave', 'weaver'], 'webster': ['bestrew', 'webster'], 'wed': ['dew', 'wed'], 'wede': ['wede', 'weed'], 'wedge': ['gweed', 'wedge'], 'wedger': ['edgrew', 'wedger'], 'wedset': ['stewed', 'wedset'], 'wee': ['ewe', 'wee'], 'weed': ['wede', 'weed'], 'weedhook': ['hookweed', 'weedhook'], 'weedy': ['dewey', 'weedy'], 'ween': ['ween', 'wene'], 'weeps': ['sweep', 'weeps'], 'weet': ['twee', 'weet'], 'wega': ['waeg', 'wage', 'wega'], 'wegotism': ['twigsome', 'wegotism'], 'weigher': ['reweigh', 'weigher'], 'weir': ['weir', 'weri', 'wire'], 'weirangle': ['weirangle', 'wierangle'], 'weird': ['weird', 'wired', 'wride', 'wried'], 'weka': ['wake', 'weak', 'weka'], 'weld': ['lewd', 'weld'], 'weldable': ['ballweed', 'weldable'], 'welder': ['reweld', 'welder'], 'weldor': ['lowder', 'weldor', 'wordle'], 'welf': ['flew', 'welf'], 'welkin': ['welkin', 'winkel', 'winkle'], 'well': ['llew', 'well'], 'wellat': ['wallet', 'wellat'], 'wels': ['slew', 'wels'], 'welshry': ['shrewly', 'welshry'], 'welting': ['twingle', 'welting', 'winglet'], 'wem': ['mew', 'wem'], 'wen': ['new', 'wen'], 'wende': ['endew', 'wende'], 'wendi': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'wene': ['ween', 'wene'], 'went': ['newt', 'went'], 'were': ['ewer', 'were'], 'weri': ['weir', 'weri', 'wire'], 'werther': ['werther', 'wherret'], 'wes': ['sew', 'wes'], 'weskit': ['weskit', 'wisket'], 'west': ['stew', 'west'], 'weste': ['sweet', 'weste'], 'westering': ['swingtree', 'westering'], 'westy': ['stewy', 'westy'], 'wet': ['tew', 'wet'], 'weta': ['tewa', 'twae', 'weta'], 'wetly': ['tewly', 'wetly'], 'wey': ['wey', 'wye', 'yew'], 'wha': ['haw', 'hwa', 'wah', 'wha'], 'whack': ['chawk', 'whack'], 'whale': ['whale', 'wheal'], 'wham': ['hawm', 'wham'], 'whame': ['whame', 'wheam'], 'whangee': ['wanghee', 'whangee'], 'whare': ['hawer', 'whare'], 'whart': ['thraw', 'warth', 'whart', 'wrath'], 'whase': ['hawse', 'shewa', 'whase'], 'what': ['thaw', 'wath', 'what'], 'whatreck': ['thwacker', 'whatreck'], 'whats': ['swath', 'whats'], 'wheal': ['whale', 'wheal'], 'wheam': ['whame', 'wheam'], 'wheat': ['awhet', 'wheat'], 'wheatear': ['aweather', 'wheatear'], 'wheedle': ['wheedle', 'wheeled'], 'wheel': ['hewel', 'wheel'], 'wheeled': ['wheedle', 'wheeled'], 'wheelroad': ['rowelhead', 'wheelroad'], 'wheer': ['hewer', 'wheer', 'where'], 'whein': ['whein', 'whine'], 'when': ['hewn', 'when'], 'whenas': ['washen', 'whenas'], 'whenso': ['whenso', 'whosen'], 'where': ['hewer', 'wheer', 'where'], 'whereat': ['weather', 'whereat', 'wreathe'], 'whereon': ['nowhere', 'whereon'], 'wherret': ['werther', 'wherret'], 'wherrit': ['wherrit', 'whirret', 'writher'], 'whet': ['hewt', 'thew', 'whet'], 'whichever': ['everwhich', 'whichever'], 'whicken': ['chewink', 'whicken'], 'whilter': ['whilter', 'whirtle'], 'whine': ['whein', 'whine'], 'whipper': ['prewhip', 'whipper'], 'whirler': ['rewhirl', 'whirler'], 'whirret': ['wherrit', 'whirret', 'writher'], 'whirtle': ['whilter', 'whirtle'], 'whisperer': ['rewhisper', 'whisperer'], 'whisson': ['snowish', 'whisson'], 'whist': ['swith', 'whist', 'whits', 'wisht'], 'whister': ['swither', 'whister', 'withers'], 'whit': ['whit', 'with'], 'white': ['white', 'withe'], 'whiten': ['whiten', 'withen'], 'whitener': ['rewhiten', 'whitener'], 'whitepot': ['whitepot', 'whitetop'], 'whites': ['swithe', 'whites'], 'whitetop': ['whitepot', 'whitetop'], 'whitewood': ['whitewood', 'withewood'], 'whitleather': ['therewithal', 'whitleather'], 'whitmanese': ['anthemwise', 'whitmanese'], 'whits': ['swith', 'whist', 'whits', 'wisht'], 'whity': ['whity', 'withy'], 'who': ['how', 'who'], 'whoever': ['everwho', 'however', 'whoever'], 'whole': ['howel', 'whole'], 'whomsoever': ['howsomever', 'whomsoever', 'whosomever'], 'whoreship': ['horsewhip', 'whoreship'], 'whort': ['throw', 'whort', 'worth', 'wroth'], 'whosen': ['whenso', 'whosen'], 'whosomever': ['howsomever', 'whomsoever', 'whosomever'], 'wicht': ['tchwi', 'wicht', 'witch'], 'widdle': ['widdle', 'wilded'], 'widely': ['dewily', 'widely', 'wieldy'], 'widen': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'widener': ['rewiden', 'widener'], 'wideness': ['dewiness', 'wideness'], 'widgeon': ['gowdnie', 'widgeon'], 'wieldy': ['dewily', 'widely', 'wieldy'], 'wierangle': ['weirangle', 'wierangle'], 'wigan': ['awing', 'wigan'], 'wiggler': ['wiggler', 'wriggle'], 'wilded': ['widdle', 'wilded'], 'wildness': ['wildness', 'windless'], 'winchester': ['trenchwise', 'winchester'], 'windbreak': ['breakwind', 'windbreak'], 'winder': ['rewind', 'winder'], 'windgall': ['dingwall', 'windgall'], 'windles': ['swindle', 'windles'], 'windless': ['wildness', 'windless'], 'windstorm': ['stormwind', 'windstorm'], 'windup': ['upwind', 'windup'], 'wined': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'winer': ['erwin', 'rewin', 'winer'], 'winglet': ['twingle', 'welting', 'winglet'], 'winkel': ['welkin', 'winkel', 'winkle'], 'winkle': ['welkin', 'winkel', 'winkle'], 'winklet': ['twinkle', 'winklet'], 'winnard': ['indrawn', 'winnard'], 'winnel': ['winnel', 'winnle'], 'winnle': ['winnel', 'winnle'], 'winsome': ['owenism', 'winsome'], 'wint': ['twin', 'wint'], 'winter': ['twiner', 'winter'], 'winterage': ['wagnerite', 'winterage'], 'wintered': ['interwed', 'wintered'], 'winterish': ['interwish', 'winterish'], 'winze': ['winze', 'wizen'], 'wips': ['wips', 'wisp'], 'wire': ['weir', 'weri', 'wire'], 'wired': ['weird', 'wired', 'wride', 'wried'], 'wirer': ['wirer', 'wrier'], 'wirra': ['warri', 'wirra'], 'wiselike': ['likewise', 'wiselike'], 'wiseman': ['manwise', 'wiseman'], 'wisen': ['sinew', 'swine', 'wisen'], 'wiser': ['swire', 'wiser'], 'wisewoman': ['wisewoman', 'womanwise'], 'wisher': ['rewish', 'wisher'], 'wishmay': ['wishmay', 'yahwism'], 'wishram': ['warmish', 'wishram'], 'wisht': ['swith', 'whist', 'whits', 'wisht'], 'wisket': ['weskit', 'wisket'], 'wisp': ['wips', 'wisp'], 'wispy': ['swipy', 'wispy'], 'wit': ['twi', 'wit'], 'witan': ['atwin', 'twain', 'witan'], 'witch': ['tchwi', 'wicht', 'witch'], 'witchetty': ['twitchety', 'witchetty'], 'with': ['whit', 'with'], 'withdrawer': ['rewithdraw', 'withdrawer'], 'withe': ['white', 'withe'], 'withen': ['whiten', 'withen'], 'wither': ['wither', 'writhe'], 'withered': ['redwithe', 'withered'], 'withering': ['withering', 'wrightine'], 'withers': ['swither', 'whister', 'withers'], 'withewood': ['whitewood', 'withewood'], 'within': ['inwith', 'within'], 'without': ['outwith', 'without'], 'withy': ['whity', 'withy'], 'wive': ['view', 'wive'], 'wiver': ['wiver', 'wrive'], 'wizen': ['winze', 'wizen'], 'wo': ['ow', 'wo'], 'woader': ['redowa', 'woader'], 'wob': ['bow', 'wob'], 'wod': ['dow', 'owd', 'wod'], 'woe': ['owe', 'woe'], 'woibe': ['bowie', 'woibe'], 'wold': ['dowl', 'wold'], 'wolf': ['flow', 'fowl', 'wolf'], 'wolfer': ['flower', 'fowler', 'reflow', 'wolfer'], 'wolter': ['rowlet', 'trowel', 'wolter'], 'wolve': ['vowel', 'wolve'], 'womanpost': ['postwoman', 'womanpost'], 'womanwise': ['wisewoman', 'womanwise'], 'won': ['now', 'own', 'won'], 'wonder': ['downer', 'wonder', 'worden'], 'wonderful': ['underflow', 'wonderful'], 'wone': ['enow', 'owen', 'wone'], 'wong': ['gown', 'wong'], 'wonga': ['gowan', 'wagon', 'wonga'], 'wonner': ['renown', 'wonner'], 'wont': ['nowt', 'town', 'wont'], 'wonted': ['towned', 'wonted'], 'woodbark': ['bookward', 'woodbark'], 'woodbind': ['bindwood', 'woodbind'], 'woodbush': ['bushwood', 'woodbush'], 'woodchat': ['chatwood', 'woodchat'], 'wooden': ['enwood', 'wooden'], 'woodfish': ['fishwood', 'woodfish'], 'woodhack': ['hackwood', 'woodhack'], 'woodhorse': ['horsewood', 'woodhorse'], 'woodness': ['sowdones', 'woodness'], 'woodpecker': ['peckerwood', 'woodpecker'], 'woodrock': ['corkwood', 'rockwood', 'woodrock'], 'woodsilver': ['silverwood', 'woodsilver'], 'woodstone': ['stonewood', 'woodstone'], 'woodworm': ['woodworm', 'wormwood'], 'wooled': ['dewool', 'elwood', 'wooled'], 'woons': ['swoon', 'woons'], 'woosh': ['howso', 'woosh'], 'wop': ['pow', 'wop'], 'worble': ['blower', 'bowler', 'reblow', 'worble'], 'word': ['drow', 'word'], 'wordage': ['dowager', 'wordage'], 'worden': ['downer', 'wonder', 'worden'], 'worder': ['reword', 'worder'], 'wordily': ['rowdily', 'wordily'], 'wordiness': ['rowdiness', 'wordiness'], 'wordle': ['lowder', 'weldor', 'wordle'], 'wordsman': ['sandworm', 'swordman', 'wordsman'], 'wordsmanship': ['swordmanship', 'wordsmanship'], 'wordy': ['dowry', 'rowdy', 'wordy'], 'wore': ['ower', 'wore'], 'workbasket': ['basketwork', 'workbasket'], 'workbench': ['benchwork', 'workbench'], 'workbook': ['bookwork', 'workbook'], 'workbox': ['boxwork', 'workbox'], 'workday': ['daywork', 'workday'], 'worker': ['rework', 'worker'], 'workhand': ['handwork', 'workhand'], 'workhouse': ['housework', 'workhouse'], 'working': ['kingrow', 'working'], 'workmaster': ['masterwork', 'workmaster'], 'workout': ['outwork', 'workout'], 'workpiece': ['piecework', 'workpiece'], 'workship': ['shipwork', 'workship'], 'workshop': ['shopwork', 'workshop'], 'worktime': ['timework', 'worktime'], 'wormed': ['deworm', 'wormed'], 'wormer': ['merrow', 'wormer'], 'wormroot': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'wormship': ['shipworm', 'wormship'], 'wormwood': ['woodworm', 'wormwood'], 'worse': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'worset': ['restow', 'stower', 'towser', 'worset'], 'worst': ['strow', 'worst'], 'wort': ['trow', 'wort'], 'worth': ['throw', 'whort', 'worth', 'wroth'], 'worthful': ['worthful', 'wrothful'], 'worthily': ['worthily', 'wrothily'], 'worthiness': ['worthiness', 'wrothiness'], 'worthy': ['worthy', 'wrothy'], 'wot': ['tow', 'two', 'wot'], 'wots': ['sowt', 'stow', 'swot', 'wots'], 'wounder': ['rewound', 'unrowed', 'wounder'], 'woy': ['woy', 'yow'], 'wraf': ['warf', 'wraf'], 'wrainbolt': ['browntail', 'wrainbolt'], 'wraitly': ['wraitly', 'wrytail'], 'wran': ['warn', 'wran'], 'wrangle': ['wangler', 'wrangle'], 'wrap': ['warp', 'wrap'], 'wrapper': ['prewrap', 'wrapper'], 'wrastle': ['wastrel', 'wrastle'], 'wrath': ['thraw', 'warth', 'whart', 'wrath'], 'wreak': ['waker', 'wreak'], 'wreat': ['tawer', 'water', 'wreat'], 'wreath': ['rethaw', 'thawer', 'wreath'], 'wreathe': ['weather', 'whereat', 'wreathe'], 'wrest': ['strew', 'trews', 'wrest'], 'wrester': ['strewer', 'wrester'], 'wrestle': ['swelter', 'wrestle'], 'wride': ['weird', 'wired', 'wride', 'wried'], 'wried': ['weird', 'wired', 'wride', 'wried'], 'wrier': ['wirer', 'wrier'], 'wriggle': ['wiggler', 'wriggle'], 'wrightine': ['withering', 'wrightine'], 'wrinklet': ['twinkler', 'wrinklet'], 'write': ['twire', 'write'], 'writhe': ['wither', 'writhe'], 'writher': ['wherrit', 'whirret', 'writher'], 'written': ['twinter', 'written'], 'wrive': ['wiver', 'wrive'], 'wro': ['row', 'wro'], 'wroken': ['knower', 'reknow', 'wroken'], 'wrong': ['grown', 'wrong'], 'wrote': ['rowet', 'tower', 'wrote'], 'wroth': ['throw', 'whort', 'worth', 'wroth'], 'wrothful': ['worthful', 'wrothful'], 'wrothily': ['worthily', 'wrothily'], 'wrothiness': ['worthiness', 'wrothiness'], 'wrothy': ['worthy', 'wrothy'], 'wrytail': ['wraitly', 'wrytail'], 'wunna': ['unwan', 'wunna'], 'wyde': ['dewy', 'wyde'], 'wye': ['wey', 'wye', 'yew'], 'wype': ['pewy', 'wype'], 'wyson': ['snowy', 'wyson'], 'xanthein': ['xanthein', 'xanthine'], 'xanthine': ['xanthein', 'xanthine'], 'xanthopurpurin': ['purpuroxanthin', 'xanthopurpurin'], 'xema': ['amex', 'exam', 'xema'], 'xenia': ['axine', 'xenia'], 'xenial': ['alexin', 'xenial'], 'xenoparasite': ['exasperation', 'xenoparasite'], 'xeres': ['resex', 'xeres'], 'xerophytic': ['hypertoxic', 'xerophytic'], 'xerotic': ['excitor', 'xerotic'], 'xylic': ['cylix', 'xylic'], 'xylitone': ['xylitone', 'xylonite'], 'xylonite': ['xylitone', 'xylonite'], 'xylophone': ['oxyphenol', 'xylophone'], 'xylose': ['lyxose', 'xylose'], 'xyst': ['styx', 'xyst'], 'xyster': ['sextry', 'xyster'], 'xysti': ['sixty', 'xysti'], 'ya': ['ay', 'ya'], 'yaba': ['baya', 'yaba'], 'yabber': ['babery', 'yabber'], 'yacht': ['cathy', 'cyath', 'yacht'], 'yachtist': ['chastity', 'yachtist'], 'yad': ['ady', 'day', 'yad'], 'yaff': ['affy', 'yaff'], 'yagnob': ['boyang', 'yagnob'], 'yah': ['hay', 'yah'], 'yahwism': ['wishmay', 'yahwism'], 'yair': ['airy', 'yair'], 'yaird': ['dairy', 'diary', 'yaird'], 'yak': ['kay', 'yak'], 'yakan': ['kayan', 'yakan'], 'yakima': ['kamiya', 'yakima'], 'yakka': ['kayak', 'yakka'], 'yalb': ['ably', 'blay', 'yalb'], 'yali': ['ilya', 'yali'], 'yalla': ['allay', 'yalla'], 'yallaer': ['allayer', 'yallaer'], 'yam': ['amy', 'may', 'mya', 'yam'], 'yamel': ['mealy', 'yamel'], 'yamen': ['maney', 'yamen'], 'yamilke': ['maylike', 'yamilke'], 'yamph': ['phyma', 'yamph'], 'yan': ['any', 'nay', 'yan'], 'yana': ['anay', 'yana'], 'yander': ['denary', 'yander'], 'yap': ['pay', 'pya', 'yap'], 'yapness': ['synapse', 'yapness'], 'yapper': ['papery', 'prepay', 'yapper'], 'yapster': ['atrepsy', 'yapster'], 'yar': ['ary', 'ray', 'yar'], 'yarb': ['bray', 'yarb'], 'yard': ['adry', 'dray', 'yard'], 'yardage': ['drayage', 'yardage'], 'yarder': ['dreary', 'yarder'], 'yardman': ['drayman', 'yardman'], 'yare': ['aery', 'eyra', 'yare', 'year'], 'yark': ['kyar', 'yark'], 'yarl': ['aryl', 'lyra', 'ryal', 'yarl'], 'yarm': ['army', 'mary', 'myra', 'yarm'], 'yarn': ['nary', 'yarn'], 'yarr': ['arry', 'yarr'], 'yarrow': ['arrowy', 'yarrow'], 'yaruran': ['unarray', 'yaruran'], 'yas': ['say', 'yas'], 'yasht': ['hasty', 'yasht'], 'yat': ['tay', 'yat'], 'yate': ['yate', 'yeat', 'yeta'], 'yatter': ['attery', 'treaty', 'yatter'], 'yaw': ['way', 'yaw'], 'yawler': ['lawyer', 'yawler'], 'yawn': ['awny', 'wany', 'yawn'], 'yaws': ['sway', 'ways', 'yaws'], 'ye': ['ey', 'ye'], 'yea': ['aye', 'yea'], 'yeah': ['ahey', 'eyah', 'yeah'], 'year': ['aery', 'eyra', 'yare', 'year'], 'yeard': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'yearly': ['layery', 'yearly'], 'yearn': ['enray', 'yearn'], 'yearth': ['earthy', 'hearty', 'yearth'], 'yeast': ['teasy', 'yeast'], 'yeat': ['yate', 'yeat', 'yeta'], 'yeather': ['erythea', 'hetaery', 'yeather'], 'yed': ['dey', 'dye', 'yed'], 'yede': ['eyed', 'yede'], 'yee': ['eye', 'yee'], 'yeel': ['eely', 'yeel'], 'yees': ['yees', 'yese'], 'yegg': ['eggy', 'yegg'], 'yelk': ['kyle', 'yelk'], 'yelm': ['elmy', 'yelm'], 'yelmer': ['merely', 'yelmer'], 'yelper': ['peerly', 'yelper'], 'yemen': ['enemy', 'yemen'], 'yemeni': ['menyie', 'yemeni'], 'yen': ['eyn', 'nye', 'yen'], 'yender': ['redeny', 'yender'], 'yeo': ['yeo', 'yoe'], 'yeorling': ['legionry', 'yeorling'], 'yer': ['rye', 'yer'], 'yerb': ['brey', 'byre', 'yerb'], 'yerba': ['barye', 'beray', 'yerba'], 'yerd': ['dyer', 'yerd'], 'yere': ['eyer', 'eyre', 'yere'], 'yern': ['ryen', 'yern'], 'yes': ['sey', 'sye', 'yes'], 'yese': ['yees', 'yese'], 'yest': ['stey', 'yest'], 'yester': ['reesty', 'yester'], 'yestern': ['streyne', 'styrene', 'yestern'], 'yet': ['tye', 'yet'], 'yeta': ['yate', 'yeat', 'yeta'], 'yeth': ['they', 'yeth'], 'yether': ['theyre', 'yether'], 'yetlin': ['lenity', 'yetlin'], 'yew': ['wey', 'wye', 'yew'], 'yielden': ['needily', 'yielden'], 'yielder': ['reedily', 'reyield', 'yielder'], 'yildun': ['unidly', 'yildun'], 'yill': ['illy', 'lily', 'yill'], 'yirm': ['miry', 'rimy', 'yirm'], 'ym': ['my', 'ym'], 'yock': ['coky', 'yock'], 'yodel': ['doyle', 'yodel'], 'yoe': ['yeo', 'yoe'], 'yoghurt': ['troughy', 'yoghurt'], 'yogin': ['goyin', 'yogin'], 'yoi': ['iyo', 'yoi'], 'yoker': ['rokey', 'yoker'], 'yolk': ['kylo', 'yolk'], 'yom': ['moy', 'yom'], 'yomud': ['moudy', 'yomud'], 'yon': ['noy', 'yon'], 'yond': ['ondy', 'yond'], 'yonder': ['rodney', 'yonder'], 'yont': ['tony', 'yont'], 'yor': ['ory', 'roy', 'yor'], 'yore': ['oyer', 'roey', 'yore'], 'york': ['kory', 'roky', 'york'], 'yot': ['toy', 'yot'], 'yote': ['eyot', 'yote'], 'youngun': ['unyoung', 'youngun'], 'yours': ['soury', 'yours'], 'yoursel': ['elusory', 'yoursel'], 'yoven': ['envoy', 'nevoy', 'yoven'], 'yow': ['woy', 'yow'], 'yowl': ['lowy', 'owly', 'yowl'], 'yowler': ['lowery', 'owlery', 'rowley', 'yowler'], 'yowt': ['towy', 'yowt'], 'yox': ['oxy', 'yox'], 'yttrious': ['touristy', 'yttrious'], 'yuca': ['cuya', 'yuca'], 'yuckel': ['yuckel', 'yuckle'], 'yuckle': ['yuckel', 'yuckle'], 'yulan': ['unlay', 'yulan'], 'yurok': ['rouky', 'yurok'], 'zabian': ['banzai', 'zabian'], 'zabra': ['braza', 'zabra'], 'zacate': ['azteca', 'zacate'], 'zad': ['adz', 'zad'], 'zag': ['gaz', 'zag'], 'zain': ['nazi', 'zain'], 'zaman': ['namaz', 'zaman'], 'zamenis': ['sizeman', 'zamenis'], 'zaparoan': ['parazoan', 'zaparoan'], 'zaratite': ['tatarize', 'zaratite'], 'zati': ['itza', 'tiza', 'zati'], 'zeal': ['laze', 'zeal'], 'zealotism': ['solmizate', 'zealotism'], 'zebra': ['braze', 'zebra'], 'zein': ['inez', 'zein'], 'zelanian': ['annalize', 'zelanian'], 'zelatrice': ['cartelize', 'zelatrice'], 'zemmi': ['zemmi', 'zimme'], 'zendic': ['dezinc', 'zendic'], 'zenick': ['zenick', 'zincke'], 'zenu': ['unze', 'zenu'], 'zequin': ['quinze', 'zequin'], 'zerda': ['adzer', 'zerda'], 'zerma': ['mazer', 'zerma'], 'ziarat': ['atazir', 'ziarat'], 'zibet': ['bizet', 'zibet'], 'ziega': ['gaize', 'ziega'], 'zimme': ['zemmi', 'zimme'], 'zincite': ['citizen', 'zincite'], 'zincke': ['zenick', 'zincke'], 'zinco': ['zinco', 'zonic'], 'zion': ['nozi', 'zion'], 'zira': ['izar', 'zira'], 'zirconate': ['narcotize', 'zirconate'], 'zoa': ['azo', 'zoa'], 'zoanthidae': ['zoanthidae', 'zoanthidea'], 'zoanthidea': ['zoanthidae', 'zoanthidea'], 'zoarite': ['azorite', 'zoarite'], 'zobo': ['bozo', 'zobo'], 'zoeal': ['azole', 'zoeal'], 'zogan': ['gazon', 'zogan'], 'zolotink': ['zolotink', 'zolotnik'], 'zolotnik': ['zolotink', 'zolotnik'], 'zonaria': ['arizona', 'azorian', 'zonaria'], 'zoned': ['dozen', 'zoned'], 'zonic': ['zinco', 'zonic'], 'zonotrichia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'zoonal': ['alonzo', 'zoonal'], 'zoonic': ['ozonic', 'zoonic'], 'zoonomic': ['monozoic', 'zoonomic'], 'zoopathy': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoophilic': ['philozoic', 'zoophilic'], 'zoophilist': ['philozoist', 'zoophilist'], 'zoophyta': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoospermatic': ['spermatozoic', 'zoospermatic'], 'zoosporic': ['sporozoic', 'zoosporic'], 'zootype': ['ozotype', 'zootype'], 'zyga': ['gazy', 'zyga'], 'zygal': ['glazy', 'zygal']}
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
4445,2697,5115,718,2209,2212,654,4348,3079,6821,7668,3276,8874,4190,3785,2752,9473,7817,9137,496,7338,3434,7152,4355,4552,7917,7827,2460,2350,691,3514,5880,3145,7633,7199,3783,5066,7487,3285,1084,8985,760,872,8609,8051,1134,9536,5750,9716,9371,7619,5617,275,9721,2997,2698,1887,8825,6372,3014,2113,7122,7050,6775,5948,2758,1219,3539,348,7989,2735,9862,1263,8089,6401,9462,3168,2758,3748,5870 1096,20,1318,7586,5167,2642,1443,5741,7621,7030,5526,4244,2348,4641,9827,2448,6918,5883,3737,300,7116,6531,567,5997,3971,6623,820,6148,3287,1874,7981,8424,7672,7575,6797,6717,1078,5008,4051,8795,5820,346,1851,6463,2117,6058,3407,8211,117,4822,1317,4377,4434,5925,8341,4800,1175,4173,690,8978,7470,1295,3799,8724,3509,9849,618,3320,7068,9633,2384,7175,544,6583,1908,9983,481,4187,9353,9377 9607,7385,521,6084,1364,8983,7623,1585,6935,8551,2574,8267,4781,3834,2764,2084,2669,4656,9343,7709,2203,9328,8004,6192,5856,3555,2260,5118,6504,1839,9227,1259,9451,1388,7909,5733,6968,8519,9973,1663,5315,7571,3035,4325,4283,2304,6438,3815,9213,9806,9536,196,5542,6907,2475,1159,5820,9075,9470,2179,9248,1828,4592,9167,3713,4640,47,3637,309,7344,6955,346,378,9044,8635,7466,5036,9515,6385,9230 7206,3114,7760,1094,6150,5182,7358,7387,4497,955,101,1478,7777,6966,7010,8417,6453,4955,3496,107,449,8271,131,2948,6185,784,5937,8001,6104,8282,4165,3642,710,2390,575,715,3089,6964,4217,192,5949,7006,715,3328,1152,66,8044,4319,1735,146,4818,5456,6451,4113,1063,4781,6799,602,1504,6245,6550,1417,1343,2363,3785,5448,4545,9371,5420,5068,4613,4882,4241,5043,7873,8042,8434,3939,9256,2187 3620,8024,577,9997,7377,7682,1314,1158,6282,6310,1896,2509,5436,1732,9480,706,496,101,6232,7375,2207,2306,110,6772,3433,2878,8140,5933,8688,1399,2210,7332,6172,6403,7333,4044,2291,1790,2446,7390,8698,5723,3678,7104,1825,2040,140,3982,4905,4160,2200,5041,2512,1488,2268,1175,7588,8321,8078,7312,977,5257,8465,5068,3453,3096,1651,7906,253,9250,6021,8791,8109,6651,3412,345,4778,5152,4883,7505 1074,5438,9008,2679,5397,5429,2652,3403,770,9188,4248,2493,4361,8327,9587,707,9525,5913,93,1899,328,2876,3604,673,8576,6908,7659,2544,3359,3883,5273,6587,3065,1749,3223,604,9925,6941,2823,8767,7039,3290,3214,1787,7904,3421,7137,9560,8451,2669,9219,6332,1576,5477,6755,8348,4164,4307,2984,4012,6629,1044,2874,6541,4942,903,1404,9125,5160,8836,4345,2581,460,8438,1538,5507,668,3352,2678,6942 4295,1176,5596,1521,3061,9868,7037,7129,8933,6659,5947,5063,3653,9447,9245,2679,767,714,116,8558,163,3927,8779,158,5093,2447,5782,3967,1716,931,7772,8164,1117,9244,5783,7776,3846,8862,6014,2330,6947,1777,3112,6008,3491,1906,5952,314,4602,8994,5919,9214,3995,5026,7688,6809,5003,3128,2509,7477,110,8971,3982,8539,2980,4689,6343,5411,2992,5270,5247,9260,2269,7474,1042,7162,5206,1232,4556,4757 510,3556,5377,1406,5721,4946,2635,7847,4251,8293,8281,6351,4912,287,2870,3380,3948,5322,3840,4738,9563,1906,6298,3234,8959,1562,6297,8835,7861,239,6618,1322,2553,2213,5053,5446,4402,6500,5182,8585,6900,5756,9661,903,5186,7687,5998,7997,8081,8955,4835,6069,2621,1581,732,9564,1082,1853,5442,1342,520,1737,3703,5321,4793,2776,1508,1647,9101,2499,6891,4336,7012,3329,3212,1442,9993,3988,4930,7706 9444,3401,5891,9716,1228,7107,109,3563,2700,6161,5039,4992,2242,8541,7372,2067,1294,3058,1306,320,8881,5756,9326,411,8650,8824,5495,8282,8397,2000,1228,7817,2099,6473,3571,5994,4447,1299,5991,543,7874,2297,1651,101,2093,3463,9189,6872,6118,872,1008,1779,2805,9084,4048,2123,5877,55,3075,1737,9459,4535,6453,3644,108,5982,4437,5213,1340,6967,9943,5815,669,8074,1838,6979,9132,9315,715,5048 3327,4030,7177,6336,9933,5296,2621,4785,2755,4832,2512,2118,2244,4407,2170,499,7532,9742,5051,7687,970,6924,3527,4694,5145,1306,2165,5940,2425,8910,3513,1909,6983,346,6377,4304,9330,7203,6605,3709,3346,970,369,9737,5811,4427,9939,3693,8436,5566,1977,3728,2399,3985,8303,2492,5366,9802,9193,7296,1033,5060,9144,2766,1151,7629,5169,5995,58,7619,7565,4208,1713,6279,3209,4908,9224,7409,1325,8540 6882,1265,1775,3648,4690,959,5837,4520,5394,1378,9485,1360,4018,578,9174,2932,9890,3696,116,1723,1178,9355,7063,1594,1918,8574,7594,7942,1547,6166,7888,354,6932,4651,1010,7759,6905,661,7689,6092,9292,3845,9605,8443,443,8275,5163,7720,7265,6356,7779,1798,1754,5225,6661,1180,8024,5666,88,9153,1840,3508,1193,4445,2648,3538,6243,6375,8107,5902,5423,2520,1122,5015,6113,8859,9370,966,8673,2442 7338,3423,4723,6533,848,8041,7921,8277,4094,5368,7252,8852,9166,2250,2801,6125,8093,5738,4038,9808,7359,9494,601,9116,4946,2702,5573,2921,9862,1462,1269,2410,4171,2709,7508,6241,7522,615,2407,8200,4189,5492,5649,7353,2590,5203,4274,710,7329,9063,956,8371,3722,4253,4785,1194,4828,4717,4548,940,983,2575,4511,2938,1827,2027,2700,1236,841,5760,1680,6260,2373,3851,1841,4968,1172,5179,7175,3509 4420,1327,3560,2376,6260,2988,9537,4064,4829,8872,9598,3228,1792,7118,9962,9336,4368,9189,6857,1829,9863,6287,7303,7769,2707,8257,2391,2009,3975,4993,3068,9835,3427,341,8412,2134,4034,8511,6421,3041,9012,2983,7289,100,1355,7904,9186,6920,5856,2008,6545,8331,3655,5011,839,8041,9255,6524,3862,8788,62,7455,3513,5003,8413,3918,2076,7960,6108,3638,6999,3436,1441,4858,4181,1866,8731,7745,3744,1000 356,8296,8325,1058,1277,4743,3850,2388,6079,6462,2815,5620,8495,5378,75,4324,3441,9870,1113,165,1544,1179,2834,562,6176,2313,6836,8839,2986,9454,5199,6888,1927,5866,8760,320,1792,8296,7898,6121,7241,5886,5814,2815,8336,1576,4314,3109,2572,6011,2086,9061,9403,3947,5487,9731,7281,3159,1819,1334,3181,5844,5114,9898,4634,2531,4412,6430,4262,8482,4546,4555,6804,2607,9421,686,8649,8860,7794,6672 9870,152,1558,4963,8750,4754,6521,6256,8818,5208,5691,9659,8377,9725,5050,5343,2539,6101,1844,9700,7750,8114,5357,3001,8830,4438,199,9545,8496,43,2078,327,9397,106,6090,8181,8646,6414,7499,5450,4850,6273,5014,4131,7639,3913,6571,8534,9703,4391,7618,445,1320,5,1894,6771,7383,9191,4708,9706,6939,7937,8726,9382,5216,3685,2247,9029,8154,1738,9984,2626,9438,4167,6351,5060,29,1218,1239,4785 192,5213,8297,8974,4032,6966,5717,1179,6523,4679,9513,1481,3041,5355,9303,9154,1389,8702,6589,7818,6336,3539,5538,3094,6646,6702,6266,2759,4608,4452,617,9406,8064,6379,444,5602,4950,1810,8391,1536,316,8714,1178,5182,5863,5110,5372,4954,1978,2971,5680,4863,2255,4630,5723,2168,538,1692,1319,7540,440,6430,6266,7712,7385,5702,620,641,3136,7350,1478,3155,2820,9109,6261,1122,4470,14,8493,2095 1046,4301,6082,474,4974,7822,2102,5161,5172,6946,8074,9716,6586,9962,9749,5015,2217,995,5388,4402,7652,6399,6539,1349,8101,3677,1328,9612,7922,2879,231,5887,2655,508,4357,4964,3554,5930,6236,7384,4614,280,3093,9600,2110,7863,2631,6626,6620,68,1311,7198,7561,1768,5139,1431,221,230,2940,968,5283,6517,2146,1646,869,9402,7068,8645,7058,1765,9690,4152,2926,9504,2939,7504,6074,2944,6470,7859 4659,736,4951,9344,1927,6271,8837,8711,3241,6579,7660,5499,5616,3743,5801,4682,9748,8796,779,1833,4549,8138,4026,775,4170,2432,4174,3741,7540,8017,2833,4027,396,811,2871,1150,9809,2719,9199,8504,1224,540,2051,3519,7982,7367,2761,308,3358,6505,2050,4836,5090,7864,805,2566,2409,6876,3361,8622,5572,5895,3280,441,7893,8105,1634,2929,274,3926,7786,6123,8233,9921,2674,5340,1445,203,4585,3837 5759,338,7444,7968,7742,3755,1591,4839,1705,650,7061,2461,9230,9391,9373,2413,1213,431,7801,4994,2380,2703,6161,6878,8331,2538,6093,1275,5065,5062,2839,582,1014,8109,3525,1544,1569,8622,7944,2905,6120,1564,1839,5570,7579,1318,2677,5257,4418,5601,7935,7656,5192,1864,5886,6083,5580,6202,8869,1636,7907,4759,9082,5854,3185,7631,6854,5872,5632,5280,1431,2077,9717,7431,4256,8261,9680,4487,4752,4286 1571,1428,8599,1230,7772,4221,8523,9049,4042,8726,7567,6736,9033,2104,4879,4967,6334,6716,3994,1269,8995,6539,3610,7667,6560,6065,874,848,4597,1711,7161,4811,6734,5723,6356,6026,9183,2586,5636,1092,7779,7923,8747,6887,7505,9909,1792,3233,4526,3176,1508,8043,720,5212,6046,4988,709,5277,8256,3642,1391,5803,1468,2145,3970,6301,7767,2359,8487,9771,8785,7520,856,1605,8972,2402,2386,991,1383,5963 1822,4824,5957,6511,9868,4113,301,9353,6228,2881,2966,6956,9124,9574,9233,1601,7340,973,9396,540,4747,8590,9535,3650,7333,7583,4806,3593,2738,8157,5215,8472,2284,9473,3906,6982,5505,6053,7936,6074,7179,6688,1564,1103,6860,5839,2022,8490,910,7551,7805,881,7024,1855,9448,4790,1274,3672,2810,774,7623,4223,4850,6071,9975,4935,1915,9771,6690,3846,517,463,7624,4511,614,6394,3661,7409,1395,8127 8738,3850,9555,3695,4383,2378,87,6256,6740,7682,9546,4255,6105,2000,1851,4073,8957,9022,6547,5189,2487,303,9602,7833,1628,4163,6678,3144,8589,7096,8913,5823,4890,7679,1212,9294,5884,2972,3012,3359,7794,7428,1579,4350,7246,4301,7779,7790,3294,9547,4367,3549,1958,8237,6758,3497,3250,3456,6318,1663,708,7714,6143,6890,3428,6853,9334,7992,591,6449,9786,1412,8500,722,5468,1371,108,3939,4199,2535 7047,4323,1934,5163,4166,461,3544,2767,6554,203,6098,2265,9078,2075,4644,6641,8412,9183,487,101,7566,5622,1975,5726,2920,5374,7779,5631,3753,3725,2672,3621,4280,1162,5812,345,8173,9785,1525,955,5603,2215,2580,5261,2765,2990,5979,389,3907,2484,1232,5933,5871,3304,1138,1616,5114,9199,5072,7442,7245,6472,4760,6359,9053,7876,2564,9404,3043,9026,2261,3374,4460,7306,2326,966,828,3274,1712,3446 3975,4565,8131,5800,4570,2306,8838,4392,9147,11,3911,7118,9645,4994,2028,6062,5431,2279,8752,2658,7836,994,7316,5336,7185,3289,1898,9689,2331,5737,3403,1124,2679,3241,7748,16,2724,5441,6640,9368,9081,5618,858,4969,17,2103,6035,8043,7475,2181,939,415,1617,8500,8253,2155,7843,7974,7859,1746,6336,3193,2617,8736,4079,6324,6645,8891,9396,5522,6103,1857,8979,3835,2475,1310,7422,610,8345,7615 9248,5397,5686,2988,3446,4359,6634,9141,497,9176,6773,7448,1907,8454,916,1596,2241,1626,1384,2741,3649,5362,8791,7170,2903,2475,5325,6451,924,3328,522,90,4813,9737,9557,691,2388,1383,4021,1609,9206,4707,5200,7107,8104,4333,9860,5013,1224,6959,8527,1877,4545,7772,6268,621,4915,9349,5970,706,9583,3071,4127,780,8231,3017,9114,3836,7503,2383,1977,4870,8035,2379,9704,1037,3992,3642,1016,4303 5093,138,4639,6609,1146,5565,95,7521,9077,2272,974,4388,2465,2650,722,4998,3567,3047,921,2736,7855,173,2065,4238,1048,5,6847,9548,8632,9194,5942,4777,7910,8971,6279,7253,2516,1555,1833,3184,9453,9053,6897,7808,8629,4877,1871,8055,4881,7639,1537,7701,2508,7564,5845,5023,2304,5396,3193,2955,1088,3801,6203,1748,3737,1276,13,4120,7715,8552,3047,2921,106,7508,304,1280,7140,2567,9135,5266 6237,4607,7527,9047,522,7371,4883,2540,5867,6366,5301,1570,421,276,3361,527,6637,4861,2401,7522,5808,9371,5298,2045,5096,5447,7755,5115,7060,8529,4078,1943,1697,1764,5453,7085,960,2405,739,2100,5800,728,9737,5704,5693,1431,8979,6428,673,7540,6,7773,5857,6823,150,5869,8486,684,5816,9626,7451,5579,8260,3397,5322,6920,1879,2127,2884,5478,4977,9016,6165,6292,3062,5671,5968,78,4619,4763 9905,7127,9390,5185,6923,3721,9164,9705,4341,1031,1046,5127,7376,6528,3248,4941,1178,7889,3364,4486,5358,9402,9158,8600,1025,874,1839,1783,309,9030,1843,845,8398,1433,7118,70,8071,2877,3904,8866,6722,4299,10,1929,5897,4188,600,1889,3325,2485,6473,4474,7444,6992,4846,6166,4441,2283,2629,4352,7775,1101,2214,9985,215,8270,9750,2740,8361,7103,5930,8664,9690,8302,9267,344,2077,1372,1880,9550 5825,8517,7769,2405,8204,1060,3603,7025,478,8334,1997,3692,7433,9101,7294,7498,9415,5452,3850,3508,6857,9213,6807,4412,7310,854,5384,686,4978,892,8651,3241,2743,3801,3813,8588,6701,4416,6990,6490,3197,6838,6503,114,8343,5844,8646,8694,65,791,5979,2687,2621,2019,8097,1423,3644,9764,4921,3266,3662,5561,2476,8271,8138,6147,1168,3340,1998,9874,6572,9873,6659,5609,2711,3931,9567,4143,7833,8887 6223,2099,2700,589,4716,8333,1362,5007,2753,2848,4441,8397,7192,8191,4916,9955,6076,3370,6396,6971,3156,248,3911,2488,4930,2458,7183,5455,170,6809,6417,3390,1956,7188,577,7526,2203,968,8164,479,8699,7915,507,6393,4632,1597,7534,3604,618,3280,6061,9793,9238,8347,568,9645,2070,5198,6482,5000,9212,6655,5961,7513,1323,3872,6170,3812,4146,2736,67,3151,5548,2781,9679,7564,5043,8587,1893,4531 5826,3690,6724,2121,9308,6986,8106,6659,2142,1642,7170,2877,5757,6494,8026,6571,8387,9961,6043,9758,9607,6450,8631,8334,7359,5256,8523,2225,7487,1977,9555,8048,5763,2414,4948,4265,2427,8978,8088,8841,9208,9601,5810,9398,8866,9138,4176,5875,7212,3272,6759,5678,7649,4922,5422,1343,8197,3154,3600,687,1028,4579,2084,9467,4492,7262,7296,6538,7657,7134,2077,1505,7332,6890,8964,4879,7603,7400,5973,739 1861,1613,4879,1884,7334,966,2000,7489,2123,4287,1472,3263,4726,9203,1040,4103,6075,6049,330,9253,4062,4268,1635,9960,577,1320,3195,9628,1030,4092,4979,6474,6393,2799,6967,8687,7724,7392,9927,2085,3200,6466,8702,265,7646,8665,7986,7266,4574,6587,612,2724,704,3191,8323,9523,3002,704,5064,3960,8209,2027,2758,8393,4875,4641,9584,6401,7883,7014,768,443,5490,7506,1852,2005,8850,5776,4487,4269 4052,6687,4705,7260,6645,6715,3706,5504,8672,2853,1136,8187,8203,4016,871,1809,1366,4952,9294,5339,6872,2645,6083,7874,3056,5218,7485,8796,7401,3348,2103,426,8572,4163,9171,3176,948,7654,9344,3217,1650,5580,7971,2622,76,2874,880,2034,9929,1546,2659,5811,3754,7096,7436,9694,9960,7415,2164,953,2360,4194,2397,1047,2196,6827,575,784,2675,8821,6802,7972,5996,6699,2134,7577,2887,1412,4349,4380 4629,2234,6240,8132,7592,3181,6389,1214,266,1910,2451,8784,2790,1127,6932,1447,8986,2492,5476,397,889,3027,7641,5083,5776,4022,185,3364,5701,2442,2840,4160,9525,4828,6602,2614,7447,3711,4505,7745,8034,6514,4907,2605,7753,6958,7270,6936,3006,8968,439,2326,4652,3085,3425,9863,5049,5361,8688,297,7580,8777,7916,6687,8683,7141,306,9569,2384,1500,3346,4601,7329,9040,6097,2727,6314,4501,4974,2829 8316,4072,2025,6884,3027,1808,5714,7624,7880,8528,4205,8686,7587,3230,1139,7273,6163,6986,3914,9309,1464,9359,4474,7095,2212,7302,2583,9462,7532,6567,1606,4436,8981,5612,6796,4385,5076,2007,6072,3678,8331,1338,3299,8845,4783,8613,4071,1232,6028,2176,3990,2148,3748,103,9453,538,6745,9110,926,3125,473,5970,8728,7072,9062,1404,1317,5139,9862,6496,6062,3338,464,1600,2532,1088,8232,7739,8274,3873 2341,523,7096,8397,8301,6541,9844,244,4993,2280,7689,4025,4196,5522,7904,6048,2623,9258,2149,9461,6448,8087,7245,1917,8340,7127,8466,5725,6996,3421,5313,512,9164,9837,9794,8369,4185,1488,7210,1524,1016,4620,9435,2478,7765,8035,697,6677,3724,6988,5853,7662,3895,9593,1185,4727,6025,5734,7665,3070,138,8469,6748,6459,561,7935,8646,2378,462,7755,3115,9690,8877,3946,2728,8793,244,6323,8666,4271 6430,2406,8994,56,1267,3826,9443,7079,7579,5232,6691,3435,6718,5698,4144,7028,592,2627,217,734,6194,8156,9118,58,2640,8069,4127,3285,694,3197,3377,4143,4802,3324,8134,6953,7625,3598,3584,4289,7065,3434,2106,7132,5802,7920,9060,7531,3321,1725,1067,3751,444,5503,6785,7937,6365,4803,198,6266,8177,1470,6390,1606,2904,7555,9834,8667,2033,1723,5167,1666,8546,8152,473,4475,6451,7947,3062,3281 2810,3042,7759,1741,2275,2609,7676,8640,4117,1958,7500,8048,1757,3954,9270,1971,4796,2912,660,5511,3553,1012,5757,4525,6084,7198,8352,5775,7726,8591,7710,9589,3122,4392,6856,5016,749,2285,3356,7482,9956,7348,2599,8944,495,3462,3578,551,4543,7207,7169,7796,1247,4278,6916,8176,3742,8385,2310,1345,8692,2667,4568,1770,8319,3585,4920,3890,4928,7343,5385,9772,7947,8786,2056,9266,3454,2807,877,2660 6206,8252,5928,5837,4177,4333,207,7934,5581,9526,8906,1498,8411,2984,5198,5134,2464,8435,8514,8674,3876,599,5327,826,2152,4084,2433,9327,9697,4800,2728,3608,3849,3861,3498,9943,1407,3991,7191,9110,5666,8434,4704,6545,5944,2357,1163,4995,9619,6754,4200,9682,6654,4862,4744,5953,6632,1054,293,9439,8286,2255,696,8709,1533,1844,6441,430,1999,6063,9431,7018,8057,2920,6266,6799,356,3597,4024,6665 3847,6356,8541,7225,2325,2946,5199,469,5450,7508,2197,9915,8284,7983,6341,3276,3321,16,1321,7608,5015,3362,8491,6968,6818,797,156,2575,706,9516,5344,5457,9210,5051,8099,1617,9951,7663,8253,9683,2670,1261,4710,1068,8753,4799,1228,2621,3275,6188,4699,1791,9518,8701,5932,4275,6011,9877,2933,4182,6059,2930,6687,6682,9771,654,9437,3169,8596,1827,5471,8909,2352,123,4394,3208,8756,5513,6917,2056 5458,8173,3138,3290,4570,4892,3317,4251,9699,7973,1163,1935,5477,6648,9614,5655,9592,975,9118,2194,7322,8248,8413,3462,8560,1907,7810,6650,7355,2939,4973,6894,3933,3784,3200,2419,9234,4747,2208,2207,1945,2899,1407,6145,8023,3484,5688,7686,2737,3828,3704,9004,5190,9740,8643,8650,5358,4426,1522,1707,3613,9887,6956,2447,2762,833,1449,9489,2573,1080,4167,3456,6809,2466,227,7125,2759,6250,6472,8089 3266,7025,9756,3914,1265,9116,7723,9788,6805,5493,2092,8688,6592,9173,4431,4028,6007,7131,4446,4815,3648,6701,759,3312,8355,4485,4187,5188,8746,7759,3528,2177,5243,8379,3838,7233,4607,9187,7216,2190,6967,2920,6082,7910,5354,3609,8958,6949,7731,494,8753,8707,1523,4426,3543,7085,647,6771,9847,646,5049,824,8417,5260,2730,5702,2513,9275,4279,2767,8684,1165,9903,4518,55,9682,8963,6005,2102,6523 1998,8731,936,1479,5259,7064,4085,91,7745,7136,3773,3810,730,8255,2705,2653,9790,6807,2342,355,9344,2668,3690,2028,9679,8102,574,4318,6481,9175,5423,8062,2867,9657,7553,3442,3920,7430,3945,7639,3714,3392,2525,4995,4850,2867,7951,9667,486,9506,9888,781,8866,1702,3795,90,356,1483,4200,2131,6969,5931,486,6880,4404,1084,5169,4910,6567,8335,4686,5043,2614,3352,2667,4513,6472,7471,5720,1616 8878,1613,1716,868,1906,2681,564,665,5995,2474,7496,3432,9491,9087,8850,8287,669,823,347,6194,2264,2592,7871,7616,8508,4827,760,2676,4660,4881,7572,3811,9032,939,4384,929,7525,8419,5556,9063,662,8887,7026,8534,3111,1454,2082,7598,5726,6687,9647,7608,73,3014,5063,670,5461,5631,3367,9796,8475,7908,5073,1565,5008,5295,4457,1274,4788,1728,338,600,8415,8535,9351,7750,6887,5845,1741,125 3637,6489,9634,9464,9055,2413,7824,9517,7532,3577,7050,6186,6980,9365,9782,191,870,2497,8498,2218,2757,5420,6468,586,3320,9230,1034,1393,9886,5072,9391,1178,8464,8042,6869,2075,8275,3601,7715,9470,8786,6475,8373,2159,9237,2066,3264,5000,679,355,3069,4073,494,2308,5512,4334,9438,8786,8637,9774,1169,1949,6594,6072,4270,9158,7916,5752,6794,9391,6301,5842,3285,2141,3898,8027,4310,8821,7079,1307 8497,6681,4732,7151,7060,5204,9030,7157,833,5014,8723,3207,9796,9286,4913,119,5118,7650,9335,809,3675,2597,5144,3945,5090,8384,187,4102,1260,2445,2792,4422,8389,9290,50,1765,1521,6921,8586,4368,1565,5727,7855,2003,4834,9897,5911,8630,5070,1330,7692,7557,7980,6028,5805,9090,8265,3019,3802,698,9149,5748,1965,9658,4417,5994,5584,8226,2937,272,5743,1278,5698,8736,2595,6475,5342,6596,1149,6920 8188,8009,9546,6310,8772,2500,9846,6592,6872,3857,1307,8125,7042,1544,6159,2330,643,4604,7899,6848,371,8067,2062,3200,7295,1857,9505,6936,384,2193,2190,301,8535,5503,1462,7380,5114,4824,8833,1763,4974,8711,9262,6698,3999,2645,6937,7747,1128,2933,3556,7943,2885,3122,9105,5447,418,2899,5148,3699,9021,9501,597,4084,175,1621,1,1079,6067,5812,4326,9914,6633,5394,4233,6728,9084,1864,5863,1225 9935,8793,9117,1825,9542,8246,8437,3331,9128,9675,6086,7075,319,1334,7932,3583,7167,4178,1726,7720,695,8277,7887,6359,5912,1719,2780,8529,1359,2013,4498,8072,1129,9998,1147,8804,9405,6255,1619,2165,7491,1,8882,7378,3337,503,5758,4109,3577,985,3200,7615,8058,5032,1080,6410,6873,5496,1466,2412,9885,5904,4406,3605,8770,4361,6205,9193,1537,9959,214,7260,9566,1685,100,4920,7138,9819,5637,976 3466,9854,985,1078,7222,8888,5466,5379,3578,4540,6853,8690,3728,6351,7147,3134,6921,9692,857,3307,4998,2172,5783,3931,9417,2541,6299,13,787,2099,9131,9494,896,8600,1643,8419,7248,2660,2609,8579,91,6663,5506,7675,1947,6165,4286,1972,9645,3805,1663,1456,8853,5705,9889,7489,1107,383,4044,2969,3343,152,7805,4980,9929,5033,1737,9953,7197,9158,4071,1324,473,9676,3984,9680,3606,8160,7384,5432 1005,4512,5186,3953,2164,3372,4097,3247,8697,3022,9896,4101,3871,6791,3219,2742,4630,6967,7829,5991,6134,1197,1414,8923,8787,1394,8852,5019,7768,5147,8004,8825,5062,9625,7988,1110,3992,7984,9966,6516,6251,8270,421,3723,1432,4830,6935,8095,9059,2214,6483,6846,3120,1587,6201,6691,9096,9627,6671,4002,3495,9939,7708,7465,5879,6959,6634,3241,3401,2355,9061,2611,7830,3941,2177,2146,5089,7079,519,6351 7280,8586,4261,2831,7217,3141,9994,9940,5462,2189,4005,6942,9848,5350,8060,6665,7519,4324,7684,657,9453,9296,2944,6843,7499,7847,1728,9681,3906,6353,5529,2822,3355,3897,7724,4257,7489,8672,4356,3983,1948,6892,7415,4153,5893,4190,621,1736,4045,9532,7701,3671,1211,1622,3176,4524,9317,7800,5638,6644,6943,5463,3531,2821,1347,5958,3436,1438,2999,994,850,4131,2616,1549,3465,5946,690,9273,6954,7991 9517,399,3249,2596,7736,2142,1322,968,7350,1614,468,3346,3265,7222,6086,1661,5317,2582,7959,4685,2807,2917,1037,5698,1529,3972,8716,2634,3301,3412,8621,743,8001,4734,888,7744,8092,3671,8941,1487,5658,7099,2781,99,1932,4443,4756,4652,9328,1581,7855,4312,5976,7255,6480,3996,2748,1973,9731,4530,2790,9417,7186,5303,3557,351,7182,9428,1342,9020,7599,1392,8304,2070,9138,7215,2008,9937,1106,7110 7444,769,9688,632,1571,6820,8743,4338,337,3366,3073,1946,8219,104,4210,6986,249,5061,8693,7960,6546,1004,8857,5997,9352,4338,6105,5008,2556,6518,6694,4345,3727,7956,20,3954,8652,4424,9387,2035,8358,5962,5304,5194,8650,8282,1256,1103,2138,6679,1985,3653,2770,2433,4278,615,2863,1715,242,3790,2636,6998,3088,1671,2239,957,5411,4595,6282,2881,9974,2401,875,7574,2987,4587,3147,6766,9885,2965 3287,3016,3619,6818,9073,6120,5423,557,2900,2015,8111,3873,1314,4189,1846,4399,7041,7583,2427,2864,3525,5002,2069,748,1948,6015,2684,438,770,8367,1663,7887,7759,1885,157,7770,4520,4878,3857,1137,3525,3050,6276,5569,7649,904,4533,7843,2199,5648,7628,9075,9441,3600,7231,2388,5640,9096,958,3058,584,5899,8150,1181,9616,1098,8162,6819,8171,1519,1140,7665,8801,2632,1299,9192,707,9955,2710,7314 1772,2963,7578,3541,3095,1488,7026,2634,6015,4633,4370,2762,1650,2174,909,8158,2922,8467,4198,4280,9092,8856,8835,5457,2790,8574,9742,5054,9547,4156,7940,8126,9824,7340,8840,6574,3547,1477,3014,6798,7134,435,9484,9859,3031,4,1502,4133,1738,1807,4825,463,6343,9701,8506,9822,9555,8688,8168,3467,3234,6318,1787,5591,419,6593,7974,8486,9861,6381,6758,194,3061,4315,2863,4665,3789,2201,1492,4416 126,8927,6608,5682,8986,6867,1715,6076,3159,788,3140,4744,830,9253,5812,5021,7616,8534,1546,9590,1101,9012,9821,8132,7857,4086,1069,7491,2988,1579,2442,4321,2149,7642,6108,250,6086,3167,24,9528,7663,2685,1220,9196,1397,5776,1577,1730,5481,977,6115,199,6326,2183,3767,5928,5586,7561,663,8649,9688,949,5913,9160,1870,5764,9887,4477,6703,1413,4995,5494,7131,2192,8969,7138,3997,8697,646,1028 8074,1731,8245,624,4601,8706,155,8891,309,2552,8208,8452,2954,3124,3469,4246,3352,1105,4509,8677,9901,4416,8191,9283,5625,7120,2952,8881,7693,830,4580,8228,9459,8611,4499,1179,4988,1394,550,2336,6089,6872,269,7213,1848,917,6672,4890,656,1478,6536,3165,4743,4990,1176,6211,7207,5284,9730,4738,1549,4986,4942,8645,3698,9429,1439,2175,6549,3058,6513,1574,6988,8333,3406,5245,5431,7140,7085,6407 7845,4694,2530,8249,290,5948,5509,1588,5940,4495,5866,5021,4626,3979,3296,7589,4854,1998,5627,3926,8346,6512,9608,1918,7070,4747,4182,2858,2766,4606,6269,4107,8982,8568,9053,4244,5604,102,2756,727,5887,2566,7922,44,5986,621,1202,374,6988,4130,3627,6744,9443,4568,1398,8679,397,3928,9159,367,2917,6127,5788,3304,8129,911,2669,1463,9749,264,4478,8940,1109,7309,2462,117,4692,7724,225,2312 4164,3637,2000,941,8903,39,3443,7172,1031,3687,4901,8082,4945,4515,7204,9310,9349,9535,9940,218,1788,9245,2237,1541,5670,6538,6047,5553,9807,8101,1925,8714,445,8332,7309,6830,5786,5736,7306,2710,3034,1838,7969,6318,7912,2584,2080,7437,6705,2254,7428,820,782,9861,7596,3842,3631,8063,5240,6666,394,4565,7865,4895,9890,6028,6117,4724,9156,4473,4552,602,470,6191,4927,5387,884,3146,1978,3000 4258,6880,1696,3582,5793,4923,2119,1155,9056,9698,6603,3768,5514,9927,9609,6166,6566,4536,4985,4934,8076,9062,6741,6163,7399,4562,2337,5600,2919,9012,8459,1308,6072,1225,9306,8818,5886,7243,7365,8792,6007,9256,6699,7171,4230,7002,8720,7839,4533,1671,478,7774,1607,2317,5437,4705,7886,4760,6760,7271,3081,2997,3088,7675,6208,3101,6821,6840,122,9633,4900,2067,8546,4549,2091,7188,5605,8599,6758,5229 7854,5243,9155,3556,8812,7047,2202,1541,5993,4600,4760,713,434,7911,7426,7414,8729,322,803,7960,7563,4908,6285,6291,736,3389,9339,4132,8701,7534,5287,3646,592,3065,7582,2592,8755,6068,8597,1982,5782,1894,2900,6236,4039,6569,3037,5837,7698,700,7815,2491,7272,5878,3083,6778,6639,3589,5010,8313,2581,6617,5869,8402,6808,2951,2321,5195,497,2190,6187,1342,1316,4453,7740,4154,2959,1781,1482,8256 7178,2046,4419,744,8312,5356,6855,8839,319,2962,5662,47,6307,8662,68,4813,567,2712,9931,1678,3101,8227,6533,4933,6656,92,5846,4780,6256,6361,4323,9985,1231,2175,7178,3034,9744,6155,9165,7787,5836,9318,7860,9644,8941,6480,9443,8188,5928,161,6979,2352,5628,6991,1198,8067,5867,6620,3778,8426,2994,3122,3124,6335,3918,8897,2655,9670,634,1088,1576,8935,7255,474,8166,7417,9547,2886,5560,3842 6957,3111,26,7530,7143,1295,1744,6057,3009,1854,8098,5405,2234,4874,9447,2620,9303,27,7410,969,40,2966,5648,7596,8637,4238,3143,3679,7187,690,9980,7085,7714,9373,5632,7526,6707,3951,9734,4216,2146,3602,5371,6029,3039,4433,4855,4151,1449,3376,8009,7240,7027,4602,2947,9081,4045,8424,9352,8742,923,2705,4266,3232,2264,6761,363,2651,3383,7770,6730,7856,7340,9679,2158,610,4471,4608,910,6241 4417,6756,1013,8797,658,8809,5032,8703,7541,846,3357,2920,9817,1745,9980,7593,4667,3087,779,3218,6233,5568,4296,2289,2654,7898,5021,9461,5593,8214,9173,4203,2271,7980,2983,5952,9992,8399,3468,1776,3188,9314,1720,6523,2933,621,8685,5483,8986,6163,3444,9539,4320,155,3992,2828,2150,6071,524,2895,5468,8063,1210,3348,9071,4862,483,9017,4097,6186,9815,3610,5048,1644,1003,9865,9332,2145,1944,2213 9284,3803,4920,1927,6706,4344,7383,4786,9890,2010,5228,1224,3158,6967,8580,8990,8883,5213,76,8306,2031,4980,5639,9519,7184,5645,7769,3259,8077,9130,1317,3096,9624,3818,1770,695,2454,947,6029,3474,9938,3527,5696,4760,7724,7738,2848,6442,5767,6845,8323,4131,2859,7595,2500,4815,3660,9130,8580,7016,8231,4391,8369,3444,4069,4021,556,6154,627,2778,1496,4206,6356,8434,8491,3816,8231,3190,5575,1015 3787,7572,1788,6803,5641,6844,1961,4811,8535,9914,9999,1450,8857,738,4662,8569,6679,2225,7839,8618,286,2648,5342,2294,3205,4546,176,8705,3741,6134,8324,8021,7004,5205,7032,6637,9442,5539,5584,4819,5874,5807,8589,6871,9016,983,1758,3786,1519,6241,185,8398,495,3370,9133,3051,4549,9674,7311,9738,3316,9383,2658,2776,9481,7558,619,3943,3324,6491,4933,153,9738,4623,912,3595,7771,7939,1219,4405 2650,3883,4154,5809,315,7756,4430,1788,4451,1631,6461,7230,6017,5751,138,588,5282,2442,9110,9035,6349,2515,1570,6122,4192,4174,3530,1933,4186,4420,4609,5739,4135,2963,6308,1161,8809,8619,2796,3819,6971,8228,4188,1492,909,8048,2328,6772,8467,7671,9068,2226,7579,6422,7056,8042,3296,2272,3006,2196,7320,3238,3490,3102,37,1293,3212,4767,5041,8773,5794,4456,6174,7279,7054,2835,7053,9088,790,6640 3101,1057,7057,3826,6077,1025,2955,1224,1114,6729,5902,4698,6239,7203,9423,1804,4417,6686,1426,6941,8071,1029,4985,9010,6122,6597,1622,1574,3513,1684,7086,5505,3244,411,9638,4150,907,9135,829,981,1707,5359,8781,9751,5,9131,3973,7159,1340,6955,7514,7993,6964,8198,1933,2797,877,3993,4453,8020,9349,8646,2779,8679,2961,3547,3374,3510,1129,3568,2241,2625,9138,5974,8206,7669,7678,1833,8700,4480 4865,9912,8038,8238,782,3095,8199,1127,4501,7280,2112,2487,3626,2790,9432,1475,6312,8277,4827,2218,5806,7132,8752,1468,7471,6386,739,8762,8323,8120,5169,9078,9058,3370,9560,7987,8585,8531,5347,9312,1058,4271,1159,5286,5404,6925,8606,9204,7361,2415,560,586,4002,2644,1927,2824,768,4409,2942,3345,1002,808,4941,6267,7979,5140,8643,7553,9438,7320,4938,2666,4609,2778,8158,6730,3748,3867,1866,7181 171,3771,7134,8927,4778,2913,3326,2004,3089,7853,1378,1729,4777,2706,9578,1360,5693,3036,1851,7248,2403,2273,8536,6501,9216,613,9671,7131,7719,6425,773,717,8803,160,1114,7554,7197,753,4513,4322,8499,4533,2609,4226,8710,6627,644,9666,6260,4870,5744,7385,6542,6203,7703,6130,8944,5589,2262,6803,6381,7414,6888,5123,7320,9392,9061,6780,322,8975,7050,5089,1061,2260,3199,1150,1865,5386,9699,6501 3744,8454,6885,8277,919,1923,4001,6864,7854,5519,2491,6057,8794,9645,1776,5714,9786,9281,7538,6916,3215,395,2501,9618,4835,8846,9708,2813,3303,1794,8309,7176,2206,1602,1838,236,4593,2245,8993,4017,10,8215,6921,5206,4023,5932,6997,7801,262,7640,3107,8275,4938,7822,2425,3223,3886,2105,8700,9526,2088,8662,8034,7004,5710,2124,7164,3574,6630,9980,4242,2901,9471,1491,2117,4562,1130,9086,4117,6698 2810,2280,2331,1170,4554,4071,8387,1215,2274,9848,6738,1604,7281,8805,439,1298,8318,7834,9426,8603,6092,7944,1309,8828,303,3157,4638,4439,9175,1921,4695,7716,1494,1015,1772,5913,1127,1952,1950,8905,4064,9890,385,9357,7945,5035,7082,5369,4093,6546,5187,5637,2041,8946,1758,7111,6566,1027,1049,5148,7224,7248,296,6169,375,1656,7993,2816,3717,4279,4675,1609,3317,42,6201,3100,3144,163,9530,4531 7096,6070,1009,4988,3538,5801,7149,3063,2324,2912,7911,7002,4338,7880,2481,7368,3516,2016,7556,2193,1388,3865,8125,4637,4096,8114,750,3144,1938,7002,9343,4095,1392,4220,3455,6969,9647,1321,9048,1996,1640,6626,1788,314,9578,6630,2813,6626,4981,9908,7024,4355,3201,3521,3864,3303,464,1923,595,9801,3391,8366,8084,9374,1041,8807,9085,1892,9431,8317,9016,9221,8574,9981,9240,5395,2009,6310,2854,9255 8830,3145,2960,9615,8220,6061,3452,2918,6481,9278,2297,3385,6565,7066,7316,5682,107,7646,4466,68,1952,9603,8615,54,7191,791,6833,2560,693,9733,4168,570,9127,9537,1925,8287,5508,4297,8452,8795,6213,7994,2420,4208,524,5915,8602,8330,2651,8547,6156,1812,6271,7991,9407,9804,1553,6866,1128,2119,4691,9711,8315,5879,9935,6900,482,682,4126,1041,428,6247,3720,5882,7526,2582,4327,7725,3503,2631 2738,9323,721,7434,1453,6294,2957,3786,5722,6019,8685,4386,3066,9057,6860,499,5315,3045,5194,7111,3137,9104,941,586,3066,755,4177,8819,7040,5309,3583,3897,4428,7788,4721,7249,6559,7324,825,7311,3760,6064,6070,9672,4882,584,1365,9739,9331,5783,2624,7889,1604,1303,1555,7125,8312,425,8936,3233,7724,1480,403,7440,1784,1754,4721,1569,652,3893,4574,5692,9730,4813,9844,8291,9199,7101,3391,8914 6044,2928,9332,3328,8588,447,3830,1176,3523,2705,8365,6136,5442,9049,5526,8575,8869,9031,7280,706,2794,8814,5767,4241,7696,78,6570,556,5083,1426,4502,3336,9518,2292,1885,3740,3153,9348,9331,8051,2759,5407,9028,7840,9255,831,515,2612,9747,7435,8964,4971,2048,4900,5967,8271,1719,9670,2810,6777,1594,6367,6259,8316,3815,1689,6840,9437,4361,822,9619,3065,83,6344,7486,8657,8228,9635,6932,4864 8478,4777,6334,4678,7476,4963,6735,3096,5860,1405,5127,7269,7793,4738,227,9168,2996,8928,765,733,1276,7677,6258,1528,9558,3329,302,8901,1422,8277,6340,645,9125,8869,5952,141,8141,1816,9635,4025,4184,3093,83,2344,2747,9352,7966,1206,1126,1826,218,7939,2957,2729,810,8752,5247,4174,4038,8884,7899,9567,301,5265,5752,7524,4381,1669,3106,8270,6228,6373,754,2547,4240,2313,5514,3022,1040,9738 2265,8192,1763,1369,8469,8789,4836,52,1212,6690,5257,8918,6723,6319,378,4039,2421,8555,8184,9577,1432,7139,8078,5452,9628,7579,4161,7490,5159,8559,1011,81,478,5840,1964,1334,6875,8670,9900,739,1514,8692,522,9316,6955,1345,8132,2277,3193,9773,3923,4177,2183,1236,6747,6575,4874,6003,6409,8187,745,8776,9440,7543,9825,2582,7381,8147,7236,5185,7564,6125,218,7991,6394,391,7659,7456,5128,5294 2132,8992,8160,5782,4420,3371,3798,5054,552,5631,7546,4716,1332,6486,7892,7441,4370,6231,4579,2121,8615,1145,9391,1524,1385,2400,9437,2454,7896,7467,2928,8400,3299,4025,7458,4703,7206,6358,792,6200,725,4275,4136,7390,5984,4502,7929,5085,8176,4600,119,3568,76,9363,6943,2248,9077,9731,6213,5817,6729,4190,3092,6910,759,2682,8380,1254,9604,3011,9291,5329,9453,9746,2739,6522,3765,5634,1113,5789 5304,5499,564,2801,679,2653,1783,3608,7359,7797,3284,796,3222,437,7185,6135,8571,2778,7488,5746,678,6140,861,7750,803,9859,9918,2425,3734,2698,9005,4864,9818,6743,2475,132,9486,3825,5472,919,292,4411,7213,7699,6435,9019,6769,1388,802,2124,1345,8493,9487,8558,7061,8777,8833,2427,2238,5409,4957,8503,3171,7622,5779,6145,2417,5873,5563,5693,9574,9491,1937,7384,4563,6842,5432,2751,3406,7981
4445,2697,5115,718,2209,2212,654,4348,3079,6821,7668,3276,8874,4190,3785,2752,9473,7817,9137,496,7338,3434,7152,4355,4552,7917,7827,2460,2350,691,3514,5880,3145,7633,7199,3783,5066,7487,3285,1084,8985,760,872,8609,8051,1134,9536,5750,9716,9371,7619,5617,275,9721,2997,2698,1887,8825,6372,3014,2113,7122,7050,6775,5948,2758,1219,3539,348,7989,2735,9862,1263,8089,6401,9462,3168,2758,3748,5870 1096,20,1318,7586,5167,2642,1443,5741,7621,7030,5526,4244,2348,4641,9827,2448,6918,5883,3737,300,7116,6531,567,5997,3971,6623,820,6148,3287,1874,7981,8424,7672,7575,6797,6717,1078,5008,4051,8795,5820,346,1851,6463,2117,6058,3407,8211,117,4822,1317,4377,4434,5925,8341,4800,1175,4173,690,8978,7470,1295,3799,8724,3509,9849,618,3320,7068,9633,2384,7175,544,6583,1908,9983,481,4187,9353,9377 9607,7385,521,6084,1364,8983,7623,1585,6935,8551,2574,8267,4781,3834,2764,2084,2669,4656,9343,7709,2203,9328,8004,6192,5856,3555,2260,5118,6504,1839,9227,1259,9451,1388,7909,5733,6968,8519,9973,1663,5315,7571,3035,4325,4283,2304,6438,3815,9213,9806,9536,196,5542,6907,2475,1159,5820,9075,9470,2179,9248,1828,4592,9167,3713,4640,47,3637,309,7344,6955,346,378,9044,8635,7466,5036,9515,6385,9230 7206,3114,7760,1094,6150,5182,7358,7387,4497,955,101,1478,7777,6966,7010,8417,6453,4955,3496,107,449,8271,131,2948,6185,784,5937,8001,6104,8282,4165,3642,710,2390,575,715,3089,6964,4217,192,5949,7006,715,3328,1152,66,8044,4319,1735,146,4818,5456,6451,4113,1063,4781,6799,602,1504,6245,6550,1417,1343,2363,3785,5448,4545,9371,5420,5068,4613,4882,4241,5043,7873,8042,8434,3939,9256,2187 3620,8024,577,9997,7377,7682,1314,1158,6282,6310,1896,2509,5436,1732,9480,706,496,101,6232,7375,2207,2306,110,6772,3433,2878,8140,5933,8688,1399,2210,7332,6172,6403,7333,4044,2291,1790,2446,7390,8698,5723,3678,7104,1825,2040,140,3982,4905,4160,2200,5041,2512,1488,2268,1175,7588,8321,8078,7312,977,5257,8465,5068,3453,3096,1651,7906,253,9250,6021,8791,8109,6651,3412,345,4778,5152,4883,7505 1074,5438,9008,2679,5397,5429,2652,3403,770,9188,4248,2493,4361,8327,9587,707,9525,5913,93,1899,328,2876,3604,673,8576,6908,7659,2544,3359,3883,5273,6587,3065,1749,3223,604,9925,6941,2823,8767,7039,3290,3214,1787,7904,3421,7137,9560,8451,2669,9219,6332,1576,5477,6755,8348,4164,4307,2984,4012,6629,1044,2874,6541,4942,903,1404,9125,5160,8836,4345,2581,460,8438,1538,5507,668,3352,2678,6942 4295,1176,5596,1521,3061,9868,7037,7129,8933,6659,5947,5063,3653,9447,9245,2679,767,714,116,8558,163,3927,8779,158,5093,2447,5782,3967,1716,931,7772,8164,1117,9244,5783,7776,3846,8862,6014,2330,6947,1777,3112,6008,3491,1906,5952,314,4602,8994,5919,9214,3995,5026,7688,6809,5003,3128,2509,7477,110,8971,3982,8539,2980,4689,6343,5411,2992,5270,5247,9260,2269,7474,1042,7162,5206,1232,4556,4757 510,3556,5377,1406,5721,4946,2635,7847,4251,8293,8281,6351,4912,287,2870,3380,3948,5322,3840,4738,9563,1906,6298,3234,8959,1562,6297,8835,7861,239,6618,1322,2553,2213,5053,5446,4402,6500,5182,8585,6900,5756,9661,903,5186,7687,5998,7997,8081,8955,4835,6069,2621,1581,732,9564,1082,1853,5442,1342,520,1737,3703,5321,4793,2776,1508,1647,9101,2499,6891,4336,7012,3329,3212,1442,9993,3988,4930,7706 9444,3401,5891,9716,1228,7107,109,3563,2700,6161,5039,4992,2242,8541,7372,2067,1294,3058,1306,320,8881,5756,9326,411,8650,8824,5495,8282,8397,2000,1228,7817,2099,6473,3571,5994,4447,1299,5991,543,7874,2297,1651,101,2093,3463,9189,6872,6118,872,1008,1779,2805,9084,4048,2123,5877,55,3075,1737,9459,4535,6453,3644,108,5982,4437,5213,1340,6967,9943,5815,669,8074,1838,6979,9132,9315,715,5048 3327,4030,7177,6336,9933,5296,2621,4785,2755,4832,2512,2118,2244,4407,2170,499,7532,9742,5051,7687,970,6924,3527,4694,5145,1306,2165,5940,2425,8910,3513,1909,6983,346,6377,4304,9330,7203,6605,3709,3346,970,369,9737,5811,4427,9939,3693,8436,5566,1977,3728,2399,3985,8303,2492,5366,9802,9193,7296,1033,5060,9144,2766,1151,7629,5169,5995,58,7619,7565,4208,1713,6279,3209,4908,9224,7409,1325,8540 6882,1265,1775,3648,4690,959,5837,4520,5394,1378,9485,1360,4018,578,9174,2932,9890,3696,116,1723,1178,9355,7063,1594,1918,8574,7594,7942,1547,6166,7888,354,6932,4651,1010,7759,6905,661,7689,6092,9292,3845,9605,8443,443,8275,5163,7720,7265,6356,7779,1798,1754,5225,6661,1180,8024,5666,88,9153,1840,3508,1193,4445,2648,3538,6243,6375,8107,5902,5423,2520,1122,5015,6113,8859,9370,966,8673,2442 7338,3423,4723,6533,848,8041,7921,8277,4094,5368,7252,8852,9166,2250,2801,6125,8093,5738,4038,9808,7359,9494,601,9116,4946,2702,5573,2921,9862,1462,1269,2410,4171,2709,7508,6241,7522,615,2407,8200,4189,5492,5649,7353,2590,5203,4274,710,7329,9063,956,8371,3722,4253,4785,1194,4828,4717,4548,940,983,2575,4511,2938,1827,2027,2700,1236,841,5760,1680,6260,2373,3851,1841,4968,1172,5179,7175,3509 4420,1327,3560,2376,6260,2988,9537,4064,4829,8872,9598,3228,1792,7118,9962,9336,4368,9189,6857,1829,9863,6287,7303,7769,2707,8257,2391,2009,3975,4993,3068,9835,3427,341,8412,2134,4034,8511,6421,3041,9012,2983,7289,100,1355,7904,9186,6920,5856,2008,6545,8331,3655,5011,839,8041,9255,6524,3862,8788,62,7455,3513,5003,8413,3918,2076,7960,6108,3638,6999,3436,1441,4858,4181,1866,8731,7745,3744,1000 356,8296,8325,1058,1277,4743,3850,2388,6079,6462,2815,5620,8495,5378,75,4324,3441,9870,1113,165,1544,1179,2834,562,6176,2313,6836,8839,2986,9454,5199,6888,1927,5866,8760,320,1792,8296,7898,6121,7241,5886,5814,2815,8336,1576,4314,3109,2572,6011,2086,9061,9403,3947,5487,9731,7281,3159,1819,1334,3181,5844,5114,9898,4634,2531,4412,6430,4262,8482,4546,4555,6804,2607,9421,686,8649,8860,7794,6672 9870,152,1558,4963,8750,4754,6521,6256,8818,5208,5691,9659,8377,9725,5050,5343,2539,6101,1844,9700,7750,8114,5357,3001,8830,4438,199,9545,8496,43,2078,327,9397,106,6090,8181,8646,6414,7499,5450,4850,6273,5014,4131,7639,3913,6571,8534,9703,4391,7618,445,1320,5,1894,6771,7383,9191,4708,9706,6939,7937,8726,9382,5216,3685,2247,9029,8154,1738,9984,2626,9438,4167,6351,5060,29,1218,1239,4785 192,5213,8297,8974,4032,6966,5717,1179,6523,4679,9513,1481,3041,5355,9303,9154,1389,8702,6589,7818,6336,3539,5538,3094,6646,6702,6266,2759,4608,4452,617,9406,8064,6379,444,5602,4950,1810,8391,1536,316,8714,1178,5182,5863,5110,5372,4954,1978,2971,5680,4863,2255,4630,5723,2168,538,1692,1319,7540,440,6430,6266,7712,7385,5702,620,641,3136,7350,1478,3155,2820,9109,6261,1122,4470,14,8493,2095 1046,4301,6082,474,4974,7822,2102,5161,5172,6946,8074,9716,6586,9962,9749,5015,2217,995,5388,4402,7652,6399,6539,1349,8101,3677,1328,9612,7922,2879,231,5887,2655,508,4357,4964,3554,5930,6236,7384,4614,280,3093,9600,2110,7863,2631,6626,6620,68,1311,7198,7561,1768,5139,1431,221,230,2940,968,5283,6517,2146,1646,869,9402,7068,8645,7058,1765,9690,4152,2926,9504,2939,7504,6074,2944,6470,7859 4659,736,4951,9344,1927,6271,8837,8711,3241,6579,7660,5499,5616,3743,5801,4682,9748,8796,779,1833,4549,8138,4026,775,4170,2432,4174,3741,7540,8017,2833,4027,396,811,2871,1150,9809,2719,9199,8504,1224,540,2051,3519,7982,7367,2761,308,3358,6505,2050,4836,5090,7864,805,2566,2409,6876,3361,8622,5572,5895,3280,441,7893,8105,1634,2929,274,3926,7786,6123,8233,9921,2674,5340,1445,203,4585,3837 5759,338,7444,7968,7742,3755,1591,4839,1705,650,7061,2461,9230,9391,9373,2413,1213,431,7801,4994,2380,2703,6161,6878,8331,2538,6093,1275,5065,5062,2839,582,1014,8109,3525,1544,1569,8622,7944,2905,6120,1564,1839,5570,7579,1318,2677,5257,4418,5601,7935,7656,5192,1864,5886,6083,5580,6202,8869,1636,7907,4759,9082,5854,3185,7631,6854,5872,5632,5280,1431,2077,9717,7431,4256,8261,9680,4487,4752,4286 1571,1428,8599,1230,7772,4221,8523,9049,4042,8726,7567,6736,9033,2104,4879,4967,6334,6716,3994,1269,8995,6539,3610,7667,6560,6065,874,848,4597,1711,7161,4811,6734,5723,6356,6026,9183,2586,5636,1092,7779,7923,8747,6887,7505,9909,1792,3233,4526,3176,1508,8043,720,5212,6046,4988,709,5277,8256,3642,1391,5803,1468,2145,3970,6301,7767,2359,8487,9771,8785,7520,856,1605,8972,2402,2386,991,1383,5963 1822,4824,5957,6511,9868,4113,301,9353,6228,2881,2966,6956,9124,9574,9233,1601,7340,973,9396,540,4747,8590,9535,3650,7333,7583,4806,3593,2738,8157,5215,8472,2284,9473,3906,6982,5505,6053,7936,6074,7179,6688,1564,1103,6860,5839,2022,8490,910,7551,7805,881,7024,1855,9448,4790,1274,3672,2810,774,7623,4223,4850,6071,9975,4935,1915,9771,6690,3846,517,463,7624,4511,614,6394,3661,7409,1395,8127 8738,3850,9555,3695,4383,2378,87,6256,6740,7682,9546,4255,6105,2000,1851,4073,8957,9022,6547,5189,2487,303,9602,7833,1628,4163,6678,3144,8589,7096,8913,5823,4890,7679,1212,9294,5884,2972,3012,3359,7794,7428,1579,4350,7246,4301,7779,7790,3294,9547,4367,3549,1958,8237,6758,3497,3250,3456,6318,1663,708,7714,6143,6890,3428,6853,9334,7992,591,6449,9786,1412,8500,722,5468,1371,108,3939,4199,2535 7047,4323,1934,5163,4166,461,3544,2767,6554,203,6098,2265,9078,2075,4644,6641,8412,9183,487,101,7566,5622,1975,5726,2920,5374,7779,5631,3753,3725,2672,3621,4280,1162,5812,345,8173,9785,1525,955,5603,2215,2580,5261,2765,2990,5979,389,3907,2484,1232,5933,5871,3304,1138,1616,5114,9199,5072,7442,7245,6472,4760,6359,9053,7876,2564,9404,3043,9026,2261,3374,4460,7306,2326,966,828,3274,1712,3446 3975,4565,8131,5800,4570,2306,8838,4392,9147,11,3911,7118,9645,4994,2028,6062,5431,2279,8752,2658,7836,994,7316,5336,7185,3289,1898,9689,2331,5737,3403,1124,2679,3241,7748,16,2724,5441,6640,9368,9081,5618,858,4969,17,2103,6035,8043,7475,2181,939,415,1617,8500,8253,2155,7843,7974,7859,1746,6336,3193,2617,8736,4079,6324,6645,8891,9396,5522,6103,1857,8979,3835,2475,1310,7422,610,8345,7615 9248,5397,5686,2988,3446,4359,6634,9141,497,9176,6773,7448,1907,8454,916,1596,2241,1626,1384,2741,3649,5362,8791,7170,2903,2475,5325,6451,924,3328,522,90,4813,9737,9557,691,2388,1383,4021,1609,9206,4707,5200,7107,8104,4333,9860,5013,1224,6959,8527,1877,4545,7772,6268,621,4915,9349,5970,706,9583,3071,4127,780,8231,3017,9114,3836,7503,2383,1977,4870,8035,2379,9704,1037,3992,3642,1016,4303 5093,138,4639,6609,1146,5565,95,7521,9077,2272,974,4388,2465,2650,722,4998,3567,3047,921,2736,7855,173,2065,4238,1048,5,6847,9548,8632,9194,5942,4777,7910,8971,6279,7253,2516,1555,1833,3184,9453,9053,6897,7808,8629,4877,1871,8055,4881,7639,1537,7701,2508,7564,5845,5023,2304,5396,3193,2955,1088,3801,6203,1748,3737,1276,13,4120,7715,8552,3047,2921,106,7508,304,1280,7140,2567,9135,5266 6237,4607,7527,9047,522,7371,4883,2540,5867,6366,5301,1570,421,276,3361,527,6637,4861,2401,7522,5808,9371,5298,2045,5096,5447,7755,5115,7060,8529,4078,1943,1697,1764,5453,7085,960,2405,739,2100,5800,728,9737,5704,5693,1431,8979,6428,673,7540,6,7773,5857,6823,150,5869,8486,684,5816,9626,7451,5579,8260,3397,5322,6920,1879,2127,2884,5478,4977,9016,6165,6292,3062,5671,5968,78,4619,4763 9905,7127,9390,5185,6923,3721,9164,9705,4341,1031,1046,5127,7376,6528,3248,4941,1178,7889,3364,4486,5358,9402,9158,8600,1025,874,1839,1783,309,9030,1843,845,8398,1433,7118,70,8071,2877,3904,8866,6722,4299,10,1929,5897,4188,600,1889,3325,2485,6473,4474,7444,6992,4846,6166,4441,2283,2629,4352,7775,1101,2214,9985,215,8270,9750,2740,8361,7103,5930,8664,9690,8302,9267,344,2077,1372,1880,9550 5825,8517,7769,2405,8204,1060,3603,7025,478,8334,1997,3692,7433,9101,7294,7498,9415,5452,3850,3508,6857,9213,6807,4412,7310,854,5384,686,4978,892,8651,3241,2743,3801,3813,8588,6701,4416,6990,6490,3197,6838,6503,114,8343,5844,8646,8694,65,791,5979,2687,2621,2019,8097,1423,3644,9764,4921,3266,3662,5561,2476,8271,8138,6147,1168,3340,1998,9874,6572,9873,6659,5609,2711,3931,9567,4143,7833,8887 6223,2099,2700,589,4716,8333,1362,5007,2753,2848,4441,8397,7192,8191,4916,9955,6076,3370,6396,6971,3156,248,3911,2488,4930,2458,7183,5455,170,6809,6417,3390,1956,7188,577,7526,2203,968,8164,479,8699,7915,507,6393,4632,1597,7534,3604,618,3280,6061,9793,9238,8347,568,9645,2070,5198,6482,5000,9212,6655,5961,7513,1323,3872,6170,3812,4146,2736,67,3151,5548,2781,9679,7564,5043,8587,1893,4531 5826,3690,6724,2121,9308,6986,8106,6659,2142,1642,7170,2877,5757,6494,8026,6571,8387,9961,6043,9758,9607,6450,8631,8334,7359,5256,8523,2225,7487,1977,9555,8048,5763,2414,4948,4265,2427,8978,8088,8841,9208,9601,5810,9398,8866,9138,4176,5875,7212,3272,6759,5678,7649,4922,5422,1343,8197,3154,3600,687,1028,4579,2084,9467,4492,7262,7296,6538,7657,7134,2077,1505,7332,6890,8964,4879,7603,7400,5973,739 1861,1613,4879,1884,7334,966,2000,7489,2123,4287,1472,3263,4726,9203,1040,4103,6075,6049,330,9253,4062,4268,1635,9960,577,1320,3195,9628,1030,4092,4979,6474,6393,2799,6967,8687,7724,7392,9927,2085,3200,6466,8702,265,7646,8665,7986,7266,4574,6587,612,2724,704,3191,8323,9523,3002,704,5064,3960,8209,2027,2758,8393,4875,4641,9584,6401,7883,7014,768,443,5490,7506,1852,2005,8850,5776,4487,4269 4052,6687,4705,7260,6645,6715,3706,5504,8672,2853,1136,8187,8203,4016,871,1809,1366,4952,9294,5339,6872,2645,6083,7874,3056,5218,7485,8796,7401,3348,2103,426,8572,4163,9171,3176,948,7654,9344,3217,1650,5580,7971,2622,76,2874,880,2034,9929,1546,2659,5811,3754,7096,7436,9694,9960,7415,2164,953,2360,4194,2397,1047,2196,6827,575,784,2675,8821,6802,7972,5996,6699,2134,7577,2887,1412,4349,4380 4629,2234,6240,8132,7592,3181,6389,1214,266,1910,2451,8784,2790,1127,6932,1447,8986,2492,5476,397,889,3027,7641,5083,5776,4022,185,3364,5701,2442,2840,4160,9525,4828,6602,2614,7447,3711,4505,7745,8034,6514,4907,2605,7753,6958,7270,6936,3006,8968,439,2326,4652,3085,3425,9863,5049,5361,8688,297,7580,8777,7916,6687,8683,7141,306,9569,2384,1500,3346,4601,7329,9040,6097,2727,6314,4501,4974,2829 8316,4072,2025,6884,3027,1808,5714,7624,7880,8528,4205,8686,7587,3230,1139,7273,6163,6986,3914,9309,1464,9359,4474,7095,2212,7302,2583,9462,7532,6567,1606,4436,8981,5612,6796,4385,5076,2007,6072,3678,8331,1338,3299,8845,4783,8613,4071,1232,6028,2176,3990,2148,3748,103,9453,538,6745,9110,926,3125,473,5970,8728,7072,9062,1404,1317,5139,9862,6496,6062,3338,464,1600,2532,1088,8232,7739,8274,3873 2341,523,7096,8397,8301,6541,9844,244,4993,2280,7689,4025,4196,5522,7904,6048,2623,9258,2149,9461,6448,8087,7245,1917,8340,7127,8466,5725,6996,3421,5313,512,9164,9837,9794,8369,4185,1488,7210,1524,1016,4620,9435,2478,7765,8035,697,6677,3724,6988,5853,7662,3895,9593,1185,4727,6025,5734,7665,3070,138,8469,6748,6459,561,7935,8646,2378,462,7755,3115,9690,8877,3946,2728,8793,244,6323,8666,4271 6430,2406,8994,56,1267,3826,9443,7079,7579,5232,6691,3435,6718,5698,4144,7028,592,2627,217,734,6194,8156,9118,58,2640,8069,4127,3285,694,3197,3377,4143,4802,3324,8134,6953,7625,3598,3584,4289,7065,3434,2106,7132,5802,7920,9060,7531,3321,1725,1067,3751,444,5503,6785,7937,6365,4803,198,6266,8177,1470,6390,1606,2904,7555,9834,8667,2033,1723,5167,1666,8546,8152,473,4475,6451,7947,3062,3281 2810,3042,7759,1741,2275,2609,7676,8640,4117,1958,7500,8048,1757,3954,9270,1971,4796,2912,660,5511,3553,1012,5757,4525,6084,7198,8352,5775,7726,8591,7710,9589,3122,4392,6856,5016,749,2285,3356,7482,9956,7348,2599,8944,495,3462,3578,551,4543,7207,7169,7796,1247,4278,6916,8176,3742,8385,2310,1345,8692,2667,4568,1770,8319,3585,4920,3890,4928,7343,5385,9772,7947,8786,2056,9266,3454,2807,877,2660 6206,8252,5928,5837,4177,4333,207,7934,5581,9526,8906,1498,8411,2984,5198,5134,2464,8435,8514,8674,3876,599,5327,826,2152,4084,2433,9327,9697,4800,2728,3608,3849,3861,3498,9943,1407,3991,7191,9110,5666,8434,4704,6545,5944,2357,1163,4995,9619,6754,4200,9682,6654,4862,4744,5953,6632,1054,293,9439,8286,2255,696,8709,1533,1844,6441,430,1999,6063,9431,7018,8057,2920,6266,6799,356,3597,4024,6665 3847,6356,8541,7225,2325,2946,5199,469,5450,7508,2197,9915,8284,7983,6341,3276,3321,16,1321,7608,5015,3362,8491,6968,6818,797,156,2575,706,9516,5344,5457,9210,5051,8099,1617,9951,7663,8253,9683,2670,1261,4710,1068,8753,4799,1228,2621,3275,6188,4699,1791,9518,8701,5932,4275,6011,9877,2933,4182,6059,2930,6687,6682,9771,654,9437,3169,8596,1827,5471,8909,2352,123,4394,3208,8756,5513,6917,2056 5458,8173,3138,3290,4570,4892,3317,4251,9699,7973,1163,1935,5477,6648,9614,5655,9592,975,9118,2194,7322,8248,8413,3462,8560,1907,7810,6650,7355,2939,4973,6894,3933,3784,3200,2419,9234,4747,2208,2207,1945,2899,1407,6145,8023,3484,5688,7686,2737,3828,3704,9004,5190,9740,8643,8650,5358,4426,1522,1707,3613,9887,6956,2447,2762,833,1449,9489,2573,1080,4167,3456,6809,2466,227,7125,2759,6250,6472,8089 3266,7025,9756,3914,1265,9116,7723,9788,6805,5493,2092,8688,6592,9173,4431,4028,6007,7131,4446,4815,3648,6701,759,3312,8355,4485,4187,5188,8746,7759,3528,2177,5243,8379,3838,7233,4607,9187,7216,2190,6967,2920,6082,7910,5354,3609,8958,6949,7731,494,8753,8707,1523,4426,3543,7085,647,6771,9847,646,5049,824,8417,5260,2730,5702,2513,9275,4279,2767,8684,1165,9903,4518,55,9682,8963,6005,2102,6523 1998,8731,936,1479,5259,7064,4085,91,7745,7136,3773,3810,730,8255,2705,2653,9790,6807,2342,355,9344,2668,3690,2028,9679,8102,574,4318,6481,9175,5423,8062,2867,9657,7553,3442,3920,7430,3945,7639,3714,3392,2525,4995,4850,2867,7951,9667,486,9506,9888,781,8866,1702,3795,90,356,1483,4200,2131,6969,5931,486,6880,4404,1084,5169,4910,6567,8335,4686,5043,2614,3352,2667,4513,6472,7471,5720,1616 8878,1613,1716,868,1906,2681,564,665,5995,2474,7496,3432,9491,9087,8850,8287,669,823,347,6194,2264,2592,7871,7616,8508,4827,760,2676,4660,4881,7572,3811,9032,939,4384,929,7525,8419,5556,9063,662,8887,7026,8534,3111,1454,2082,7598,5726,6687,9647,7608,73,3014,5063,670,5461,5631,3367,9796,8475,7908,5073,1565,5008,5295,4457,1274,4788,1728,338,600,8415,8535,9351,7750,6887,5845,1741,125 3637,6489,9634,9464,9055,2413,7824,9517,7532,3577,7050,6186,6980,9365,9782,191,870,2497,8498,2218,2757,5420,6468,586,3320,9230,1034,1393,9886,5072,9391,1178,8464,8042,6869,2075,8275,3601,7715,9470,8786,6475,8373,2159,9237,2066,3264,5000,679,355,3069,4073,494,2308,5512,4334,9438,8786,8637,9774,1169,1949,6594,6072,4270,9158,7916,5752,6794,9391,6301,5842,3285,2141,3898,8027,4310,8821,7079,1307 8497,6681,4732,7151,7060,5204,9030,7157,833,5014,8723,3207,9796,9286,4913,119,5118,7650,9335,809,3675,2597,5144,3945,5090,8384,187,4102,1260,2445,2792,4422,8389,9290,50,1765,1521,6921,8586,4368,1565,5727,7855,2003,4834,9897,5911,8630,5070,1330,7692,7557,7980,6028,5805,9090,8265,3019,3802,698,9149,5748,1965,9658,4417,5994,5584,8226,2937,272,5743,1278,5698,8736,2595,6475,5342,6596,1149,6920 8188,8009,9546,6310,8772,2500,9846,6592,6872,3857,1307,8125,7042,1544,6159,2330,643,4604,7899,6848,371,8067,2062,3200,7295,1857,9505,6936,384,2193,2190,301,8535,5503,1462,7380,5114,4824,8833,1763,4974,8711,9262,6698,3999,2645,6937,7747,1128,2933,3556,7943,2885,3122,9105,5447,418,2899,5148,3699,9021,9501,597,4084,175,1621,1,1079,6067,5812,4326,9914,6633,5394,4233,6728,9084,1864,5863,1225 9935,8793,9117,1825,9542,8246,8437,3331,9128,9675,6086,7075,319,1334,7932,3583,7167,4178,1726,7720,695,8277,7887,6359,5912,1719,2780,8529,1359,2013,4498,8072,1129,9998,1147,8804,9405,6255,1619,2165,7491,1,8882,7378,3337,503,5758,4109,3577,985,3200,7615,8058,5032,1080,6410,6873,5496,1466,2412,9885,5904,4406,3605,8770,4361,6205,9193,1537,9959,214,7260,9566,1685,100,4920,7138,9819,5637,976 3466,9854,985,1078,7222,8888,5466,5379,3578,4540,6853,8690,3728,6351,7147,3134,6921,9692,857,3307,4998,2172,5783,3931,9417,2541,6299,13,787,2099,9131,9494,896,8600,1643,8419,7248,2660,2609,8579,91,6663,5506,7675,1947,6165,4286,1972,9645,3805,1663,1456,8853,5705,9889,7489,1107,383,4044,2969,3343,152,7805,4980,9929,5033,1737,9953,7197,9158,4071,1324,473,9676,3984,9680,3606,8160,7384,5432 1005,4512,5186,3953,2164,3372,4097,3247,8697,3022,9896,4101,3871,6791,3219,2742,4630,6967,7829,5991,6134,1197,1414,8923,8787,1394,8852,5019,7768,5147,8004,8825,5062,9625,7988,1110,3992,7984,9966,6516,6251,8270,421,3723,1432,4830,6935,8095,9059,2214,6483,6846,3120,1587,6201,6691,9096,9627,6671,4002,3495,9939,7708,7465,5879,6959,6634,3241,3401,2355,9061,2611,7830,3941,2177,2146,5089,7079,519,6351 7280,8586,4261,2831,7217,3141,9994,9940,5462,2189,4005,6942,9848,5350,8060,6665,7519,4324,7684,657,9453,9296,2944,6843,7499,7847,1728,9681,3906,6353,5529,2822,3355,3897,7724,4257,7489,8672,4356,3983,1948,6892,7415,4153,5893,4190,621,1736,4045,9532,7701,3671,1211,1622,3176,4524,9317,7800,5638,6644,6943,5463,3531,2821,1347,5958,3436,1438,2999,994,850,4131,2616,1549,3465,5946,690,9273,6954,7991 9517,399,3249,2596,7736,2142,1322,968,7350,1614,468,3346,3265,7222,6086,1661,5317,2582,7959,4685,2807,2917,1037,5698,1529,3972,8716,2634,3301,3412,8621,743,8001,4734,888,7744,8092,3671,8941,1487,5658,7099,2781,99,1932,4443,4756,4652,9328,1581,7855,4312,5976,7255,6480,3996,2748,1973,9731,4530,2790,9417,7186,5303,3557,351,7182,9428,1342,9020,7599,1392,8304,2070,9138,7215,2008,9937,1106,7110 7444,769,9688,632,1571,6820,8743,4338,337,3366,3073,1946,8219,104,4210,6986,249,5061,8693,7960,6546,1004,8857,5997,9352,4338,6105,5008,2556,6518,6694,4345,3727,7956,20,3954,8652,4424,9387,2035,8358,5962,5304,5194,8650,8282,1256,1103,2138,6679,1985,3653,2770,2433,4278,615,2863,1715,242,3790,2636,6998,3088,1671,2239,957,5411,4595,6282,2881,9974,2401,875,7574,2987,4587,3147,6766,9885,2965 3287,3016,3619,6818,9073,6120,5423,557,2900,2015,8111,3873,1314,4189,1846,4399,7041,7583,2427,2864,3525,5002,2069,748,1948,6015,2684,438,770,8367,1663,7887,7759,1885,157,7770,4520,4878,3857,1137,3525,3050,6276,5569,7649,904,4533,7843,2199,5648,7628,9075,9441,3600,7231,2388,5640,9096,958,3058,584,5899,8150,1181,9616,1098,8162,6819,8171,1519,1140,7665,8801,2632,1299,9192,707,9955,2710,7314 1772,2963,7578,3541,3095,1488,7026,2634,6015,4633,4370,2762,1650,2174,909,8158,2922,8467,4198,4280,9092,8856,8835,5457,2790,8574,9742,5054,9547,4156,7940,8126,9824,7340,8840,6574,3547,1477,3014,6798,7134,435,9484,9859,3031,4,1502,4133,1738,1807,4825,463,6343,9701,8506,9822,9555,8688,8168,3467,3234,6318,1787,5591,419,6593,7974,8486,9861,6381,6758,194,3061,4315,2863,4665,3789,2201,1492,4416 126,8927,6608,5682,8986,6867,1715,6076,3159,788,3140,4744,830,9253,5812,5021,7616,8534,1546,9590,1101,9012,9821,8132,7857,4086,1069,7491,2988,1579,2442,4321,2149,7642,6108,250,6086,3167,24,9528,7663,2685,1220,9196,1397,5776,1577,1730,5481,977,6115,199,6326,2183,3767,5928,5586,7561,663,8649,9688,949,5913,9160,1870,5764,9887,4477,6703,1413,4995,5494,7131,2192,8969,7138,3997,8697,646,1028 8074,1731,8245,624,4601,8706,155,8891,309,2552,8208,8452,2954,3124,3469,4246,3352,1105,4509,8677,9901,4416,8191,9283,5625,7120,2952,8881,7693,830,4580,8228,9459,8611,4499,1179,4988,1394,550,2336,6089,6872,269,7213,1848,917,6672,4890,656,1478,6536,3165,4743,4990,1176,6211,7207,5284,9730,4738,1549,4986,4942,8645,3698,9429,1439,2175,6549,3058,6513,1574,6988,8333,3406,5245,5431,7140,7085,6407 7845,4694,2530,8249,290,5948,5509,1588,5940,4495,5866,5021,4626,3979,3296,7589,4854,1998,5627,3926,8346,6512,9608,1918,7070,4747,4182,2858,2766,4606,6269,4107,8982,8568,9053,4244,5604,102,2756,727,5887,2566,7922,44,5986,621,1202,374,6988,4130,3627,6744,9443,4568,1398,8679,397,3928,9159,367,2917,6127,5788,3304,8129,911,2669,1463,9749,264,4478,8940,1109,7309,2462,117,4692,7724,225,2312 4164,3637,2000,941,8903,39,3443,7172,1031,3687,4901,8082,4945,4515,7204,9310,9349,9535,9940,218,1788,9245,2237,1541,5670,6538,6047,5553,9807,8101,1925,8714,445,8332,7309,6830,5786,5736,7306,2710,3034,1838,7969,6318,7912,2584,2080,7437,6705,2254,7428,820,782,9861,7596,3842,3631,8063,5240,6666,394,4565,7865,4895,9890,6028,6117,4724,9156,4473,4552,602,470,6191,4927,5387,884,3146,1978,3000 4258,6880,1696,3582,5793,4923,2119,1155,9056,9698,6603,3768,5514,9927,9609,6166,6566,4536,4985,4934,8076,9062,6741,6163,7399,4562,2337,5600,2919,9012,8459,1308,6072,1225,9306,8818,5886,7243,7365,8792,6007,9256,6699,7171,4230,7002,8720,7839,4533,1671,478,7774,1607,2317,5437,4705,7886,4760,6760,7271,3081,2997,3088,7675,6208,3101,6821,6840,122,9633,4900,2067,8546,4549,2091,7188,5605,8599,6758,5229 7854,5243,9155,3556,8812,7047,2202,1541,5993,4600,4760,713,434,7911,7426,7414,8729,322,803,7960,7563,4908,6285,6291,736,3389,9339,4132,8701,7534,5287,3646,592,3065,7582,2592,8755,6068,8597,1982,5782,1894,2900,6236,4039,6569,3037,5837,7698,700,7815,2491,7272,5878,3083,6778,6639,3589,5010,8313,2581,6617,5869,8402,6808,2951,2321,5195,497,2190,6187,1342,1316,4453,7740,4154,2959,1781,1482,8256 7178,2046,4419,744,8312,5356,6855,8839,319,2962,5662,47,6307,8662,68,4813,567,2712,9931,1678,3101,8227,6533,4933,6656,92,5846,4780,6256,6361,4323,9985,1231,2175,7178,3034,9744,6155,9165,7787,5836,9318,7860,9644,8941,6480,9443,8188,5928,161,6979,2352,5628,6991,1198,8067,5867,6620,3778,8426,2994,3122,3124,6335,3918,8897,2655,9670,634,1088,1576,8935,7255,474,8166,7417,9547,2886,5560,3842 6957,3111,26,7530,7143,1295,1744,6057,3009,1854,8098,5405,2234,4874,9447,2620,9303,27,7410,969,40,2966,5648,7596,8637,4238,3143,3679,7187,690,9980,7085,7714,9373,5632,7526,6707,3951,9734,4216,2146,3602,5371,6029,3039,4433,4855,4151,1449,3376,8009,7240,7027,4602,2947,9081,4045,8424,9352,8742,923,2705,4266,3232,2264,6761,363,2651,3383,7770,6730,7856,7340,9679,2158,610,4471,4608,910,6241 4417,6756,1013,8797,658,8809,5032,8703,7541,846,3357,2920,9817,1745,9980,7593,4667,3087,779,3218,6233,5568,4296,2289,2654,7898,5021,9461,5593,8214,9173,4203,2271,7980,2983,5952,9992,8399,3468,1776,3188,9314,1720,6523,2933,621,8685,5483,8986,6163,3444,9539,4320,155,3992,2828,2150,6071,524,2895,5468,8063,1210,3348,9071,4862,483,9017,4097,6186,9815,3610,5048,1644,1003,9865,9332,2145,1944,2213 9284,3803,4920,1927,6706,4344,7383,4786,9890,2010,5228,1224,3158,6967,8580,8990,8883,5213,76,8306,2031,4980,5639,9519,7184,5645,7769,3259,8077,9130,1317,3096,9624,3818,1770,695,2454,947,6029,3474,9938,3527,5696,4760,7724,7738,2848,6442,5767,6845,8323,4131,2859,7595,2500,4815,3660,9130,8580,7016,8231,4391,8369,3444,4069,4021,556,6154,627,2778,1496,4206,6356,8434,8491,3816,8231,3190,5575,1015 3787,7572,1788,6803,5641,6844,1961,4811,8535,9914,9999,1450,8857,738,4662,8569,6679,2225,7839,8618,286,2648,5342,2294,3205,4546,176,8705,3741,6134,8324,8021,7004,5205,7032,6637,9442,5539,5584,4819,5874,5807,8589,6871,9016,983,1758,3786,1519,6241,185,8398,495,3370,9133,3051,4549,9674,7311,9738,3316,9383,2658,2776,9481,7558,619,3943,3324,6491,4933,153,9738,4623,912,3595,7771,7939,1219,4405 2650,3883,4154,5809,315,7756,4430,1788,4451,1631,6461,7230,6017,5751,138,588,5282,2442,9110,9035,6349,2515,1570,6122,4192,4174,3530,1933,4186,4420,4609,5739,4135,2963,6308,1161,8809,8619,2796,3819,6971,8228,4188,1492,909,8048,2328,6772,8467,7671,9068,2226,7579,6422,7056,8042,3296,2272,3006,2196,7320,3238,3490,3102,37,1293,3212,4767,5041,8773,5794,4456,6174,7279,7054,2835,7053,9088,790,6640 3101,1057,7057,3826,6077,1025,2955,1224,1114,6729,5902,4698,6239,7203,9423,1804,4417,6686,1426,6941,8071,1029,4985,9010,6122,6597,1622,1574,3513,1684,7086,5505,3244,411,9638,4150,907,9135,829,981,1707,5359,8781,9751,5,9131,3973,7159,1340,6955,7514,7993,6964,8198,1933,2797,877,3993,4453,8020,9349,8646,2779,8679,2961,3547,3374,3510,1129,3568,2241,2625,9138,5974,8206,7669,7678,1833,8700,4480 4865,9912,8038,8238,782,3095,8199,1127,4501,7280,2112,2487,3626,2790,9432,1475,6312,8277,4827,2218,5806,7132,8752,1468,7471,6386,739,8762,8323,8120,5169,9078,9058,3370,9560,7987,8585,8531,5347,9312,1058,4271,1159,5286,5404,6925,8606,9204,7361,2415,560,586,4002,2644,1927,2824,768,4409,2942,3345,1002,808,4941,6267,7979,5140,8643,7553,9438,7320,4938,2666,4609,2778,8158,6730,3748,3867,1866,7181 171,3771,7134,8927,4778,2913,3326,2004,3089,7853,1378,1729,4777,2706,9578,1360,5693,3036,1851,7248,2403,2273,8536,6501,9216,613,9671,7131,7719,6425,773,717,8803,160,1114,7554,7197,753,4513,4322,8499,4533,2609,4226,8710,6627,644,9666,6260,4870,5744,7385,6542,6203,7703,6130,8944,5589,2262,6803,6381,7414,6888,5123,7320,9392,9061,6780,322,8975,7050,5089,1061,2260,3199,1150,1865,5386,9699,6501 3744,8454,6885,8277,919,1923,4001,6864,7854,5519,2491,6057,8794,9645,1776,5714,9786,9281,7538,6916,3215,395,2501,9618,4835,8846,9708,2813,3303,1794,8309,7176,2206,1602,1838,236,4593,2245,8993,4017,10,8215,6921,5206,4023,5932,6997,7801,262,7640,3107,8275,4938,7822,2425,3223,3886,2105,8700,9526,2088,8662,8034,7004,5710,2124,7164,3574,6630,9980,4242,2901,9471,1491,2117,4562,1130,9086,4117,6698 2810,2280,2331,1170,4554,4071,8387,1215,2274,9848,6738,1604,7281,8805,439,1298,8318,7834,9426,8603,6092,7944,1309,8828,303,3157,4638,4439,9175,1921,4695,7716,1494,1015,1772,5913,1127,1952,1950,8905,4064,9890,385,9357,7945,5035,7082,5369,4093,6546,5187,5637,2041,8946,1758,7111,6566,1027,1049,5148,7224,7248,296,6169,375,1656,7993,2816,3717,4279,4675,1609,3317,42,6201,3100,3144,163,9530,4531 7096,6070,1009,4988,3538,5801,7149,3063,2324,2912,7911,7002,4338,7880,2481,7368,3516,2016,7556,2193,1388,3865,8125,4637,4096,8114,750,3144,1938,7002,9343,4095,1392,4220,3455,6969,9647,1321,9048,1996,1640,6626,1788,314,9578,6630,2813,6626,4981,9908,7024,4355,3201,3521,3864,3303,464,1923,595,9801,3391,8366,8084,9374,1041,8807,9085,1892,9431,8317,9016,9221,8574,9981,9240,5395,2009,6310,2854,9255 8830,3145,2960,9615,8220,6061,3452,2918,6481,9278,2297,3385,6565,7066,7316,5682,107,7646,4466,68,1952,9603,8615,54,7191,791,6833,2560,693,9733,4168,570,9127,9537,1925,8287,5508,4297,8452,8795,6213,7994,2420,4208,524,5915,8602,8330,2651,8547,6156,1812,6271,7991,9407,9804,1553,6866,1128,2119,4691,9711,8315,5879,9935,6900,482,682,4126,1041,428,6247,3720,5882,7526,2582,4327,7725,3503,2631 2738,9323,721,7434,1453,6294,2957,3786,5722,6019,8685,4386,3066,9057,6860,499,5315,3045,5194,7111,3137,9104,941,586,3066,755,4177,8819,7040,5309,3583,3897,4428,7788,4721,7249,6559,7324,825,7311,3760,6064,6070,9672,4882,584,1365,9739,9331,5783,2624,7889,1604,1303,1555,7125,8312,425,8936,3233,7724,1480,403,7440,1784,1754,4721,1569,652,3893,4574,5692,9730,4813,9844,8291,9199,7101,3391,8914 6044,2928,9332,3328,8588,447,3830,1176,3523,2705,8365,6136,5442,9049,5526,8575,8869,9031,7280,706,2794,8814,5767,4241,7696,78,6570,556,5083,1426,4502,3336,9518,2292,1885,3740,3153,9348,9331,8051,2759,5407,9028,7840,9255,831,515,2612,9747,7435,8964,4971,2048,4900,5967,8271,1719,9670,2810,6777,1594,6367,6259,8316,3815,1689,6840,9437,4361,822,9619,3065,83,6344,7486,8657,8228,9635,6932,4864 8478,4777,6334,4678,7476,4963,6735,3096,5860,1405,5127,7269,7793,4738,227,9168,2996,8928,765,733,1276,7677,6258,1528,9558,3329,302,8901,1422,8277,6340,645,9125,8869,5952,141,8141,1816,9635,4025,4184,3093,83,2344,2747,9352,7966,1206,1126,1826,218,7939,2957,2729,810,8752,5247,4174,4038,8884,7899,9567,301,5265,5752,7524,4381,1669,3106,8270,6228,6373,754,2547,4240,2313,5514,3022,1040,9738 2265,8192,1763,1369,8469,8789,4836,52,1212,6690,5257,8918,6723,6319,378,4039,2421,8555,8184,9577,1432,7139,8078,5452,9628,7579,4161,7490,5159,8559,1011,81,478,5840,1964,1334,6875,8670,9900,739,1514,8692,522,9316,6955,1345,8132,2277,3193,9773,3923,4177,2183,1236,6747,6575,4874,6003,6409,8187,745,8776,9440,7543,9825,2582,7381,8147,7236,5185,7564,6125,218,7991,6394,391,7659,7456,5128,5294 2132,8992,8160,5782,4420,3371,3798,5054,552,5631,7546,4716,1332,6486,7892,7441,4370,6231,4579,2121,8615,1145,9391,1524,1385,2400,9437,2454,7896,7467,2928,8400,3299,4025,7458,4703,7206,6358,792,6200,725,4275,4136,7390,5984,4502,7929,5085,8176,4600,119,3568,76,9363,6943,2248,9077,9731,6213,5817,6729,4190,3092,6910,759,2682,8380,1254,9604,3011,9291,5329,9453,9746,2739,6522,3765,5634,1113,5789 5304,5499,564,2801,679,2653,1783,3608,7359,7797,3284,796,3222,437,7185,6135,8571,2778,7488,5746,678,6140,861,7750,803,9859,9918,2425,3734,2698,9005,4864,9818,6743,2475,132,9486,3825,5472,919,292,4411,7213,7699,6435,9019,6769,1388,802,2124,1345,8493,9487,8558,7061,8777,8833,2427,2238,5409,4957,8503,3171,7622,5779,6145,2417,5873,5563,5693,9574,9491,1937,7384,4563,6842,5432,2751,3406,7981
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
AARHUS AARON ABABA ABACK ABAFT ABANDON ABANDONED ABANDONING ABANDONMENT ABANDONS ABASE ABASED ABASEMENT ABASEMENTS ABASES ABASH ABASHED ABASHES ABASHING ABASING ABATE ABATED ABATEMENT ABATEMENTS ABATER ABATES ABATING ABBA ABBE ABBEY ABBEYS ABBOT ABBOTS ABBOTT ABBREVIATE ABBREVIATED ABBREVIATES ABBREVIATING ABBREVIATION ABBREVIATIONS ABBY ABDOMEN ABDOMENS ABDOMINAL ABDUCT ABDUCTED ABDUCTION ABDUCTIONS ABDUCTOR ABDUCTORS ABDUCTS ABE ABED ABEL ABELIAN ABELSON ABERDEEN ABERNATHY ABERRANT ABERRATION ABERRATIONS ABET ABETS ABETTED ABETTER ABETTING ABEYANCE ABHOR ABHORRED ABHORRENT ABHORRER ABHORRING ABHORS ABIDE ABIDED ABIDES ABIDING ABIDJAN ABIGAIL ABILENE ABILITIES ABILITY ABJECT ABJECTION ABJECTIONS ABJECTLY ABJECTNESS ABJURE ABJURED ABJURES ABJURING ABLATE ABLATED ABLATES ABLATING ABLATION ABLATIVE ABLAZE ABLE ABLER ABLEST ABLY ABNER ABNORMAL ABNORMALITIES ABNORMALITY ABNORMALLY ABO ABOARD ABODE ABODES ABOLISH ABOLISHED ABOLISHER ABOLISHERS ABOLISHES ABOLISHING ABOLISHMENT ABOLISHMENTS ABOLITION ABOLITIONIST ABOLITIONISTS ABOMINABLE ABOMINATE ABORIGINAL ABORIGINE ABORIGINES ABORT ABORTED ABORTING ABORTION ABORTIONS ABORTIVE ABORTIVELY ABORTS ABOS ABOUND ABOUNDED ABOUNDING ABOUNDS ABOUT ABOVE ABOVEBOARD ABOVEGROUND ABOVEMENTIONED ABRADE ABRADED ABRADES ABRADING ABRAHAM ABRAM ABRAMS ABRAMSON ABRASION ABRASIONS ABRASIVE ABREACTION ABREACTIONS ABREAST ABRIDGE ABRIDGED ABRIDGES ABRIDGING ABRIDGMENT ABROAD ABROGATE ABROGATED ABROGATES ABROGATING ABRUPT ABRUPTLY ABRUPTNESS ABSCESS ABSCESSED ABSCESSES ABSCISSA ABSCISSAS ABSCOND ABSCONDED ABSCONDING ABSCONDS ABSENCE ABSENCES ABSENT ABSENTED ABSENTEE ABSENTEEISM ABSENTEES ABSENTIA ABSENTING ABSENTLY ABSENTMINDED ABSENTS ABSINTHE ABSOLUTE ABSOLUTELY ABSOLUTENESS ABSOLUTES ABSOLUTION ABSOLVE ABSOLVED ABSOLVES ABSOLVING ABSORB ABSORBED ABSORBENCY ABSORBENT ABSORBER ABSORBING ABSORBS ABSORPTION ABSORPTIONS ABSORPTIVE ABSTAIN ABSTAINED ABSTAINER ABSTAINING ABSTAINS ABSTENTION ABSTENTIONS ABSTINENCE ABSTRACT ABSTRACTED ABSTRACTING ABSTRACTION ABSTRACTIONISM ABSTRACTIONIST ABSTRACTIONS ABSTRACTLY ABSTRACTNESS ABSTRACTOR ABSTRACTORS ABSTRACTS ABSTRUSE ABSTRUSENESS ABSURD ABSURDITIES ABSURDITY ABSURDLY ABU ABUNDANCE ABUNDANT ABUNDANTLY ABUSE ABUSED ABUSES ABUSING ABUSIVE ABUT ABUTMENT ABUTS ABUTTED ABUTTER ABUTTERS ABUTTING ABYSMAL ABYSMALLY ABYSS ABYSSES ABYSSINIA ABYSSINIAN ABYSSINIANS ACACIA ACADEMIA ACADEMIC ACADEMICALLY ACADEMICS ACADEMIES ACADEMY ACADIA ACAPULCO ACCEDE ACCEDED ACCEDES ACCELERATE ACCELERATED ACCELERATES ACCELERATING ACCELERATION ACCELERATIONS ACCELERATOR ACCELERATORS ACCELEROMETER ACCELEROMETERS ACCENT ACCENTED ACCENTING ACCENTS ACCENTUAL ACCENTUATE ACCENTUATED ACCENTUATES ACCENTUATING ACCENTUATION ACCEPT ACCEPTABILITY ACCEPTABLE ACCEPTABLY ACCEPTANCE ACCEPTANCES ACCEPTED ACCEPTER ACCEPTERS ACCEPTING ACCEPTOR ACCEPTORS ACCEPTS ACCESS ACCESSED ACCESSES ACCESSIBILITY ACCESSIBLE ACCESSIBLY ACCESSING ACCESSION ACCESSIONS ACCESSORIES ACCESSORS ACCESSORY ACCIDENT ACCIDENTAL ACCIDENTALLY ACCIDENTLY ACCIDENTS ACCLAIM ACCLAIMED ACCLAIMING ACCLAIMS ACCLAMATION ACCLIMATE ACCLIMATED ACCLIMATES ACCLIMATING ACCLIMATIZATION ACCLIMATIZED ACCOLADE ACCOLADES ACCOMMODATE ACCOMMODATED ACCOMMODATES ACCOMMODATING ACCOMMODATION ACCOMMODATIONS ACCOMPANIED ACCOMPANIES ACCOMPANIMENT ACCOMPANIMENTS ACCOMPANIST ACCOMPANISTS ACCOMPANY ACCOMPANYING ACCOMPLICE ACCOMPLICES ACCOMPLISH ACCOMPLISHED ACCOMPLISHER ACCOMPLISHERS ACCOMPLISHES ACCOMPLISHING ACCOMPLISHMENT ACCOMPLISHMENTS ACCORD ACCORDANCE ACCORDED ACCORDER ACCORDERS ACCORDING ACCORDINGLY ACCORDION ACCORDIONS ACCORDS ACCOST ACCOSTED ACCOSTING ACCOSTS ACCOUNT ACCOUNTABILITY ACCOUNTABLE ACCOUNTABLY ACCOUNTANCY ACCOUNTANT ACCOUNTANTS ACCOUNTED ACCOUNTING ACCOUNTS ACCRA ACCREDIT ACCREDITATION ACCREDITATIONS ACCREDITED ACCRETION ACCRETIONS ACCRUE ACCRUED ACCRUES ACCRUING ACCULTURATE ACCULTURATED ACCULTURATES ACCULTURATING ACCULTURATION ACCUMULATE ACCUMULATED ACCUMULATES ACCUMULATING ACCUMULATION ACCUMULATIONS ACCUMULATOR ACCUMULATORS ACCURACIES ACCURACY ACCURATE ACCURATELY ACCURATENESS ACCURSED ACCUSAL ACCUSATION ACCUSATIONS ACCUSATIVE ACCUSE ACCUSED ACCUSER ACCUSES ACCUSING ACCUSINGLY ACCUSTOM ACCUSTOMED ACCUSTOMING ACCUSTOMS ACE ACES ACETATE ACETONE ACETYLENE ACHAEAN ACHAEANS ACHE ACHED ACHES ACHIEVABLE ACHIEVE ACHIEVED ACHIEVEMENT ACHIEVEMENTS ACHIEVER ACHIEVERS ACHIEVES ACHIEVING ACHILLES ACHING ACID ACIDIC ACIDITIES ACIDITY ACIDLY ACIDS ACIDULOUS ACKERMAN ACKLEY ACKNOWLEDGE ACKNOWLEDGEABLE ACKNOWLEDGED ACKNOWLEDGEMENT ACKNOWLEDGEMENTS ACKNOWLEDGER ACKNOWLEDGERS ACKNOWLEDGES ACKNOWLEDGING ACKNOWLEDGMENT ACKNOWLEDGMENTS ACME ACNE ACOLYTE ACOLYTES ACORN ACORNS ACOUSTIC ACOUSTICAL ACOUSTICALLY ACOUSTICIAN ACOUSTICS ACQUAINT ACQUAINTANCE ACQUAINTANCES ACQUAINTED ACQUAINTING ACQUAINTS ACQUIESCE ACQUIESCED ACQUIESCENCE ACQUIESCENT ACQUIESCES ACQUIESCING ACQUIRABLE ACQUIRE ACQUIRED ACQUIRES ACQUIRING ACQUISITION ACQUISITIONS ACQUISITIVE ACQUISITIVENESS ACQUIT ACQUITS ACQUITTAL ACQUITTED ACQUITTER ACQUITTING ACRE ACREAGE ACRES ACRID ACRIMONIOUS ACRIMONY ACROBAT ACROBATIC ACROBATICS ACROBATS ACRONYM ACRONYMS ACROPOLIS ACROSS ACRYLIC ACT ACTA ACTAEON ACTED ACTING ACTINIUM ACTINOMETER ACTINOMETERS ACTION ACTIONS ACTIVATE ACTIVATED ACTIVATES ACTIVATING ACTIVATION ACTIVATIONS ACTIVATOR ACTIVATORS ACTIVE ACTIVELY ACTIVISM ACTIVIST ACTIVISTS ACTIVITIES ACTIVITY ACTON ACTOR ACTORS ACTRESS ACTRESSES ACTS ACTUAL ACTUALITIES ACTUALITY ACTUALIZATION ACTUALLY ACTUALS ACTUARIAL ACTUARIALLY ACTUATE ACTUATED ACTUATES ACTUATING ACTUATOR ACTUATORS ACUITY ACUMEN ACUTE ACUTELY ACUTENESS ACYCLIC ACYCLICALLY ADA ADAGE ADAGES ADAGIO ADAGIOS ADAIR ADAM ADAMANT ADAMANTLY ADAMS ADAMSON ADAPT ADAPTABILITY ADAPTABLE ADAPTATION ADAPTATIONS ADAPTED ADAPTER ADAPTERS ADAPTING ADAPTIVE ADAPTIVELY ADAPTOR ADAPTORS ADAPTS ADD ADDED ADDEND ADDENDA ADDENDUM ADDER ADDERS ADDICT ADDICTED ADDICTING ADDICTION ADDICTIONS ADDICTS ADDING ADDIS ADDISON ADDITION ADDITIONAL ADDITIONALLY ADDITIONS ADDITIVE ADDITIVES ADDITIVITY ADDRESS ADDRESSABILITY ADDRESSABLE ADDRESSED ADDRESSEE ADDRESSEES ADDRESSER ADDRESSERS ADDRESSES ADDRESSING ADDRESSOGRAPH ADDS ADDUCE ADDUCED ADDUCES ADDUCIBLE ADDUCING ADDUCT ADDUCTED ADDUCTING ADDUCTION ADDUCTOR ADDUCTS ADELAIDE ADELE ADELIA ADEN ADEPT ADEQUACIES ADEQUACY ADEQUATE ADEQUATELY ADHERE ADHERED ADHERENCE ADHERENT ADHERENTS ADHERER ADHERERS ADHERES ADHERING ADHESION ADHESIONS ADHESIVE ADHESIVES ADIABATIC ADIABATICALLY ADIEU ADIRONDACK ADIRONDACKS ADJACENCY ADJACENT ADJECTIVE ADJECTIVES ADJOIN ADJOINED ADJOINING ADJOINS ADJOURN ADJOURNED ADJOURNING ADJOURNMENT ADJOURNS ADJUDGE ADJUDGED ADJUDGES ADJUDGING ADJUDICATE ADJUDICATED ADJUDICATES ADJUDICATING ADJUDICATION ADJUDICATIONS ADJUNCT ADJUNCTS ADJURE ADJURED ADJURES ADJURING ADJUST ADJUSTABLE ADJUSTABLY ADJUSTED ADJUSTER ADJUSTERS ADJUSTING ADJUSTMENT ADJUSTMENTS ADJUSTOR ADJUSTORS ADJUSTS ADJUTANT ADJUTANTS ADKINS ADLER ADLERIAN ADMINISTER ADMINISTERED ADMINISTERING ADMINISTERINGS ADMINISTERS ADMINISTRABLE ADMINISTRATE ADMINISTRATION ADMINISTRATIONS ADMINISTRATIVE ADMINISTRATIVELY ADMINISTRATOR ADMINISTRATORS ADMIRABLE ADMIRABLY ADMIRAL ADMIRALS ADMIRALTY ADMIRATION ADMIRATIONS ADMIRE ADMIRED ADMIRER ADMIRERS ADMIRES ADMIRING ADMIRINGLY ADMISSIBILITY ADMISSIBLE ADMISSION ADMISSIONS ADMIT ADMITS ADMITTANCE ADMITTED ADMITTEDLY ADMITTER ADMITTERS ADMITTING ADMIX ADMIXED ADMIXES ADMIXTURE ADMONISH ADMONISHED ADMONISHES ADMONISHING ADMONISHMENT ADMONISHMENTS ADMONITION ADMONITIONS ADO ADOBE ADOLESCENCE ADOLESCENT ADOLESCENTS ADOLPH ADOLPHUS ADONIS ADOPT ADOPTED ADOPTER ADOPTERS ADOPTING ADOPTION ADOPTIONS ADOPTIVE ADOPTS ADORABLE ADORATION ADORE ADORED ADORES ADORN ADORNED ADORNMENT ADORNMENTS ADORNS ADRENAL ADRENALINE ADRIAN ADRIATIC ADRIENNE ADRIFT ADROIT ADROITNESS ADS ADSORB ADSORBED ADSORBING ADSORBS ADSORPTION ADULATE ADULATING ADULATION ADULT ADULTERATE ADULTERATED ADULTERATES ADULTERATING ADULTERER ADULTERERS ADULTEROUS ADULTEROUSLY ADULTERY ADULTHOOD ADULTS ADUMBRATE ADUMBRATED ADUMBRATES ADUMBRATING ADUMBRATION ADVANCE ADVANCED ADVANCEMENT ADVANCEMENTS ADVANCES ADVANCING ADVANTAGE ADVANTAGED ADVANTAGEOUS ADVANTAGEOUSLY ADVANTAGES ADVENT ADVENTIST ADVENTISTS ADVENTITIOUS ADVENTURE ADVENTURED ADVENTURER ADVENTURERS ADVENTURES ADVENTURING ADVENTUROUS ADVERB ADVERBIAL ADVERBS ADVERSARIES ADVERSARY ADVERSE ADVERSELY ADVERSITIES ADVERSITY ADVERT ADVERTISE ADVERTISED ADVERTISEMENT ADVERTISEMENTS ADVERTISER ADVERTISERS ADVERTISES ADVERTISING ADVICE ADVISABILITY ADVISABLE ADVISABLY ADVISE ADVISED ADVISEDLY ADVISEE ADVISEES ADVISEMENT ADVISEMENTS ADVISER ADVISERS ADVISES ADVISING ADVISOR ADVISORS ADVISORY ADVOCACY ADVOCATE ADVOCATED ADVOCATES ADVOCATING AEGEAN AEGIS AENEAS AENEID AEOLUS AERATE AERATED AERATES AERATING AERATION AERATOR AERATORS AERIAL AERIALS AEROACOUSTIC AEROBACTER AEROBIC AEROBICS AERODYNAMIC AERODYNAMICS AERONAUTIC AERONAUTICAL AERONAUTICS AEROSOL AEROSOLIZE AEROSOLS AEROSPACE AESCHYLUS AESOP AESTHETIC AESTHETICALLY AESTHETICS AFAR AFFABLE AFFAIR AFFAIRS AFFECT AFFECTATION AFFECTATIONS AFFECTED AFFECTING AFFECTINGLY AFFECTION AFFECTIONATE AFFECTIONATELY AFFECTIONS AFFECTIVE AFFECTS AFFERENT AFFIANCED AFFIDAVIT AFFIDAVITS AFFILIATE AFFILIATED AFFILIATES AFFILIATING AFFILIATION AFFILIATIONS AFFINITIES AFFINITY AFFIRM AFFIRMATION AFFIRMATIONS AFFIRMATIVE AFFIRMATIVELY AFFIRMED AFFIRMING AFFIRMS AFFIX AFFIXED AFFIXES AFFIXING AFFLICT AFFLICTED AFFLICTING AFFLICTION AFFLICTIONS AFFLICTIVE AFFLICTS AFFLUENCE AFFLUENT AFFORD AFFORDABLE AFFORDED AFFORDING AFFORDS AFFRICATE AFFRICATES AFFRIGHT AFFRONT AFFRONTED AFFRONTING AFFRONTS AFGHAN AFGHANISTAN AFGHANS AFICIONADO AFIELD AFIRE AFLAME AFLOAT AFOOT AFORE AFOREMENTIONED AFORESAID AFORETHOUGHT AFOUL AFRAID AFRESH AFRICA AFRICAN AFRICANIZATION AFRICANIZATIONS AFRICANIZE AFRICANIZED AFRICANIZES AFRICANIZING AFRICANS AFRIKAANS AFRIKANER AFRIKANERS AFT AFTER AFTEREFFECT AFTERGLOW AFTERIMAGE AFTERLIFE AFTERMATH AFTERMOST AFTERNOON AFTERNOONS AFTERSHOCK AFTERSHOCKS AFTERTHOUGHT AFTERTHOUGHTS AFTERWARD AFTERWARDS AGAIN AGAINST AGAMEMNON AGAPE AGAR AGATE AGATES AGATHA AGE AGED AGEE AGELESS AGENCIES AGENCY AGENDA AGENDAS AGENT AGENTS AGER AGERS AGES AGGIE AGGIES AGGLOMERATE AGGLOMERATED AGGLOMERATES AGGLOMERATION AGGLUTINATE AGGLUTINATED AGGLUTINATES AGGLUTINATING AGGLUTINATION AGGLUTININ AGGLUTININS AGGRANDIZE AGGRAVATE AGGRAVATED AGGRAVATES AGGRAVATION AGGREGATE AGGREGATED AGGREGATELY AGGREGATES AGGREGATING AGGREGATION AGGREGATIONS AGGRESSION AGGRESSIONS AGGRESSIVE AGGRESSIVELY AGGRESSIVENESS AGGRESSOR AGGRESSORS AGGRIEVE AGGRIEVED AGGRIEVES AGGRIEVING AGHAST AGILE AGILELY AGILITY AGING AGITATE AGITATED AGITATES AGITATING AGITATION AGITATIONS AGITATOR AGITATORS AGLEAM AGLOW AGNES AGNEW AGNOSTIC AGNOSTICS AGO AGOG AGONIES AGONIZE AGONIZED AGONIZES AGONIZING AGONIZINGLY AGONY AGRARIAN AGREE AGREEABLE AGREEABLY AGREED AGREEING AGREEMENT AGREEMENTS AGREER AGREERS AGREES AGRICOLA AGRICULTURAL AGRICULTURALLY AGRICULTURE AGUE AGWAY AHEAD AHMADABAD AHMEDABAD AID AIDA AIDE AIDED AIDES AIDING AIDS AIKEN AIL AILEEN AILERON AILERONS AILING AILMENT AILMENTS AIM AIMED AIMER AIMERS AIMING AIMLESS AIMLESSLY AIMS AINU AINUS AIR AIRBAG AIRBAGS AIRBORNE AIRBUS AIRCRAFT AIRDROP AIRDROPS AIRED AIREDALE AIRER AIRERS AIRES AIRFARE AIRFIELD AIRFIELDS AIRFLOW AIRFOIL AIRFOILS AIRFRAME AIRFRAMES AIRILY AIRING AIRINGS AIRLESS AIRLIFT AIRLIFTS AIRLINE AIRLINER AIRLINES AIRLOCK AIRLOCKS AIRMAIL AIRMAILS AIRMAN AIRMEN AIRPLANE AIRPLANES AIRPORT AIRPORTS AIRS AIRSHIP AIRSHIPS AIRSPACE AIRSPEED AIRSTRIP AIRSTRIPS AIRTIGHT AIRWAY AIRWAYS AIRY AISLE AITKEN AJAR AJAX AKERS AKIMBO AKIN AKRON ALABAMA ALABAMANS ALABAMIAN ALABASTER ALACRITY ALADDIN ALAMEDA ALAMO ALAMOS ALAN ALAR ALARM ALARMED ALARMING ALARMINGLY ALARMIST ALARMS ALAS ALASKA ALASKAN ALASTAIR ALBA ALBACORE ALBANIA ALBANIAN ALBANIANS ALBANY ALBATROSS ALBEIT ALBERICH ALBERT ALBERTA ALBERTO ALBRECHT ALBRIGHT ALBUM ALBUMIN ALBUMS ALBUQUERQUE ALCESTIS ALCHEMY ALCIBIADES ALCMENA ALCOA ALCOHOL ALCOHOLIC ALCOHOLICS ALCOHOLISM ALCOHOLS ALCOTT ALCOVE ALCOVES ALDEBARAN ALDEN ALDER ALDERMAN ALDERMEN ALDRICH ALE ALEC ALECK ALEE ALERT ALERTED ALERTEDLY ALERTER ALERTERS ALERTING ALERTLY ALERTNESS ALERTS ALEUT ALEUTIAN ALEX ALEXANDER ALEXANDRA ALEXANDRE ALEXANDRIA ALEXANDRINE ALEXEI ALEXIS ALFA ALFALFA ALFONSO ALFRED ALFREDO ALFRESCO ALGA ALGAE ALGAECIDE ALGEBRA ALGEBRAIC ALGEBRAICALLY ALGEBRAS ALGENIB ALGER ALGERIA ALGERIAN ALGIERS ALGINATE ALGOL ALGOL ALGONQUIAN ALGONQUIN ALGORITHM ALGORITHMIC ALGORITHMICALLY ALGORITHMS ALHAMBRA ALI ALIAS ALIASED ALIASES ALIASING ALIBI ALIBIS ALICE ALICIA ALIEN ALIENATE ALIENATED ALIENATES ALIENATING ALIENATION ALIENS ALIGHT ALIGN ALIGNED ALIGNING ALIGNMENT ALIGNMENTS ALIGNS ALIKE ALIMENT ALIMENTS ALIMONY ALISON ALISTAIR ALIVE ALKALI ALKALINE ALKALIS ALKALOID ALKALOIDS ALKYL ALL ALLAH ALLAN ALLAY ALLAYED ALLAYING ALLAYS ALLEGATION ALLEGATIONS ALLEGE ALLEGED ALLEGEDLY ALLEGES ALLEGHENIES ALLEGHENY ALLEGIANCE ALLEGIANCES ALLEGING ALLEGORIC ALLEGORICAL ALLEGORICALLY ALLEGORIES ALLEGORY ALLEGRA ALLEGRETTO ALLEGRETTOS ALLELE ALLELES ALLEMANDE ALLEN ALLENDALE ALLENTOWN ALLERGIC ALLERGIES ALLERGY ALLEVIATE ALLEVIATED ALLEVIATES ALLEVIATING ALLEVIATION ALLEY ALLEYS ALLEYWAY ALLEYWAYS ALLIANCE ALLIANCES ALLIED ALLIES ALLIGATOR ALLIGATORS ALLIS ALLISON ALLITERATION ALLITERATIONS ALLITERATIVE ALLOCATABLE ALLOCATE ALLOCATED ALLOCATES ALLOCATING ALLOCATION ALLOCATIONS ALLOCATOR ALLOCATORS ALLOPHONE ALLOPHONES ALLOPHONIC ALLOT ALLOTMENT ALLOTMENTS ALLOTS ALLOTTED ALLOTTER ALLOTTING ALLOW ALLOWABLE ALLOWABLY ALLOWANCE ALLOWANCES ALLOWED ALLOWING ALLOWS ALLOY ALLOYS ALLSTATE ALLUDE ALLUDED ALLUDES ALLUDING ALLURE ALLUREMENT ALLURING ALLUSION ALLUSIONS ALLUSIVE ALLUSIVENESS ALLY ALLYING ALLYN ALMA ALMADEN ALMANAC ALMANACS ALMIGHTY ALMOND ALMONDS ALMONER ALMOST ALMS ALMSMAN ALNICO ALOE ALOES ALOFT ALOHA ALONE ALONENESS ALONG ALONGSIDE ALOOF ALOOFNESS ALOUD ALPERT ALPHA ALPHABET ALPHABETIC ALPHABETICAL ALPHABETICALLY ALPHABETICS ALPHABETIZE ALPHABETIZED ALPHABETIZES ALPHABETIZING ALPHABETS ALPHANUMERIC ALPHERATZ ALPHONSE ALPINE ALPS ALREADY ALSATIAN ALSATIANS ALSO ALSOP ALTAIR ALTAR ALTARS ALTER ALTERABLE ALTERATION ALTERATIONS ALTERCATION ALTERCATIONS ALTERED ALTERER ALTERERS ALTERING ALTERNATE ALTERNATED ALTERNATELY ALTERNATES ALTERNATING ALTERNATION ALTERNATIONS ALTERNATIVE ALTERNATIVELY ALTERNATIVES ALTERNATOR ALTERNATORS ALTERS ALTHAEA ALTHOUGH ALTITUDE ALTITUDES ALTOGETHER ALTON ALTOS ALTRUISM ALTRUIST ALTRUISTIC ALTRUISTICALLY ALUM ALUMINUM ALUMNA ALUMNAE ALUMNI ALUMNUS ALUNDUM ALVA ALVAREZ ALVEOLAR ALVEOLI ALVEOLUS ALVIN ALWAYS ALYSSA AMADEUS AMAIN AMALGAM AMALGAMATE AMALGAMATED AMALGAMATES AMALGAMATING AMALGAMATION AMALGAMS AMANDA AMANUENSIS AMARETTO AMARILLO AMASS AMASSED AMASSES AMASSING AMATEUR AMATEURISH AMATEURISHNESS AMATEURISM AMATEURS AMATORY AMAZE AMAZED AMAZEDLY AMAZEMENT AMAZER AMAZERS AMAZES AMAZING AMAZINGLY AMAZON AMAZONS AMBASSADOR AMBASSADORS AMBER AMBIANCE AMBIDEXTROUS AMBIDEXTROUSLY AMBIENT AMBIGUITIES AMBIGUITY AMBIGUOUS AMBIGUOUSLY AMBITION AMBITIONS AMBITIOUS AMBITIOUSLY AMBIVALENCE AMBIVALENT AMBIVALENTLY AMBLE AMBLED AMBLER AMBLES AMBLING AMBROSIAL AMBULANCE AMBULANCES AMBULATORY AMBUSCADE AMBUSH AMBUSHED AMBUSHES AMDAHL AMELIA AMELIORATE AMELIORATED AMELIORATING AMELIORATION AMEN AMENABLE AMEND AMENDED AMENDING AMENDMENT AMENDMENTS AMENDS AMENITIES AMENITY AMENORRHEA AMERADA AMERICA AMERICAN AMERICANA AMERICANISM AMERICANIZATION AMERICANIZATIONS AMERICANIZE AMERICANIZER AMERICANIZERS AMERICANIZES AMERICANS AMERICAS AMERICIUM AMES AMHARIC AMHERST AMIABLE AMICABLE AMICABLY AMID AMIDE AMIDST AMIGA AMIGO AMINO AMISS AMITY AMMAN AMMERMAN AMMO AMMONIA AMMONIAC AMMONIUM AMMUNITION AMNESTY AMOCO AMOEBA AMOEBAE AMOEBAS AMOK AMONG AMONGST AMONTILLADO AMORAL AMORALITY AMORIST AMOROUS AMORPHOUS AMORPHOUSLY AMORTIZE AMORTIZED AMORTIZES AMORTIZING AMOS AMOUNT AMOUNTED AMOUNTER AMOUNTERS AMOUNTING AMOUNTS AMOUR AMPERAGE AMPERE AMPERES AMPERSAND AMPERSANDS AMPEX AMPHETAMINE AMPHETAMINES AMPHIBIAN AMPHIBIANS AMPHIBIOUS AMPHIBIOUSLY AMPHIBOLOGY AMPHITHEATER AMPHITHEATERS AMPLE AMPLIFICATION AMPLIFIED AMPLIFIER AMPLIFIERS AMPLIFIES AMPLIFY AMPLIFYING AMPLITUDE AMPLITUDES AMPLY AMPOULE AMPOULES AMPUTATE AMPUTATED AMPUTATES AMPUTATING AMSTERDAM AMTRAK AMULET AMULETS AMUSE AMUSED AMUSEDLY AMUSEMENT AMUSEMENTS AMUSER AMUSERS AMUSES AMUSING AMUSINGLY AMY AMYL ANABAPTIST ANABAPTISTS ANABEL ANACHRONISM ANACHRONISMS ANACHRONISTICALLY ANACONDA ANACONDAS ANACREON ANAEROBIC ANAGRAM ANAGRAMS ANAHEIM ANAL ANALECTS ANALOG ANALOGICAL ANALOGIES ANALOGOUS ANALOGOUSLY ANALOGUE ANALOGUES ANALOGY ANALYSES ANALYSIS ANALYST ANALYSTS ANALYTIC ANALYTICAL ANALYTICALLY ANALYTICITIES ANALYTICITY ANALYZABLE ANALYZE ANALYZED ANALYZER ANALYZERS ANALYZES ANALYZING ANAPHORA ANAPHORIC ANAPHORICALLY ANAPLASMOSIS ANARCHIC ANARCHICAL ANARCHISM ANARCHIST ANARCHISTS ANARCHY ANASTASIA ANASTOMOSES ANASTOMOSIS ANASTOMOTIC ANATHEMA ANATOLE ANATOLIA ANATOLIAN ANATOMIC ANATOMICAL ANATOMICALLY ANATOMY ANCESTOR ANCESTORS ANCESTRAL ANCESTRY ANCHOR ANCHORAGE ANCHORAGES ANCHORED ANCHORING ANCHORITE ANCHORITISM ANCHORS ANCHOVIES ANCHOVY ANCIENT ANCIENTLY ANCIENTS ANCILLARY AND ANDALUSIA ANDALUSIAN ANDALUSIANS ANDEAN ANDERS ANDERSEN ANDERSON ANDES ANDING ANDORRA ANDOVER ANDRE ANDREA ANDREI ANDREW ANDREWS ANDROMACHE ANDROMEDA ANDY ANECDOTAL ANECDOTE ANECDOTES ANECHOIC ANEMIA ANEMIC ANEMOMETER ANEMOMETERS ANEMOMETRY ANEMONE ANESTHESIA ANESTHETIC ANESTHETICALLY ANESTHETICS ANESTHETIZE ANESTHETIZED ANESTHETIZES ANESTHETIZING ANEW ANGEL ANGELA ANGELENO ANGELENOS ANGELES ANGELIC ANGELICA ANGELINA ANGELINE ANGELO ANGELS ANGER ANGERED ANGERING ANGERS ANGIE ANGIOGRAPHY ANGLE ANGLED ANGLER ANGLERS ANGLES ANGLIA ANGLICAN ANGLICANISM ANGLICANIZE ANGLICANIZES ANGLICANS ANGLING ANGLO ANGLOPHILIA ANGLOPHOBIA ANGOLA ANGORA ANGRIER ANGRIEST ANGRILY ANGRY ANGST ANGSTROM ANGUISH ANGUISHED ANGULAR ANGULARLY ANGUS ANHEUSER ANHYDROUS ANHYDROUSLY ANILINE ANIMAL ANIMALS ANIMATE ANIMATED ANIMATEDLY ANIMATELY ANIMATENESS ANIMATES ANIMATING ANIMATION ANIMATIONS ANIMATOR ANIMATORS ANIMISM ANIMIZED ANIMOSITY ANION ANIONIC ANIONS ANISE ANISEIKONIC ANISOTROPIC ANISOTROPY ANITA ANKARA ANKLE ANKLES ANN ANNA ANNAL ANNALIST ANNALISTIC ANNALS ANNAPOLIS ANNE ANNETTE ANNEX ANNEXATION ANNEXED ANNEXES ANNEXING ANNIE ANNIHILATE ANNIHILATED ANNIHILATES ANNIHILATING ANNIHILATION ANNIVERSARIES ANNIVERSARY ANNOTATE ANNOTATED ANNOTATES ANNOTATING ANNOTATION ANNOTATIONS ANNOUNCE ANNOUNCED ANNOUNCEMENT ANNOUNCEMENTS ANNOUNCER ANNOUNCERS ANNOUNCES ANNOUNCING ANNOY ANNOYANCE ANNOYANCES ANNOYED ANNOYER ANNOYERS ANNOYING ANNOYINGLY ANNOYS ANNUAL ANNUALLY ANNUALS ANNUITY ANNUL ANNULAR ANNULI ANNULLED ANNULLING ANNULMENT ANNULMENTS ANNULS ANNULUS ANNUM ANNUNCIATE ANNUNCIATED ANNUNCIATES ANNUNCIATING ANNUNCIATOR ANNUNCIATORS ANODE ANODES ANODIZE ANODIZED ANODIZES ANOINT ANOINTED ANOINTING ANOINTS ANOMALIES ANOMALOUS ANOMALOUSLY ANOMALY ANOMIC ANOMIE ANON ANONYMITY ANONYMOUS ANONYMOUSLY ANOREXIA ANOTHER ANSELM ANSELMO ANSI ANSWER ANSWERABLE ANSWERED ANSWERER ANSWERERS ANSWERING ANSWERS ANT ANTAEUS ANTAGONISM ANTAGONISMS ANTAGONIST ANTAGONISTIC ANTAGONISTICALLY ANTAGONISTS ANTAGONIZE ANTAGONIZED ANTAGONIZES ANTAGONIZING ANTARCTIC ANTARCTICA ANTARES ANTE ANTEATER ANTEATERS ANTECEDENT ANTECEDENTS ANTEDATE ANTELOPE ANTELOPES ANTENNA ANTENNAE ANTENNAS ANTERIOR ANTHEM ANTHEMS ANTHER ANTHOLOGIES ANTHOLOGY ANTHONY ANTHRACITE ANTHROPOLOGICAL ANTHROPOLOGICALLY ANTHROPOLOGIST ANTHROPOLOGISTS ANTHROPOLOGY ANTHROPOMORPHIC ANTHROPOMORPHICALLY ANTI ANTIBACTERIAL ANTIBIOTIC ANTIBIOTICS ANTIBODIES ANTIBODY ANTIC ANTICIPATE ANTICIPATED ANTICIPATES ANTICIPATING ANTICIPATION ANTICIPATIONS ANTICIPATORY ANTICOAGULATION ANTICOMPETITIVE ANTICS ANTIDISESTABLISHMENTARIANISM ANTIDOTE ANTIDOTES ANTIETAM ANTIFORMANT ANTIFUNDAMENTALIST ANTIGEN ANTIGENS ANTIGONE ANTIHISTORICAL ANTILLES ANTIMICROBIAL ANTIMONY ANTINOMIAN ANTINOMY ANTIOCH ANTIPATHY ANTIPHONAL ANTIPODE ANTIPODES ANTIQUARIAN ANTIQUARIANS ANTIQUATE ANTIQUATED ANTIQUE ANTIQUES ANTIQUITIES ANTIQUITY ANTIREDEPOSITION ANTIRESONANCE ANTIRESONATOR ANTISEMITIC ANTISEMITISM ANTISEPTIC ANTISERA ANTISERUM ANTISLAVERY ANTISOCIAL ANTISUBMARINE ANTISYMMETRIC ANTISYMMETRY ANTITHESIS ANTITHETICAL ANTITHYROID ANTITOXIN ANTITOXINS ANTITRUST ANTLER ANTLERED ANTOINE ANTOINETTE ANTON ANTONIO ANTONOVICS ANTONY ANTS ANTWERP ANUS ANVIL ANVILS ANXIETIES ANXIETY ANXIOUS ANXIOUSLY ANY ANYBODY ANYHOW ANYMORE ANYONE ANYPLACE ANYTHING ANYTIME ANYWAY ANYWHERE AORTA APACE APACHES APALACHICOLA APART APARTMENT APARTMENTS APATHETIC APATHY APE APED APERIODIC APERIODICITY APERTURE APES APETALOUS APEX APHASIA APHASIC APHELION APHID APHIDS APHONIC APHORISM APHORISMS APHRODITE APIARIES APIARY APICAL APIECE APING APISH APLENTY APLOMB APOCALYPSE APOCALYPTIC APOCRYPHA APOCRYPHAL APOGEE APOGEES APOLLINAIRE APOLLO APOLLONIAN APOLOGETIC APOLOGETICALLY APOLOGIA APOLOGIES APOLOGIST APOLOGISTS APOLOGIZE APOLOGIZED APOLOGIZES APOLOGIZING APOLOGY APOSTATE APOSTLE APOSTLES APOSTOLIC APOSTROPHE APOSTROPHES APOTHECARY APOTHEGM APOTHEOSES APOTHEOSIS APPALACHIA APPALACHIAN APPALACHIANS APPALL APPALLED APPALLING APPALLINGLY APPALOOSAS APPANAGE APPARATUS APPAREL APPARELED APPARENT APPARENTLY APPARITION APPARITIONS APPEAL APPEALED APPEALER APPEALERS APPEALING APPEALINGLY APPEALS APPEAR APPEARANCE APPEARANCES APPEARED APPEARER APPEARERS APPEARING APPEARS APPEASE APPEASED APPEASEMENT APPEASES APPEASING APPELLANT APPELLANTS APPELLATE APPELLATION APPEND APPENDAGE APPENDAGES APPENDED APPENDER APPENDERS APPENDICES APPENDICITIS APPENDING APPENDIX APPENDIXES APPENDS APPERTAIN APPERTAINS APPETITE APPETITES APPETIZER APPETIZING APPIA APPIAN APPLAUD APPLAUDED APPLAUDING APPLAUDS APPLAUSE APPLE APPLEBY APPLEJACK APPLES APPLETON APPLIANCE APPLIANCES APPLICABILITY APPLICABLE APPLICANT APPLICANTS APPLICATION APPLICATIONS APPLICATIVE APPLICATIVELY APPLICATOR APPLICATORS APPLIED APPLIER APPLIERS APPLIES APPLIQUE APPLY APPLYING APPOINT APPOINTED APPOINTEE APPOINTEES APPOINTER APPOINTERS APPOINTING APPOINTIVE APPOINTMENT APPOINTMENTS APPOINTS APPOMATTOX APPORTION APPORTIONED APPORTIONING APPORTIONMENT APPORTIONMENTS APPORTIONS APPOSITE APPRAISAL APPRAISALS APPRAISE APPRAISED APPRAISER APPRAISERS APPRAISES APPRAISING APPRAISINGLY APPRECIABLE APPRECIABLY APPRECIATE APPRECIATED APPRECIATES APPRECIATING APPRECIATION APPRECIATIONS APPRECIATIVE APPRECIATIVELY APPREHEND APPREHENDED APPREHENSIBLE APPREHENSION APPREHENSIONS APPREHENSIVE APPREHENSIVELY APPREHENSIVENESS APPRENTICE APPRENTICED APPRENTICES APPRENTICESHIP APPRISE APPRISED APPRISES APPRISING APPROACH APPROACHABILITY APPROACHABLE APPROACHED APPROACHER APPROACHERS APPROACHES APPROACHING APPROBATE APPROBATION APPROPRIATE APPROPRIATED APPROPRIATELY APPROPRIATENESS APPROPRIATES APPROPRIATING APPROPRIATION APPROPRIATIONS APPROPRIATOR APPROPRIATORS APPROVAL APPROVALS APPROVE APPROVED APPROVER APPROVERS APPROVES APPROVING APPROVINGLY APPROXIMATE APPROXIMATED APPROXIMATELY APPROXIMATES APPROXIMATING APPROXIMATION APPROXIMATIONS APPURTENANCE APPURTENANCES APRICOT APRICOTS APRIL APRILS APRON APRONS APROPOS APSE APSIS APT APTITUDE APTITUDES APTLY APTNESS AQUA AQUARIA AQUARIUM AQUARIUS AQUATIC AQUEDUCT AQUEDUCTS AQUEOUS AQUIFER AQUIFERS AQUILA AQUINAS ARAB ARABESQUE ARABIA ARABIAN ARABIANIZE ARABIANIZES ARABIANS ARABIC ARABICIZE ARABICIZES ARABLE ARABS ARABY ARACHNE ARACHNID ARACHNIDS ARAMCO ARAPAHO ARBITER ARBITERS ARBITRARILY ARBITRARINESS ARBITRARY ARBITRATE ARBITRATED ARBITRATES ARBITRATING ARBITRATION ARBITRATOR ARBITRATORS ARBOR ARBOREAL ARBORS ARC ARCADE ARCADED ARCADES ARCADIA ARCADIAN ARCANE ARCED ARCH ARCHAIC ARCHAICALLY ARCHAICNESS ARCHAISM ARCHAIZE ARCHANGEL ARCHANGELS ARCHBISHOP ARCHDIOCESE ARCHDIOCESES ARCHED ARCHENEMY ARCHEOLOGICAL ARCHEOLOGIST ARCHEOLOGY ARCHER ARCHERS ARCHERY ARCHES ARCHETYPE ARCHFOOL ARCHIBALD ARCHIE ARCHIMEDES ARCHING ARCHIPELAGO ARCHIPELAGOES ARCHITECT ARCHITECTONIC ARCHITECTS ARCHITECTURAL ARCHITECTURALLY ARCHITECTURE ARCHITECTURES ARCHIVAL ARCHIVE ARCHIVED ARCHIVER ARCHIVERS ARCHIVES ARCHIVING ARCHIVIST ARCHLY ARCING ARCLIKE ARCO ARCS ARCSINE ARCTANGENT ARCTIC ARCTURUS ARDEN ARDENT ARDENTLY ARDOR ARDUOUS ARDUOUSLY ARDUOUSNESS ARE AREA AREAS ARENA ARENAS AREQUIPA ARES ARGENTINA ARGENTINIAN ARGIVE ARGO ARGON ARGONAUT ARGONAUTS ARGONNE ARGOS ARGOT ARGUABLE ARGUABLY ARGUE ARGUED ARGUER ARGUERS ARGUES ARGUING ARGUMENT ARGUMENTATION ARGUMENTATIVE ARGUMENTS ARGUS ARIADNE ARIANISM ARIANIST ARIANISTS ARID ARIDITY ARIES ARIGHT ARISE ARISEN ARISER ARISES ARISING ARISINGS ARISTOCRACY ARISTOCRAT ARISTOCRATIC ARISTOCRATICALLY ARISTOCRATS ARISTOTELIAN ARISTOTLE ARITHMETIC ARITHMETICAL ARITHMETICALLY ARITHMETICS ARITHMETIZE ARITHMETIZED ARITHMETIZES ARIZONA ARK ARKANSAN ARKANSAS ARLEN ARLENE ARLINGTON ARM ARMADA ARMADILLO ARMADILLOS ARMAGEDDON ARMAGNAC ARMAMENT ARMAMENTS ARMATA ARMCHAIR ARMCHAIRS ARMCO ARMED ARMENIA ARMENIAN ARMER ARMERS ARMFUL ARMHOLE ARMIES ARMING ARMISTICE ARMLOAD ARMONK ARMOR ARMORED ARMORER ARMORY ARMOUR ARMPIT ARMPITS ARMS ARMSTRONG ARMY ARNOLD AROMA AROMAS AROMATIC AROSE AROUND AROUSAL AROUSE AROUSED AROUSES AROUSING ARPA ARPANET ARPANET ARPEGGIO ARPEGGIOS ARRACK ARRAGON ARRAIGN ARRAIGNED ARRAIGNING ARRAIGNMENT ARRAIGNMENTS ARRAIGNS ARRANGE ARRANGED ARRANGEMENT ARRANGEMENTS ARRANGER ARRANGERS ARRANGES ARRANGING ARRANT ARRAY ARRAYED ARRAYS ARREARS ARREST ARRESTED ARRESTER ARRESTERS ARRESTING ARRESTINGLY ARRESTOR ARRESTORS ARRESTS ARRHENIUS ARRIVAL ARRIVALS ARRIVE ARRIVED ARRIVES ARRIVING ARROGANCE ARROGANT ARROGANTLY ARROGATE ARROGATED ARROGATES ARROGATING ARROGATION ARROW ARROWED ARROWHEAD ARROWHEADS ARROWS ARROYO ARROYOS ARSENAL ARSENALS ARSENIC ARSINE ARSON ART ARTEMIA ARTEMIS ARTERIAL ARTERIES ARTERIOLAR ARTERIOLE ARTERIOLES ARTERIOSCLEROSIS ARTERY ARTFUL ARTFULLY ARTFULNESS ARTHRITIS ARTHROPOD ARTHROPODS ARTHUR ARTICHOKE ARTICHOKES ARTICLE ARTICLES ARTICULATE ARTICULATED ARTICULATELY ARTICULATENESS ARTICULATES ARTICULATING ARTICULATION ARTICULATIONS ARTICULATOR ARTICULATORS ARTICULATORY ARTIE ARTIFACT ARTIFACTS ARTIFICE ARTIFICER ARTIFICES ARTIFICIAL ARTIFICIALITIES ARTIFICIALITY ARTIFICIALLY ARTIFICIALNESS ARTILLERIST ARTILLERY ARTISAN ARTISANS ARTIST ARTISTIC ARTISTICALLY ARTISTRY ARTISTS ARTLESS ARTS ARTURO ARTWORK ARUBA ARYAN ARYANS ASBESTOS ASCEND ASCENDANCY ASCENDANT ASCENDED ASCENDENCY ASCENDENT ASCENDER ASCENDERS ASCENDING ASCENDS ASCENSION ASCENSIONS ASCENT ASCERTAIN ASCERTAINABLE ASCERTAINED ASCERTAINING ASCERTAINS ASCETIC ASCETICISM ASCETICS ASCII ASCOT ASCRIBABLE ASCRIBE ASCRIBED ASCRIBES ASCRIBING ASCRIPTION ASEPTIC ASH ASHAMED ASHAMEDLY ASHEN ASHER ASHES ASHEVILLE ASHLAND ASHLEY ASHMAN ASHMOLEAN ASHORE ASHTRAY ASHTRAYS ASIA ASIAN ASIANS ASIATIC ASIATICIZATION ASIATICIZATIONS ASIATICIZE ASIATICIZES ASIATICS ASIDE ASILOMAR ASININE ASK ASKANCE ASKED ASKER ASKERS ASKEW ASKING ASKS ASLEEP ASOCIAL ASP ASPARAGUS ASPECT ASPECTS ASPEN ASPERSION ASPERSIONS ASPHALT ASPHYXIA ASPIC ASPIRANT ASPIRANTS ASPIRATE ASPIRATED ASPIRATES ASPIRATING ASPIRATION ASPIRATIONS ASPIRATOR ASPIRATORS ASPIRE ASPIRED ASPIRES ASPIRIN ASPIRING ASPIRINS ASS ASSAIL ASSAILANT ASSAILANTS ASSAILED ASSAILING ASSAILS ASSAM ASSASSIN ASSASSINATE ASSASSINATED ASSASSINATES ASSASSINATING ASSASSINATION ASSASSINATIONS ASSASSINS ASSAULT ASSAULTED ASSAULTING ASSAULTS ASSAY ASSAYED ASSAYING ASSEMBLAGE ASSEMBLAGES ASSEMBLE ASSEMBLED ASSEMBLER ASSEMBLERS ASSEMBLES ASSEMBLIES ASSEMBLING ASSEMBLY ASSENT ASSENTED ASSENTER ASSENTING ASSENTS ASSERT ASSERTED ASSERTER ASSERTERS ASSERTING ASSERTION ASSERTIONS ASSERTIVE ASSERTIVELY ASSERTIVENESS ASSERTS ASSES ASSESS ASSESSED ASSESSES ASSESSING ASSESSMENT ASSESSMENTS ASSESSOR ASSESSORS ASSET ASSETS ASSIDUITY ASSIDUOUS ASSIDUOUSLY ASSIGN ASSIGNABLE ASSIGNED ASSIGNEE ASSIGNEES ASSIGNER ASSIGNERS ASSIGNING ASSIGNMENT ASSIGNMENTS ASSIGNS ASSIMILATE ASSIMILATED ASSIMILATES ASSIMILATING ASSIMILATION ASSIMILATIONS ASSIST ASSISTANCE ASSISTANCES ASSISTANT ASSISTANTS ASSISTANTSHIP ASSISTANTSHIPS ASSISTED ASSISTING ASSISTS ASSOCIATE ASSOCIATED ASSOCIATES ASSOCIATING ASSOCIATION ASSOCIATIONAL ASSOCIATIONS ASSOCIATIVE ASSOCIATIVELY ASSOCIATIVITY ASSOCIATOR ASSOCIATORS ASSONANCE ASSONANT ASSORT ASSORTED ASSORTMENT ASSORTMENTS ASSORTS ASSUAGE ASSUAGED ASSUAGES ASSUME ASSUMED ASSUMES ASSUMING ASSUMPTION ASSUMPTIONS ASSURANCE ASSURANCES ASSURE ASSURED ASSUREDLY ASSURER ASSURERS ASSURES ASSURING ASSURINGLY ASSYRIA ASSYRIAN ASSYRIANIZE ASSYRIANIZES ASSYRIOLOGY ASTAIRE ASTAIRES ASTARTE ASTATINE ASTER ASTERISK ASTERISKS ASTEROID ASTEROIDAL ASTEROIDS ASTERS ASTHMA ASTON ASTONISH ASTONISHED ASTONISHES ASTONISHING ASTONISHINGLY ASTONISHMENT ASTOR ASTORIA ASTOUND ASTOUNDED ASTOUNDING ASTOUNDS ASTRAL ASTRAY ASTRIDE ASTRINGENCY ASTRINGENT ASTROLOGY ASTRONAUT ASTRONAUTICS ASTRONAUTS ASTRONOMER ASTRONOMERS ASTRONOMICAL ASTRONOMICALLY ASTRONOMY ASTROPHYSICAL ASTROPHYSICS ASTUTE ASTUTELY ASTUTENESS ASUNCION ASUNDER ASYLUM ASYMMETRIC ASYMMETRICALLY ASYMMETRY ASYMPTOMATICALLY ASYMPTOTE ASYMPTOTES ASYMPTOTIC ASYMPTOTICALLY ASYNCHRONISM ASYNCHRONOUS ASYNCHRONOUSLY ASYNCHRONY ATALANTA ATARI ATAVISTIC ATCHISON ATE ATEMPORAL ATHABASCAN ATHEISM ATHEIST ATHEISTIC ATHEISTS ATHENA ATHENIAN ATHENIANS ATHENS ATHEROSCLEROSIS ATHLETE ATHLETES ATHLETIC ATHLETICISM ATHLETICS ATKINS ATKINSON ATLANTA ATLANTIC ATLANTICA ATLANTIS ATLAS ATMOSPHERE ATMOSPHERES ATMOSPHERIC ATOLL ATOLLS ATOM ATOMIC ATOMICALLY ATOMICS ATOMIZATION ATOMIZE ATOMIZED ATOMIZES ATOMIZING ATOMS ATONAL ATONALLY ATONE ATONED ATONEMENT ATONES ATOP ATREUS ATROCIOUS ATROCIOUSLY ATROCITIES ATROCITY ATROPHIC ATROPHIED ATROPHIES ATROPHY ATROPHYING ATROPOS ATTACH ATTACHE ATTACHED ATTACHER ATTACHERS ATTACHES ATTACHING ATTACHMENT ATTACHMENTS ATTACK ATTACKABLE ATTACKED ATTACKER ATTACKERS ATTACKING ATTACKS ATTAIN ATTAINABLE ATTAINABLY ATTAINED ATTAINER ATTAINERS ATTAINING ATTAINMENT ATTAINMENTS ATTAINS ATTEMPT ATTEMPTED ATTEMPTER ATTEMPTERS ATTEMPTING ATTEMPTS ATTEND ATTENDANCE ATTENDANCES ATTENDANT ATTENDANTS ATTENDED ATTENDEE ATTENDEES ATTENDER ATTENDERS ATTENDING ATTENDS ATTENTION ATTENTIONAL ATTENTIONALITY ATTENTIONS ATTENTIVE ATTENTIVELY ATTENTIVENESS ATTENUATE ATTENUATED ATTENUATES ATTENUATING ATTENUATION ATTENUATOR ATTENUATORS ATTEST ATTESTED ATTESTING ATTESTS ATTIC ATTICA ATTICS ATTIRE ATTIRED ATTIRES ATTIRING ATTITUDE ATTITUDES ATTITUDINAL ATTLEE ATTORNEY ATTORNEYS ATTRACT ATTRACTED ATTRACTING ATTRACTION ATTRACTIONS ATTRACTIVE ATTRACTIVELY ATTRACTIVENESS ATTRACTOR ATTRACTORS ATTRACTS ATTRIBUTABLE ATTRIBUTE ATTRIBUTED ATTRIBUTES ATTRIBUTING ATTRIBUTION ATTRIBUTIONS ATTRIBUTIVE ATTRIBUTIVELY ATTRITION ATTUNE ATTUNED ATTUNES ATTUNING ATWATER ATWOOD ATYPICAL ATYPICALLY AUBERGE AUBREY AUBURN AUCKLAND AUCTION AUCTIONEER AUCTIONEERS AUDACIOUS AUDACIOUSLY AUDACIOUSNESS AUDACITY AUDIBLE AUDIBLY AUDIENCE AUDIENCES AUDIO AUDIOGRAM AUDIOGRAMS AUDIOLOGICAL AUDIOLOGIST AUDIOLOGISTS AUDIOLOGY AUDIOMETER AUDIOMETERS AUDIOMETRIC AUDIOMETRY AUDIT AUDITED AUDITING AUDITION AUDITIONED AUDITIONING AUDITIONS AUDITOR AUDITORIUM AUDITORS AUDITORY AUDITS AUDREY AUDUBON AUERBACH AUGEAN AUGER AUGERS AUGHT AUGMENT AUGMENTATION AUGMENTED AUGMENTING AUGMENTS AUGUR AUGURS AUGUST AUGUSTA AUGUSTAN AUGUSTINE AUGUSTLY AUGUSTNESS AUGUSTUS AUNT AUNTS AURA AURAL AURALLY AURAS AURELIUS AUREOLE AUREOMYCIN AURIGA AURORA AUSCHWITZ AUSCULTATE AUSCULTATED AUSCULTATES AUSCULTATING AUSCULTATION AUSCULTATIONS AUSPICE AUSPICES AUSPICIOUS AUSPICIOUSLY AUSTERE AUSTERELY AUSTERITY AUSTIN AUSTRALIA AUSTRALIAN AUSTRALIANIZE AUSTRALIANIZES AUSTRALIS AUSTRIA AUSTRIAN AUSTRIANIZE AUSTRIANIZES AUTHENTIC AUTHENTICALLY AUTHENTICATE AUTHENTICATED AUTHENTICATES AUTHENTICATING AUTHENTICATION AUTHENTICATIONS AUTHENTICATOR AUTHENTICATORS AUTHENTICITY AUTHOR AUTHORED AUTHORING AUTHORITARIAN AUTHORITARIANISM AUTHORITATIVE AUTHORITATIVELY AUTHORITIES AUTHORITY AUTHORIZATION AUTHORIZATIONS AUTHORIZE AUTHORIZED AUTHORIZER AUTHORIZERS AUTHORIZES AUTHORIZING AUTHORS AUTHORSHIP AUTISM AUTISTIC AUTO AUTOBIOGRAPHIC AUTOBIOGRAPHICAL AUTOBIOGRAPHIES AUTOBIOGRAPHY AUTOCOLLIMATOR AUTOCORRELATE AUTOCORRELATION AUTOCRACIES AUTOCRACY AUTOCRAT AUTOCRATIC AUTOCRATICALLY AUTOCRATS AUTODECREMENT AUTODECREMENTED AUTODECREMENTS AUTODIALER AUTOFLUORESCENCE AUTOGRAPH AUTOGRAPHED AUTOGRAPHING AUTOGRAPHS AUTOINCREMENT AUTOINCREMENTED AUTOINCREMENTS AUTOINDEX AUTOINDEXING AUTOMATA AUTOMATE AUTOMATED AUTOMATES AUTOMATIC AUTOMATICALLY AUTOMATING AUTOMATION AUTOMATON AUTOMOBILE AUTOMOBILES AUTOMOTIVE AUTONAVIGATOR AUTONAVIGATORS AUTONOMIC AUTONOMOUS AUTONOMOUSLY AUTONOMY AUTOPILOT AUTOPILOTS AUTOPSIED AUTOPSIES AUTOPSY AUTOREGRESSIVE AUTOS AUTOSUGGESTIBILITY AUTOTRANSFORMER AUTUMN AUTUMNAL AUTUMNS AUXILIARIES AUXILIARY AVAIL AVAILABILITIES AVAILABILITY AVAILABLE AVAILABLY AVAILED AVAILER AVAILERS AVAILING AVAILS AVALANCHE AVALANCHED AVALANCHES AVALANCHING AVANT AVARICE AVARICIOUS AVARICIOUSLY AVENGE AVENGED AVENGER AVENGES AVENGING AVENTINE AVENTINO AVENUE AVENUES AVER AVERAGE AVERAGED AVERAGES AVERAGING AVERNUS AVERRED AVERRER AVERRING AVERS AVERSE AVERSION AVERSIONS AVERT AVERTED AVERTING AVERTS AVERY AVESTA AVIAN AVIARIES AVIARY AVIATION AVIATOR AVIATORS AVID AVIDITY AVIDLY AVIGNON AVIONIC AVIONICS AVIS AVIV AVOCADO AVOCADOS AVOCATION AVOCATIONS AVOGADRO AVOID AVOIDABLE AVOIDABLY AVOIDANCE AVOIDED AVOIDER AVOIDERS AVOIDING AVOIDS AVON AVOUCH AVOW AVOWAL AVOWED AVOWS AWAIT AWAITED AWAITING AWAITS AWAKE AWAKEN AWAKENED AWAKENING AWAKENS AWAKES AWAKING AWARD AWARDED AWARDER AWARDERS AWARDING AWARDS AWARE AWARENESS AWASH AWAY AWE AWED AWESOME AWFUL AWFULLY AWFULNESS AWHILE AWKWARD AWKWARDLY AWKWARDNESS AWL AWLS AWNING AWNINGS AWOKE AWRY AXED AXEL AXER AXERS AXES AXIAL AXIALLY AXING AXIOLOGICAL AXIOM AXIOMATIC AXIOMATICALLY AXIOMATIZATION AXIOMATIZATIONS AXIOMATIZE AXIOMATIZED AXIOMATIZES AXIOMATIZING AXIOMS AXIS AXLE AXLES AXOLOTL AXOLOTLS AXON AXONS AYE AYERS AYES AYLESBURY AZALEA AZALEAS AZERBAIJAN AZIMUTH AZIMUTHS AZORES AZTEC AZTECAN AZURE BABBAGE BABBLE BABBLED BABBLES BABBLING BABCOCK BABE BABEL BABELIZE BABELIZES BABES BABIED BABIES BABKA BABOON BABOONS BABUL BABY BABYHOOD BABYING BABYISH BABYLON BABYLONIAN BABYLONIANS BABYLONIZE BABYLONIZES BABYSIT BABYSITTING BACCALAUREATE BACCHUS BACH BACHELOR BACHELORS BACILLI BACILLUS BACK BACKACHE BACKACHES BACKARROW BACKBEND BACKBENDS BACKBOARD BACKBONE BACKBONES BACKDROP BACKDROPS BACKED BACKER BACKERS BACKFILL BACKFIRING BACKGROUND BACKGROUNDS BACKHAND BACKING BACKLASH BACKLOG BACKLOGGED BACKLOGS BACKORDER BACKPACK BACKPACKS BACKPLANE BACKPLANES BACKPLATE BACKS BACKSCATTER BACKSCATTERED BACKSCATTERING BACKSCATTERS BACKSIDE BACKSLASH BACKSLASHES BACKSPACE BACKSPACED BACKSPACES BACKSPACING BACKSTAGE BACKSTAIRS BACKSTITCH BACKSTITCHED BACKSTITCHES BACKSTITCHING BACKSTOP BACKTRACK BACKTRACKED BACKTRACKER BACKTRACKERS BACKTRACKING BACKTRACKS BACKUP BACKUPS BACKUS BACKWARD BACKWARDNESS BACKWARDS BACKWATER BACKWATERS BACKWOODS BACKYARD BACKYARDS BACON BACTERIA BACTERIAL BACTERIUM BAD BADE BADEN BADGE BADGER BADGERED BADGERING BADGERS BADGES BADLANDS BADLY BADMINTON BADNESS BAFFIN BAFFLE BAFFLED BAFFLER BAFFLERS BAFFLING BAG BAGATELLE BAGATELLES BAGEL BAGELS BAGGAGE BAGGED BAGGER BAGGERS BAGGING BAGGY BAGHDAD BAGLEY BAGPIPE BAGPIPES BAGRODIA BAGRODIAS BAGS BAH BAHAMA BAHAMAS BAHREIN BAIL BAILEY BAILEYS BAILIFF BAILIFFS BAILING BAIRD BAIRDI BAIRN BAIT BAITED BAITER BAITING BAITS BAJA BAKE BAKED BAKELITE BAKER BAKERIES BAKERS BAKERSFIELD BAKERY BAKES BAKHTIARI BAKING BAKLAVA BAKU BALALAIKA BALALAIKAS BALANCE BALANCED BALANCER BALANCERS BALANCES BALANCING BALBOA BALCONIES BALCONY BALD BALDING BALDLY BALDNESS BALDWIN BALE BALEFUL BALER BALES BALFOUR BALI BALINESE BALK BALKAN BALKANIZATION BALKANIZATIONS BALKANIZE BALKANIZED BALKANIZES BALKANIZING BALKANS BALKED BALKINESS BALKING BALKS BALKY BALL BALLAD BALLADS BALLARD BALLARDS BALLAST BALLASTS BALLED BALLER BALLERINA BALLERINAS BALLERS BALLET BALLETS BALLGOWN BALLING BALLISTIC BALLISTICS BALLOON BALLOONED BALLOONER BALLOONERS BALLOONING BALLOONS BALLOT BALLOTS BALLPARK BALLPARKS BALLPLAYER BALLPLAYERS BALLROOM BALLROOMS BALLS BALLYHOO BALM BALMS BALMY BALSA BALSAM BALTIC BALTIMORE BALTIMOREAN BALUSTRADE BALUSTRADES BALZAC BAMAKO BAMBERGER BAMBI BAMBOO BAN BANACH BANAL BANALLY BANANA BANANAS BANBURY BANCROFT BAND BANDAGE BANDAGED BANDAGES BANDAGING BANDED BANDIED BANDIES BANDING BANDIT BANDITS BANDPASS BANDS BANDSTAND BANDSTANDS BANDWAGON BANDWAGONS BANDWIDTH BANDWIDTHS BANDY BANDYING BANE BANEFUL BANG BANGED BANGING BANGLADESH BANGLE BANGLES BANGOR BANGS BANGUI BANISH BANISHED BANISHES BANISHING BANISHMENT BANISTER BANISTERS BANJO BANJOS BANK BANKED BANKER BANKERS BANKING BANKRUPT BANKRUPTCIES BANKRUPTCY BANKRUPTED BANKRUPTING BANKRUPTS BANKS BANNED BANNER BANNERS BANNING BANQUET BANQUETING BANQUETINGS BANQUETS BANS BANSHEE BANSHEES BANTAM BANTER BANTERED BANTERING BANTERS BANTU BANTUS BAPTISM BAPTISMAL BAPTISMS BAPTIST BAPTISTE BAPTISTERY BAPTISTRIES BAPTISTRY BAPTISTS BAPTIZE BAPTIZED BAPTIZES BAPTIZING BAR BARB BARBADOS BARBARA BARBARIAN BARBARIANS BARBARIC BARBARISM BARBARITIES BARBARITY BARBAROUS BARBAROUSLY BARBECUE BARBECUED BARBECUES BARBED BARBELL BARBELLS BARBER BARBITAL BARBITURATE BARBITURATES BARBOUR BARBS BARCELONA BARCLAY BARD BARDS BARE BARED BAREFACED BAREFOOT BAREFOOTED BARELY BARENESS BARER BARES BAREST BARFLIES BARFLY BARGAIN BARGAINED BARGAINING BARGAINS BARGE BARGES BARGING BARHOP BARING BARITONE BARITONES BARIUM BARK BARKED BARKER BARKERS BARKING BARKS BARLEY BARLOW BARN BARNABAS BARNARD BARNES BARNET BARNETT BARNEY BARNHARD BARNS BARNSTORM BARNSTORMED BARNSTORMING BARNSTORMS BARNUM BARNYARD BARNYARDS BAROMETER BAROMETERS BAROMETRIC BARON BARONESS BARONIAL BARONIES BARONS BARONY BAROQUE BAROQUENESS BARR BARRACK BARRACKS BARRAGE BARRAGES BARRED BARREL BARRELLED BARRELLING BARRELS BARREN BARRENNESS BARRETT BARRICADE BARRICADES BARRIER BARRIERS BARRING BARRINGER BARRINGTON BARRON BARROW BARRY BARRYMORE BARRYMORES BARS BARSTOW BART BARTENDER BARTENDERS BARTER BARTERED BARTERING BARTERS BARTH BARTHOLOMEW BARTLETT BARTOK BARTON BASAL BASALT BASCOM BASE BASEBALL BASEBALLS BASEBAND BASEBOARD BASEBOARDS BASED BASEL BASELESS BASELINE BASELINES BASELY BASEMAN BASEMENT BASEMENTS BASENESS BASER BASES BASH BASHED BASHES BASHFUL BASHFULNESS BASHING BASIC BASIC BASIC BASICALLY BASICS BASIE BASIL BASIN BASING BASINS BASIS BASK BASKED BASKET BASKETBALL BASKETBALLS BASKETS BASKING BASQUE BASS BASSES BASSET BASSETT BASSINET BASSINETS BASTARD BASTARDS BASTE BASTED BASTES BASTING BASTION BASTIONS BAT BATAVIA BATCH BATCHED BATCHELDER BATCHES BATEMAN BATES BATH BATHE BATHED BATHER BATHERS BATHES BATHING BATHOS BATHROBE BATHROBES BATHROOM BATHROOMS BATHS BATHTUB BATHTUBS BATHURST BATISTA BATON BATONS BATOR BATS BATTALION BATTALIONS BATTED BATTELLE BATTEN BATTENS BATTER BATTERED BATTERIES BATTERING BATTERS BATTERY BATTING BATTLE BATTLED BATTLEFIELD BATTLEFIELDS BATTLEFRONT BATTLEFRONTS BATTLEGROUND BATTLEGROUNDS BATTLEMENT BATTLEMENTS BATTLER BATTLERS BATTLES BATTLESHIP BATTLESHIPS BATTLING BAUBLE BAUBLES BAUD BAUDELAIRE BAUER BAUHAUS BAUSCH BAUXITE BAVARIA BAVARIAN BAWDY BAWL BAWLED BAWLING BAWLS BAXTER BAY BAYDA BAYED BAYES BAYESIAN BAYING BAYLOR BAYONET BAYONETS BAYONNE BAYOU BAYOUS BAYPORT BAYREUTH BAYS BAZAAR BAZAARS BEACH BEACHED BEACHES BEACHHEAD BEACHHEADS BEACHING BEACON BEACONS BEAD BEADED BEADING BEADLE BEADLES BEADS BEADY BEAGLE BEAGLES BEAK BEAKED BEAKER BEAKERS BEAKS BEAM BEAMED BEAMER BEAMERS BEAMING BEAMS BEAN BEANBAG BEANED BEANER BEANERS BEANING BEANS BEAR BEARABLE BEARABLY BEARD BEARDED BEARDLESS BEARDS BEARDSLEY BEARER BEARERS BEARING BEARINGS BEARISH BEARS BEAST BEASTLY BEASTS BEAT BEATABLE BEATABLY BEATEN BEATER BEATERS BEATIFIC BEATIFICATION BEATIFY BEATING BEATINGS BEATITUDE BEATITUDES BEATNIK BEATNIKS BEATRICE BEATS BEAU BEAUCHAMPS BEAUJOLAIS BEAUMONT BEAUREGARD BEAUS BEAUTEOUS BEAUTEOUSLY BEAUTIES BEAUTIFICATIONS BEAUTIFIED BEAUTIFIER BEAUTIFIERS BEAUTIFIES BEAUTIFUL BEAUTIFULLY BEAUTIFY BEAUTIFYING BEAUTY BEAVER BEAVERS BEAVERTON BECALM BECALMED BECALMING BECALMS BECAME BECAUSE BECHTEL BECK BECKER BECKMAN BECKON BECKONED BECKONING BECKONS BECKY BECOME BECOMES BECOMING BECOMINGLY BED BEDAZZLE BEDAZZLED BEDAZZLEMENT BEDAZZLES BEDAZZLING BEDBUG BEDBUGS BEDDED BEDDER BEDDERS BEDDING BEDEVIL BEDEVILED BEDEVILING BEDEVILS BEDFAST BEDFORD BEDLAM BEDPOST BEDPOSTS BEDRAGGLE BEDRAGGLED BEDRIDDEN BEDROCK BEDROOM BEDROOMS BEDS BEDSIDE BEDSPREAD BEDSPREADS BEDSPRING BEDSPRINGS BEDSTEAD BEDSTEADS BEDTIME BEE BEEBE BEECH BEECHAM BEECHEN BEECHER BEEF BEEFED BEEFER BEEFERS BEEFING BEEFS BEEFSTEAK BEEFY BEEHIVE BEEHIVES BEEN BEEP BEEPS BEER BEERS BEES BEET BEETHOVEN BEETLE BEETLED BEETLES BEETLING BEETS BEFALL BEFALLEN BEFALLING BEFALLS BEFELL BEFIT BEFITS BEFITTED BEFITTING BEFOG BEFOGGED BEFOGGING BEFORE BEFOREHAND BEFOUL BEFOULED BEFOULING BEFOULS BEFRIEND BEFRIENDED BEFRIENDING BEFRIENDS BEFUDDLE BEFUDDLED BEFUDDLES BEFUDDLING BEG BEGAN BEGET BEGETS BEGETTING BEGGAR BEGGARLY BEGGARS BEGGARY BEGGED BEGGING BEGIN BEGINNER BEGINNERS BEGINNING BEGINNINGS BEGINS BEGOT BEGOTTEN BEGRUDGE BEGRUDGED BEGRUDGES BEGRUDGING BEGRUDGINGLY BEGS BEGUILE BEGUILED BEGUILES BEGUILING BEGUN BEHALF BEHAVE BEHAVED BEHAVES BEHAVING BEHAVIOR BEHAVIORAL BEHAVIORALLY BEHAVIORISM BEHAVIORISTIC BEHAVIORS BEHEAD BEHEADING BEHELD BEHEMOTH BEHEMOTHS BEHEST BEHIND BEHOLD BEHOLDEN BEHOLDER BEHOLDERS BEHOLDING BEHOLDS BEHOOVE BEHOOVES BEIGE BEIJING BEING BEINGS BEIRUT BELA BELABOR BELABORED BELABORING BELABORS BELATED BELATEDLY BELAY BELAYED BELAYING BELAYS BELCH BELCHED BELCHES BELCHING BELFAST BELFRIES BELFRY BELGIAN BELGIANS BELGIUM BELGRADE BELIE BELIED BELIEF BELIEFS BELIES BELIEVABLE BELIEVABLY BELIEVE BELIEVED BELIEVER BELIEVERS BELIEVES BELIEVING BELITTLE BELITTLED BELITTLES BELITTLING BELIZE BELL BELLA BELLAMY BELLATRIX BELLBOY BELLBOYS BELLE BELLES BELLEVILLE BELLHOP BELLHOPS BELLICOSE BELLICOSITY BELLIES BELLIGERENCE BELLIGERENT BELLIGERENTLY BELLIGERENTS BELLINGHAM BELLINI BELLMAN BELLMEN BELLOVIN BELLOW BELLOWED BELLOWING BELLOWS BELLS BELLUM BELLWETHER BELLWETHERS BELLWOOD BELLY BELLYACHE BELLYFULL BELMONT BELOIT BELONG BELONGED BELONGING BELONGINGS BELONGS BELOVED BELOW BELSHAZZAR BELT BELTED BELTING BELTON BELTS BELTSVILLE BELUSHI BELY BELYING BEMOAN BEMOANED BEMOANING BEMOANS BEN BENARES BENCH BENCHED BENCHES BENCHMARK BENCHMARKING BENCHMARKS BEND BENDABLE BENDER BENDERS BENDING BENDIX BENDS BENEATH BENEDICT BENEDICTINE BENEDICTION BENEDICTIONS BENEDIKT BENEFACTOR BENEFACTORS BENEFICENCE BENEFICENCES BENEFICENT BENEFICIAL BENEFICIALLY BENEFICIARIES BENEFICIARY BENEFIT BENEFITED BENEFITING BENEFITS BENEFITTED BENEFITTING BENELUX BENEVOLENCE BENEVOLENT BENGAL BENGALI BENIGHTED BENIGN BENIGNLY BENJAMIN BENNETT BENNINGTON BENNY BENSON BENT BENTHAM BENTLEY BENTLEYS BENTON BENZ BENZEDRINE BENZENE BEOGRAD BEOWULF BEQUEATH BEQUEATHAL BEQUEATHED BEQUEATHING BEQUEATHS BEQUEST BEQUESTS BERATE BERATED BERATES BERATING BEREA BEREAVE BEREAVED BEREAVEMENT BEREAVEMENTS BEREAVES BEREAVING BEREFT BERENICES BERESFORD BERET BERETS BERGEN BERGLAND BERGLUND BERGMAN BERGSON BERGSTEN BERGSTROM BERIBBONED BERIBERI BERINGER BERKELEY BERKELIUM BERKOWITZ BERKSHIRE BERKSHIRES BERLIN BERLINER BERLINERS BERLINIZE BERLINIZES BERLIOZ BERLITZ BERMAN BERMUDA BERN BERNADINE BERNARD BERNARDINE BERNARDINO BERNARDO BERNE BERNET BERNHARD BERNICE BERNIE BERNIECE BERNINI BERNOULLI BERNSTEIN BERRA BERRIES BERRY BERSERK BERT BERTH BERTHA BERTHS BERTIE BERTRAM BERTRAND BERWICK BERYL BERYLLIUM BESEECH BESEECHES BESEECHING BESET BESETS BESETTING BESIDE BESIDES BESIEGE BESIEGED BESIEGER BESIEGERS BESIEGING BESMIRCH BESMIRCHED BESMIRCHES BESMIRCHING BESOTTED BESOTTER BESOTTING BESOUGHT BESPEAK BESPEAKS BESPECTACLED BESPOKE BESS BESSEL BESSEMER BESSEMERIZE BESSEMERIZES BESSIE BEST BESTED BESTIAL BESTING BESTIR BESTIRRING BESTOW BESTOWAL BESTOWED BESTS BESTSELLER BESTSELLERS BESTSELLING BET BETA BETATRON BETEL BETELGEUSE BETHESDA BETHLEHEM BETIDE BETRAY BETRAYAL BETRAYED BETRAYER BETRAYING BETRAYS BETROTH BETROTHAL BETROTHED BETS BETSEY BETSY BETTE BETTER BETTERED BETTERING BETTERMENT BETTERMENTS BETTERS BETTIES BETTING BETTY BETWEEN BETWIXT BEVEL BEVELED BEVELING BEVELS BEVERAGE BEVERAGES BEVERLY BEVY BEWAIL BEWAILED BEWAILING BEWAILS BEWARE BEWHISKERED BEWILDER BEWILDERED BEWILDERING BEWILDERINGLY BEWILDERMENT BEWILDERS BEWITCH BEWITCHED BEWITCHES BEWITCHING BEYOND BHUTAN BIALYSTOK BIANCO BIANNUAL BIAS BIASED BIASES BIASING BIB BIBBED BIBBING BIBLE BIBLES BIBLICAL BIBLICALLY BIBLIOGRAPHIC BIBLIOGRAPHICAL BIBLIOGRAPHIES BIBLIOGRAPHY BIBLIOPHILE BIBS BICAMERAL BICARBONATE BICENTENNIAL BICEP BICEPS BICKER BICKERED BICKERING BICKERS BICONCAVE BICONNECTED BICONVEX BICYCLE BICYCLED BICYCLER BICYCLERS BICYCLES BICYCLING BID BIDDABLE BIDDEN BIDDER BIDDERS BIDDIES BIDDING BIDDLE BIDDY BIDE BIDIRECTIONAL BIDS BIEN BIENNIAL BIENNIUM BIENVILLE BIER BIERCE BIFOCAL BIFOCALS BIFURCATE BIG BIGELOW BIGGER BIGGEST BIGGS BIGHT BIGHTS BIGNESS BIGOT BIGOTED BIGOTRY BIGOTS BIHARMONIC BIJECTION BIJECTIONS BIJECTIVE BIJECTIVELY BIKE BIKES BIKING BIKINI BIKINIS BILABIAL BILATERAL BILATERALLY BILBAO BILBO BILE BILGE BILGES BILINEAR BILINGUAL BILK BILKED BILKING BILKS BILL BILLBOARD BILLBOARDS BILLED BILLER BILLERS BILLET BILLETED BILLETING BILLETS BILLIARD BILLIARDS BILLIE BILLIKEN BILLIKENS BILLING BILLINGS BILLION BILLIONS BILLIONTH BILLOW BILLOWED BILLOWS BILLS BILTMORE BIMETALLIC BIMETALLISM BIMINI BIMODAL BIMOLECULAR BIMONTHLIES BIMONTHLY BIN BINARIES BINARY BINAURAL BIND BINDER BINDERS BINDING BINDINGS BINDS BING BINGE BINGES BINGHAM BINGHAMTON BINGO BINI BINOCULAR BINOCULARS BINOMIAL BINS BINUCLEAR BIOCHEMICAL BIOCHEMIST BIOCHEMISTRY BIOFEEDBACK BIOGRAPHER BIOGRAPHERS BIOGRAPHIC BIOGRAPHICAL BIOGRAPHICALLY BIOGRAPHIES BIOGRAPHY BIOLOGICAL BIOLOGICALLY BIOLOGIST BIOLOGISTS BIOLOGY BIOMEDICAL BIOMEDICINE BIOPHYSICAL BIOPHYSICIST BIOPHYSICS BIOPSIES BIOPSY BIOSCIENCE BIOSPHERE BIOSTATISTIC BIOSYNTHESIZE BIOTA BIOTIC BIPARTISAN BIPARTITE BIPED BIPEDS BIPLANE BIPLANES BIPOLAR BIRACIAL BIRCH BIRCHEN BIRCHES BIRD BIRDBATH BIRDBATHS BIRDIE BIRDIED BIRDIES BIRDLIKE BIRDS BIREFRINGENCE BIREFRINGENT BIRGIT BIRMINGHAM BIRMINGHAMIZE BIRMINGHAMIZES BIRTH BIRTHDAY BIRTHDAYS BIRTHED BIRTHPLACE BIRTHPLACES BIRTHRIGHT BIRTHRIGHTS BIRTHS BISCAYNE BISCUIT BISCUITS BISECT BISECTED BISECTING BISECTION BISECTIONS BISECTOR BISECTORS BISECTS BISHOP BISHOPS BISMARCK BISMARK BISMUTH BISON BISONS BISQUE BISQUES BISSAU BISTABLE BISTATE BIT BITCH BITCHES BITE BITER BITERS BITES BITING BITINGLY BITMAP BITNET BITS BITTEN BITTER BITTERER BITTEREST BITTERLY BITTERNESS BITTERNUT BITTERROOT BITTERS BITTERSWEET BITUMEN BITUMINOUS BITWISE BIVALVE BIVALVES BIVARIATE BIVOUAC BIVOUACS BIWEEKLY BIZARRE BIZET BLAB BLABBED BLABBERMOUTH BLABBERMOUTHS BLABBING BLABS BLACK BLACKBERRIES BLACKBERRY BLACKBIRD BLACKBIRDS BLACKBOARD BLACKBOARDS BLACKBURN BLACKED BLACKEN BLACKENED BLACKENING BLACKENS BLACKER BLACKEST BLACKFEET BLACKFOOT BLACKFOOTS BLACKING BLACKJACK BLACKJACKS BLACKLIST BLACKLISTED BLACKLISTING BLACKLISTS BLACKLY BLACKMAIL BLACKMAILED BLACKMAILER BLACKMAILERS BLACKMAILING BLACKMAILS BLACKMAN BLACKMER BLACKNESS BLACKOUT BLACKOUTS BLACKS BLACKSMITH BLACKSMITHS BLACKSTONE BLACKWELL BLACKWELLS BLADDER BLADDERS BLADE BLADES BLAINE BLAIR BLAKE BLAKEY BLAMABLE BLAME BLAMED BLAMELESS BLAMELESSNESS BLAMER BLAMERS BLAMES BLAMEWORTHY BLAMING BLANCH BLANCHARD BLANCHE BLANCHED BLANCHES BLANCHING BLAND BLANDLY BLANDNESS BLANK BLANKED BLANKER BLANKEST BLANKET BLANKETED BLANKETER BLANKETERS BLANKETING BLANKETS BLANKING BLANKLY BLANKNESS BLANKS BLANTON BLARE BLARED BLARES BLARING BLASE BLASPHEME BLASPHEMED BLASPHEMES BLASPHEMIES BLASPHEMING BLASPHEMOUS BLASPHEMOUSLY BLASPHEMOUSNESS BLASPHEMY BLAST BLASTED BLASTER BLASTERS BLASTING BLASTS BLATANT BLATANTLY BLATZ BLAZE BLAZED BLAZER BLAZERS BLAZES BLAZING BLEACH BLEACHED BLEACHER BLEACHERS BLEACHES BLEACHING BLEAK BLEAKER BLEAKLY BLEAKNESS BLEAR BLEARY BLEAT BLEATING BLEATS BLED BLEED BLEEDER BLEEDING BLEEDINGS BLEEDS BLEEKER BLEMISH BLEMISHES BLEND BLENDED BLENDER BLENDING BLENDS BLENHEIM BLESS BLESSED BLESSING BLESSINGS BLEW BLIGHT BLIGHTED BLIMP BLIMPS BLIND BLINDED BLINDER BLINDERS BLINDFOLD BLINDFOLDED BLINDFOLDING BLINDFOLDS BLINDING BLINDINGLY BLINDLY BLINDNESS BLINDS BLINK BLINKED BLINKER BLINKERS BLINKING BLINKS BLINN BLIP BLIPS BLISS BLISSFUL BLISSFULLY BLISTER BLISTERED BLISTERING BLISTERS BLITHE BLITHELY BLITZ BLITZES BLITZKRIEG BLIZZARD BLIZZARDS BLOAT BLOATED BLOATER BLOATING BLOATS BLOB BLOBS BLOC BLOCH BLOCK BLOCKADE BLOCKADED BLOCKADES BLOCKADING BLOCKAGE BLOCKAGES BLOCKED BLOCKER BLOCKERS BLOCKHOUSE BLOCKHOUSES BLOCKING BLOCKS BLOCS BLOKE BLOKES BLOMBERG BLOMQUIST BLOND BLONDE BLONDES BLONDS BLOOD BLOODBATH BLOODED BLOODHOUND BLOODHOUNDS BLOODIED BLOODIEST BLOODLESS BLOODS BLOODSHED BLOODSHOT BLOODSTAIN BLOODSTAINED BLOODSTAINS BLOODSTREAM BLOODY BLOOM BLOOMED BLOOMERS BLOOMFIELD BLOOMING BLOOMINGTON BLOOMS BLOOPER BLOSSOM BLOSSOMED BLOSSOMS BLOT BLOTS BLOTTED BLOTTING BLOUSE BLOUSES BLOW BLOWER BLOWERS BLOWFISH BLOWING BLOWN BLOWOUT BLOWS BLOWUP BLUBBER BLUDGEON BLUDGEONED BLUDGEONING BLUDGEONS BLUE BLUEBERRIES BLUEBERRY BLUEBIRD BLUEBIRDS BLUEBONNET BLUEBONNETS BLUEFISH BLUENESS BLUEPRINT BLUEPRINTS BLUER BLUES BLUEST BLUESTOCKING BLUFF BLUFFING BLUFFS BLUING BLUISH BLUM BLUMENTHAL BLUNDER BLUNDERBUSS BLUNDERED BLUNDERING BLUNDERINGS BLUNDERS BLUNT BLUNTED BLUNTER BLUNTEST BLUNTING BLUNTLY BLUNTNESS BLUNTS BLUR BLURB BLURRED BLURRING BLURRY BLURS BLURT BLURTED BLURTING BLURTS BLUSH BLUSHED BLUSHES BLUSHING BLUSTER BLUSTERED BLUSTERING BLUSTERS BLUSTERY BLYTHE BOA BOAR BOARD BOARDED BOARDER BOARDERS BOARDING BOARDINGHOUSE BOARDINGHOUSES BOARDS BOARSH BOAST BOASTED BOASTER BOASTERS BOASTFUL BOASTFULLY BOASTING BOASTINGS BOASTS BOAT BOATER BOATERS BOATHOUSE BOATHOUSES BOATING BOATLOAD BOATLOADS BOATMAN BOATMEN BOATS BOATSMAN BOATSMEN BOATSWAIN BOATSWAINS BOATYARD BOATYARDS BOB BOBBED BOBBIE BOBBIN BOBBING BOBBINS BOBBSEY BOBBY BOBOLINK BOBOLINKS BOBROW BOBS BOBWHITE BOBWHITES BOCA BODE BODENHEIM BODES BODICE BODIED BODIES BODILY BODLEIAN BODY BODYBUILDER BODYBUILDERS BODYBUILDING BODYGUARD BODYGUARDS BODYWEIGHT BOEING BOEOTIA BOEOTIAN BOER BOERS BOG BOGART BOGARTIAN BOGEYMEN BOGGED BOGGLE BOGGLED BOGGLES BOGGLING BOGOTA BOGS BOGUS BOHEME BOHEMIA BOHEMIAN BOHEMIANISM BOHR BOIL BOILED BOILER BOILERPLATE BOILERS BOILING BOILS BOIS BOISE BOISTEROUS BOISTEROUSLY BOLD BOLDER BOLDEST BOLDFACE BOLDLY BOLDNESS BOLIVIA BOLIVIAN BOLL BOLOGNA BOLSHEVIK BOLSHEVIKS BOLSHEVISM BOLSHEVIST BOLSHEVISTIC BOLSHOI BOLSTER BOLSTERED BOLSTERING BOLSTERS BOLT BOLTED BOLTING BOLTON BOLTS BOLTZMANN BOMB BOMBARD BOMBARDED BOMBARDING BOMBARDMENT BOMBARDS BOMBAST BOMBASTIC BOMBAY BOMBED BOMBER BOMBERS BOMBING BOMBINGS BOMBPROOF BOMBS BONANZA BONANZAS BONAPARTE BONAVENTURE BOND BONDAGE BONDED BONDER BONDERS BONDING BONDS BONDSMAN BONDSMEN BONE BONED BONER BONERS BONES BONFIRE BONFIRES BONG BONHAM BONIFACE BONING BONN BONNET BONNETED BONNETS BONNEVILLE BONNIE BONNY BONTEMPO BONUS BONUSES BONY BOO BOOB BOOBOO BOOBY BOOK BOOKCASE BOOKCASES BOOKED BOOKER BOOKERS BOOKIE BOOKIES BOOKING BOOKINGS BOOKISH BOOKKEEPER BOOKKEEPERS BOOKKEEPING BOOKLET BOOKLETS BOOKMARK BOOKS BOOKSELLER BOOKSELLERS BOOKSHELF BOOKSHELVES BOOKSTORE BOOKSTORES BOOKWORM BOOLEAN BOOLEANS BOOM BOOMED BOOMERANG BOOMERANGS BOOMING BOOMS BOON BOONE BOONTON BOOR BOORISH BOORS BOOS BOOST BOOSTED BOOSTER BOOSTING BOOSTS BOOT BOOTABLE BOOTED BOOTES BOOTH BOOTHS BOOTING BOOTLE BOOTLEG BOOTLEGGED BOOTLEGGER BOOTLEGGERS BOOTLEGGING BOOTLEGS BOOTS BOOTSTRAP BOOTSTRAPPED BOOTSTRAPPING BOOTSTRAPS BOOTY BOOZE BORATE BORATES BORAX BORDEAUX BORDELLO BORDELLOS BORDEN BORDER BORDERED BORDERING BORDERINGS BORDERLAND BORDERLANDS BORDERLINE BORDERS BORE BOREALIS BOREAS BORED BOREDOM BORER BORES BORG BORIC BORING BORIS BORN BORNE BORNEO BORON BOROUGH BOROUGHS BORROUGHS BORROW BORROWED BORROWER BORROWERS BORROWING BORROWS BOSCH BOSE BOSOM BOSOMS BOSPORUS BOSS BOSSED BOSSES BOSTITCH BOSTON BOSTONIAN BOSTONIANS BOSUN BOSWELL BOSWELLIZE BOSWELLIZES BOTANICAL BOTANIST BOTANISTS BOTANY BOTCH BOTCHED BOTCHER BOTCHERS BOTCHES BOTCHING BOTH BOTHER BOTHERED BOTHERING BOTHERS BOTHERSOME BOTSWANA BOTTLE BOTTLED BOTTLENECK BOTTLENECKS BOTTLER BOTTLERS BOTTLES BOTTLING BOTTOM BOTTOMED BOTTOMING BOTTOMLESS BOTTOMS BOTULINUS BOTULISM BOUCHER BOUFFANT BOUGH BOUGHS BOUGHT BOULDER BOULDERS BOULEVARD BOULEVARDS BOUNCE BOUNCED BOUNCER BOUNCES BOUNCING BOUNCY BOUND BOUNDARIES BOUNDARY BOUNDED BOUNDEN BOUNDING BOUNDLESS BOUNDLESSNESS BOUNDS BOUNTEOUS BOUNTEOUSLY BOUNTIES BOUNTIFUL BOUNTY BOUQUET BOUQUETS BOURBAKI BOURBON BOURGEOIS BOURGEOISIE BOURNE BOUSTROPHEDON BOUSTROPHEDONIC BOUT BOUTIQUE BOUTS BOUVIER BOVINE BOVINES BOW BOWDITCH BOWDLERIZE BOWDLERIZED BOWDLERIZES BOWDLERIZING BOWDOIN BOWED BOWEL BOWELS BOWEN BOWER BOWERS BOWES BOWING BOWL BOWLED BOWLER BOWLERS BOWLINE BOWLINES BOWLING BOWLS BOWMAN BOWS BOWSTRING BOWSTRINGS BOX BOXCAR BOXCARS BOXED BOXER BOXERS BOXES BOXFORD BOXING BOXTOP BOXTOPS BOXWOOD BOY BOYCE BOYCOTT BOYCOTTED BOYCOTTS BOYD BOYFRIEND BOYFRIENDS BOYHOOD BOYISH BOYISHNESS BOYLE BOYLSTON BOYS BRA BRACE BRACED BRACELET BRACELETS BRACES BRACING BRACKET BRACKETED BRACKETING BRACKETS BRACKISH BRADBURY BRADFORD BRADLEY BRADSHAW BRADY BRAE BRAES BRAG BRAGG BRAGGED BRAGGER BRAGGING BRAGS BRAHMAPUTRA BRAHMS BRAHMSIAN BRAID BRAIDED BRAIDING BRAIDS BRAILLE BRAIN BRAINARD BRAINARDS BRAINCHILD BRAINED BRAINING BRAINS BRAINSTEM BRAINSTEMS BRAINSTORM BRAINSTORMS BRAINWASH BRAINWASHED BRAINWASHES BRAINWASHING BRAINY BRAKE BRAKED BRAKEMAN BRAKES BRAKING BRAMBLE BRAMBLES BRAMBLY BRAN BRANCH BRANCHED BRANCHES BRANCHING BRANCHINGS BRANCHVILLE BRAND BRANDED BRANDEIS BRANDEL BRANDENBURG BRANDING BRANDISH BRANDISHES BRANDISHING BRANDON BRANDS BRANDT BRANDY BRANDYWINE BRANIFF BRANNON BRAS BRASH BRASHLY BRASHNESS BRASILIA BRASS BRASSES BRASSIERE BRASSTOWN BRASSY BRAT BRATS BRAUN BRAVADO BRAVE BRAVED BRAVELY BRAVENESS BRAVER BRAVERY BRAVES BRAVEST BRAVING BRAVO BRAVOS BRAWL BRAWLER BRAWLING BRAWN BRAY BRAYED BRAYER BRAYING BRAYS BRAZE BRAZED BRAZEN BRAZENLY BRAZENNESS BRAZES BRAZIER BRAZIERS BRAZIL BRAZILIAN BRAZING BRAZZAVILLE BREACH BREACHED BREACHER BREACHERS BREACHES BREACHING BREAD BREADBOARD BREADBOARDS BREADBOX BREADBOXES BREADED BREADING BREADS BREADTH BREADWINNER BREADWINNERS BREAK BREAKABLE BREAKABLES BREAKAGE BREAKAWAY BREAKDOWN BREAKDOWNS BREAKER BREAKERS BREAKFAST BREAKFASTED BREAKFASTER BREAKFASTERS BREAKFASTING BREAKFASTS BREAKING BREAKPOINT BREAKPOINTS BREAKS BREAKTHROUGH BREAKTHROUGHES BREAKTHROUGHS BREAKUP BREAKWATER BREAKWATERS BREAST BREASTED BREASTS BREASTWORK BREASTWORKS BREATH BREATHABLE BREATHE BREATHED BREATHER BREATHERS BREATHES BREATHING BREATHLESS BREATHLESSLY BREATHS BREATHTAKING BREATHTAKINGLY BREATHY BRED BREECH BREECHES BREED BREEDER BREEDING BREEDS BREEZE BREEZES BREEZILY BREEZY BREMEN BREMSSTRAHLUNG BRENDA BRENDAN BRENNAN BRENNER BRENT BRESENHAM BREST BRETHREN BRETON BRETONS BRETT BREVE BREVET BREVETED BREVETING BREVETS BREVITY BREW BREWED BREWER BREWERIES BREWERS BREWERY BREWING BREWS BREWSTER BRIAN BRIAR BRIARS BRIBE BRIBED BRIBER BRIBERS BRIBERY BRIBES BRIBING BRICE BRICK BRICKBAT BRICKED BRICKER BRICKLAYER BRICKLAYERS BRICKLAYING BRICKS BRIDAL BRIDE BRIDEGROOM BRIDES BRIDESMAID BRIDESMAIDS BRIDEWELL BRIDGE BRIDGEABLE BRIDGED BRIDGEHEAD BRIDGEHEADS BRIDGEPORT BRIDGES BRIDGET BRIDGETOWN BRIDGEWATER BRIDGEWORK BRIDGING BRIDLE BRIDLED BRIDLES BRIDLING BRIE BRIEF BRIEFCASE BRIEFCASES BRIEFED BRIEFER BRIEFEST BRIEFING BRIEFINGS BRIEFLY BRIEFNESS BRIEFS BRIEN BRIER BRIG BRIGADE BRIGADES BRIGADIER BRIGADIERS BRIGADOON BRIGANTINE BRIGGS BRIGHAM BRIGHT BRIGHTEN BRIGHTENED BRIGHTENER BRIGHTENERS BRIGHTENING BRIGHTENS BRIGHTER BRIGHTEST BRIGHTLY BRIGHTNESS BRIGHTON BRIGS BRILLIANCE BRILLIANCY BRILLIANT BRILLIANTLY BRILLOUIN BRIM BRIMFUL BRIMMED BRIMMING BRIMSTONE BRINDISI BRINDLE BRINDLED BRINE BRING BRINGER BRINGERS BRINGING BRINGS BRINK BRINKLEY BRINKMANSHIP BRINY BRISBANE BRISK BRISKER BRISKLY BRISKNESS BRISTLE BRISTLED BRISTLES BRISTLING BRISTOL BRITAIN BRITANNIC BRITANNICA BRITCHES BRITISH BRITISHER BRITISHLY BRITON BRITONS BRITTANY BRITTEN BRITTLE BRITTLENESS BROACH BROACHED BROACHES BROACHING BROAD BROADBAND BROADCAST BROADCASTED BROADCASTER BROADCASTERS BROADCASTING BROADCASTINGS BROADCASTS BROADEN BROADENED BROADENER BROADENERS BROADENING BROADENINGS BROADENS BROADER BROADEST BROADLY BROADNESS BROADSIDE BROADWAY BROCADE BROCADED BROCCOLI BROCHURE BROCHURES BROCK BROGLIE BROIL BROILED BROILER BROILERS BROILING BROILS BROKE BROKEN BROKENLY BROKENNESS BROKER BROKERAGE BROKERS BROMFIELD BROMIDE BROMIDES BROMINE BROMLEY BRONCHI BRONCHIAL BRONCHIOLE BRONCHIOLES BRONCHITIS BRONCHUS BRONTOSAURUS BRONX BRONZE BRONZED BRONZES BROOCH BROOCHES BROOD BROODER BROODING BROODS BROOK BROOKDALE BROOKE BROOKED BROOKFIELD BROOKHAVEN BROOKLINE BROOKLYN BROOKMONT BROOKS BROOM BROOMS BROOMSTICK BROOMSTICKS BROTH BROTHEL BROTHELS BROTHER BROTHERHOOD BROTHERLINESS BROTHERLY BROTHERS BROUGHT BROW BROWBEAT BROWBEATEN BROWBEATING BROWBEATS BROWN BROWNE BROWNED BROWNELL BROWNER BROWNEST BROWNIAN BROWNIE BROWNIES BROWNING BROWNISH BROWNNESS BROWNS BROWS BROWSE BROWSING BRUCE BRUCKNER BRUEGEL BRUISE BRUISED BRUISES BRUISING BRUMIDI BRUNCH BRUNCHES BRUNETTE BRUNHILDE BRUNO BRUNSWICK BRUNT BRUSH BRUSHED BRUSHES BRUSHFIRE BRUSHFIRES BRUSHING BRUSHLIKE BRUSHY BRUSQUE BRUSQUELY BRUSSELS BRUTAL BRUTALITIES BRUTALITY BRUTALIZE BRUTALIZED BRUTALIZES BRUTALIZING BRUTALLY BRUTE BRUTES BRUTISH BRUXELLES BRYAN BRYANT BRYCE BRYN BUBBLE BUBBLED BUBBLES BUBBLING BUBBLY BUCHANAN BUCHAREST BUCHENWALD BUCHWALD BUCK BUCKBOARD BUCKBOARDS BUCKED BUCKET BUCKETS BUCKING BUCKLE BUCKLED BUCKLER BUCKLES BUCKLEY BUCKLING BUCKNELL BUCKS BUCKSHOT BUCKSKIN BUCKSKINS BUCKWHEAT BUCKY BUCOLIC BUD BUDAPEST BUDD BUDDED BUDDHA BUDDHISM BUDDHIST BUDDHISTS BUDDIES BUDDING BUDDY BUDGE BUDGED BUDGES BUDGET BUDGETARY BUDGETED BUDGETER BUDGETERS BUDGETING BUDGETS BUDGING BUDS BUDWEISER BUDWEISERS BUEHRING BUENA BUENOS BUFF BUFFALO BUFFALOES BUFFER BUFFERED BUFFERING BUFFERS BUFFET BUFFETED BUFFETING BUFFETINGS BUFFETS BUFFOON BUFFOONS BUFFS BUG BUGABOO BUGATTI BUGEYED BUGGED BUGGER BUGGERS BUGGIES BUGGING BUGGY BUGLE BUGLED BUGLER BUGLES BUGLING BUGS BUICK BUILD BUILDER BUILDERS BUILDING BUILDINGS BUILDS BUILDUP BUILDUPS BUILT BUILTIN BUJUMBURA BULB BULBA BULBS BULGARIA BULGARIAN BULGE BULGED BULGING BULK BULKED BULKHEAD BULKHEADS BULKS BULKY BULL BULLDOG BULLDOGS BULLDOZE BULLDOZED BULLDOZER BULLDOZES BULLDOZING BULLED BULLET BULLETIN BULLETINS BULLETS BULLFROG BULLIED BULLIES BULLING BULLION BULLISH BULLOCK BULLS BULLSEYE BULLY BULLYING BULWARK BUM BUMBLE BUMBLEBEE BUMBLEBEES BUMBLED BUMBLER BUMBLERS BUMBLES BUMBLING BUMBRY BUMMED BUMMING BUMP BUMPED BUMPER BUMPERS BUMPING BUMPS BUMPTIOUS BUMPTIOUSLY BUMPTIOUSNESS BUMS BUN BUNCH BUNCHED BUNCHES BUNCHING BUNDESTAG BUNDLE BUNDLED BUNDLES BUNDLING BUNDOORA BUNDY BUNGALOW BUNGALOWS BUNGLE BUNGLED BUNGLER BUNGLERS BUNGLES BUNGLING BUNION BUNIONS BUNK BUNKER BUNKERED BUNKERS BUNKHOUSE BUNKHOUSES BUNKMATE BUNKMATES BUNKS BUNNIES BUNNY BUNS BUNSEN BUNT BUNTED BUNTER BUNTERS BUNTING BUNTS BUNYAN BUOY BUOYANCY BUOYANT BUOYED BUOYS BURBANK BURCH BURDEN BURDENED BURDENING BURDENS BURDENSOME BUREAU BUREAUCRACIES BUREAUCRACY BUREAUCRAT BUREAUCRATIC BUREAUCRATS BUREAUS BURGEON BURGEONED BURGEONING BURGESS BURGESSES BURGHER BURGHERS BURGLAR BURGLARIES BURGLARIZE BURGLARIZED BURGLARIZES BURGLARIZING BURGLARPROOF BURGLARPROOFED BURGLARPROOFING BURGLARPROOFS BURGLARS BURGLARY BURGUNDIAN BURGUNDIES BURGUNDY BURIAL BURIED BURIES BURKE BURKES BURL BURLESQUE BURLESQUES BURLINGAME BURLINGTON BURLY BURMA BURMESE BURN BURNE BURNED BURNER BURNERS BURNES BURNETT BURNHAM BURNING BURNINGLY BURNINGS BURNISH BURNISHED BURNISHES BURNISHING BURNS BURNSIDE BURNSIDES BURNT BURNTLY BURNTNESS BURP BURPED BURPING BURPS BURR BURROUGHS BURROW BURROWED BURROWER BURROWING BURROWS BURRS BURSA BURSITIS BURST BURSTINESS BURSTING BURSTS BURSTY BURT BURTON BURTT BURUNDI BURY BURYING BUS BUSBOY BUSBOYS BUSCH BUSED BUSES BUSH BUSHEL BUSHELS BUSHES BUSHING BUSHNELL BUSHWHACK BUSHWHACKED BUSHWHACKING BUSHWHACKS BUSHY BUSIED BUSIER BUSIEST BUSILY BUSINESS BUSINESSES BUSINESSLIKE BUSINESSMAN BUSINESSMEN BUSING BUSS BUSSED BUSSES BUSSING BUST BUSTARD BUSTARDS BUSTED BUSTER BUSTLE BUSTLING BUSTS BUSY BUT BUTANE BUTCHER BUTCHERED BUTCHERS BUTCHERY BUTLER BUTLERS BUTT BUTTE BUTTED BUTTER BUTTERBALL BUTTERCUP BUTTERED BUTTERER BUTTERERS BUTTERFAT BUTTERFIELD BUTTERFLIES BUTTERFLY BUTTERING BUTTERMILK BUTTERNUT BUTTERS BUTTERY BUTTES BUTTING BUTTOCK BUTTOCKS BUTTON BUTTONED BUTTONHOLE BUTTONHOLES BUTTONING BUTTONS BUTTRESS BUTTRESSED BUTTRESSES BUTTRESSING BUTTRICK BUTTS BUTYL BUTYRATE BUXOM BUXTEHUDE BUXTON BUY BUYER BUYERS BUYING BUYS BUZZ BUZZARD BUZZARDS BUZZED BUZZER BUZZES BUZZING BUZZWORD BUZZWORDS BUZZY BYE BYERS BYGONE BYLAW BYLAWS BYLINE BYLINES BYPASS BYPASSED BYPASSES BYPASSING BYPRODUCT BYPRODUCTS BYRD BYRNE BYRON BYRONIC BYRONISM BYRONIZE BYRONIZES BYSTANDER BYSTANDERS BYTE BYTES BYWAY BYWAYS BYWORD BYWORDS BYZANTINE BYZANTINIZE BYZANTINIZES BYZANTIUM CAB CABAL CABANA CABARET CABBAGE CABBAGES CABDRIVER CABIN CABINET CABINETS CABINS CABLE CABLED CABLES CABLING CABOOSE CABOT CABS CACHE CACHED CACHES CACHING CACKLE CACKLED CACKLER CACKLES CACKLING CACTI CACTUS CADAVER CADENCE CADENCED CADILLAC CADILLACS CADRES CADY CAESAR CAESARIAN CAESARIZE CAESARIZES CAFE CAFES CAFETERIA CAGE CAGED CAGER CAGERS CAGES CAGING CAHILL CAIMAN CAIN CAINE CAIRN CAIRO CAJOLE CAJOLED CAJOLES CAJOLING CAJUN CAJUNS CAKE CAKED CAKES CAKING CALAIS CALAMITIES CALAMITOUS CALAMITY CALCEOLARIA CALCIFY CALCIUM CALCOMP CALCOMP CALCOMP CALCULATE CALCULATED CALCULATES CALCULATING CALCULATION CALCULATIONS CALCULATIVE CALCULATOR CALCULATORS CALCULI CALCULUS CALCUTTA CALDER CALDERA CALDWELL CALEB CALENDAR CALENDARS CALF CALFSKIN CALGARY CALHOUN CALIBER CALIBERS CALIBRATE CALIBRATED CALIBRATES CALIBRATING CALIBRATION CALIBRATIONS CALICO CALIFORNIA CALIFORNIAN CALIFORNIANS CALIGULA CALIPH CALIPHS CALKINS CALL CALLABLE CALLAGHAN CALLAHAN CALLAN CALLED CALLER CALLERS CALLING CALLIOPE CALLISTO CALLOUS CALLOUSED CALLOUSLY CALLOUSNESS CALLS CALLUS CALM CALMED CALMER CALMEST CALMING CALMINGLY CALMLY CALMNESS CALMS CALORIC CALORIE CALORIES CALORIMETER CALORIMETRIC CALORIMETRY CALTECH CALUMNY CALVARY CALVE CALVERT CALVES CALVIN CALVINIST CALVINIZE CALVINIZES CALYPSO CAM CAMBODIA CAMBRIAN CAMBRIDGE CAMDEN CAME CAMEL CAMELOT CAMELS CAMEMBERT CAMERA CAMERAMAN CAMERAMEN CAMERAS CAMERON CAMEROON CAMEROUN CAMILLA CAMILLE CAMINO CAMOUFLAGE CAMOUFLAGED CAMOUFLAGES CAMOUFLAGING CAMP CAMPAIGN CAMPAIGNED CAMPAIGNER CAMPAIGNERS CAMPAIGNING CAMPAIGNS CAMPBELL CAMPBELLSPORT CAMPED CAMPER CAMPERS CAMPFIRE CAMPGROUND CAMPING CAMPS CAMPSITE CAMPUS CAMPUSES CAN CANAAN CANADA CANADIAN CANADIANIZATION CANADIANIZATIONS CANADIANIZE CANADIANIZES CANADIANS CANAL CANALS CANARIES CANARY CANAVERAL CANBERRA CANCEL CANCELED CANCELING CANCELLATION CANCELLATIONS CANCELS CANCER CANCEROUS CANCERS CANDACE CANDID CANDIDACY CANDIDATE CANDIDATES CANDIDE CANDIDLY CANDIDNESS CANDIED CANDIES CANDLE CANDLELIGHT CANDLER CANDLES CANDLESTICK CANDLESTICKS CANDLEWICK CANDOR CANDY CANE CANER CANFIELD CANINE CANIS CANISTER CANKER CANKERWORM CANNABIS CANNED CANNEL CANNER CANNERS CANNERY CANNIBAL CANNIBALIZE CANNIBALIZED CANNIBALIZES CANNIBALIZING CANNIBALS CANNING CANNISTER CANNISTERS CANNON CANNONBALL CANNONS CANNOT CANNY CANOE CANOES CANOGA CANON CANONIC CANONICAL CANONICALIZATION CANONICALIZE CANONICALIZED CANONICALIZES CANONICALIZING CANONICALLY CANONICALS CANONS CANOPUS CANOPY CANS CANT CANTABRIGIAN CANTALOUPE CANTANKEROUS CANTANKEROUSLY CANTEEN CANTERBURY CANTILEVER CANTO CANTON CANTONESE CANTONS CANTOR CANTORS CANUTE CANVAS CANVASES CANVASS CANVASSED CANVASSER CANVASSERS CANVASSES CANVASSING CANYON CANYONS CAP CAPABILITIES CAPABILITY CAPABLE CAPABLY CAPACIOUS CAPACIOUSLY CAPACIOUSNESS CAPACITANCE CAPACITANCES CAPACITIES CAPACITIVE CAPACITOR CAPACITORS CAPACITY CAPE CAPER CAPERS CAPES CAPET CAPETOWN CAPILLARY CAPISTRANO CAPITA CAPITAL CAPITALISM CAPITALIST CAPITALISTS CAPITALIZATION CAPITALIZATIONS CAPITALIZE CAPITALIZED CAPITALIZER CAPITALIZERS CAPITALIZES CAPITALIZING CAPITALLY CAPITALS CAPITAN CAPITOL CAPITOLINE CAPITOLS CAPPED CAPPING CAPPY CAPRICE CAPRICIOUS CAPRICIOUSLY CAPRICIOUSNESS CAPRICORN CAPS CAPSICUM CAPSTAN CAPSTONE CAPSULE CAPTAIN CAPTAINED CAPTAINING CAPTAINS CAPTION CAPTIONS CAPTIVATE CAPTIVATED CAPTIVATES CAPTIVATING CAPTIVATION CAPTIVE CAPTIVES CAPTIVITY CAPTOR CAPTORS CAPTURE CAPTURED CAPTURER CAPTURERS CAPTURES CAPTURING CAPUTO CAPYBARA CAR CARACAS CARAMEL CARAVAN CARAVANS CARAWAY CARBOHYDRATE CARBOLIC CARBOLOY CARBON CARBONATE CARBONATES CARBONATION CARBONDALE CARBONE CARBONES CARBONIC CARBONIZATION CARBONIZE CARBONIZED CARBONIZER CARBONIZERS CARBONIZES CARBONIZING CARBONS CARBORUNDUM CARBUNCLE CARCASS CARCASSES CARCINOGEN CARCINOGENIC CARCINOMA CARD CARDBOARD CARDER CARDIAC CARDIFF CARDINAL CARDINALITIES CARDINALITY CARDINALLY CARDINALS CARDIOD CARDIOLOGY CARDIOVASCULAR CARDS CARE CARED CAREEN CAREER CAREERS CAREFREE CAREFUL CAREFULLY CAREFULNESS CARELESS CARELESSLY CARELESSNESS CARES CARESS CARESSED CARESSER CARESSES CARESSING CARET CARETAKER CAREY CARGILL CARGO CARGOES CARIB CARIBBEAN CARIBOU CARICATURE CARING CARL CARLA CARLETON CARLETONIAN CARLIN CARLISLE CARLO CARLOAD CARLSBAD CARLSBADS CARLSON CARLTON CARLYLE CARMELA CARMEN CARMICHAEL CARNAGE CARNAL CARNATION CARNEGIE CARNIVAL CARNIVALS CARNIVOROUS CARNIVOROUSLY CAROL CAROLINA CAROLINAS CAROLINE CAROLINGIAN CAROLINIAN CAROLINIANS CAROLS CAROLYN CARP CARPATHIA CARPATHIANS CARPENTER CARPENTERS CARPENTRY CARPET CARPETED CARPETING CARPETS CARPORT CARR CARRARA CARRIAGE CARRIAGES CARRIE CARRIED CARRIER CARRIERS CARRIES CARRION CARROLL CARROT CARROTS CARRUTHERS CARRY CARRYING CARRYOVER CARRYOVERS CARS CARSON CART CARTED CARTEL CARTER CARTERS CARTESIAN CARTHAGE CARTHAGINIAN CARTILAGE CARTING CARTOGRAPHER CARTOGRAPHIC CARTOGRAPHY CARTON CARTONS CARTOON CARTOONS CARTRIDGE CARTRIDGES CARTS CARTWHEEL CARTY CARUSO CARVE CARVED CARVER CARVES CARVING CARVINGS CASANOVA CASCADABLE CASCADE CASCADED CASCADES CASCADING CASE CASED CASEMENT CASEMENTS CASES CASEWORK CASEY CASH CASHED CASHER CASHERS CASHES CASHEW CASHIER CASHIERS CASHING CASHMERE CASING CASINGS CASINO CASK CASKET CASKETS CASKS CASPIAN CASSANDRA CASSEROLE CASSEROLES CASSETTE CASSIOPEIA CASSITE CASSITES CASSIUS CASSOCK CAST CASTE CASTER CASTERS CASTES CASTIGATE CASTILLO CASTING CASTLE CASTLED CASTLES CASTOR CASTRO CASTROISM CASTS CASUAL CASUALLY CASUALNESS CASUALS CASUALTIES CASUALTY CAT CATACLYSMIC CATALAN CATALINA CATALOG CATALOGED CATALOGER CATALOGING CATALOGS CATALONIA CATALYST CATALYSTS CATALYTIC CATAPULT CATARACT CATASTROPHE CATASTROPHES CATASTROPHIC CATAWBA CATCH CATCHABLE CATCHER CATCHERS CATCHES CATCHING CATEGORICAL CATEGORICALLY CATEGORIES CATEGORIZATION CATEGORIZE CATEGORIZED CATEGORIZER CATEGORIZERS CATEGORIZES CATEGORIZING CATEGORY CATER CATERED CATERER CATERING CATERPILLAR CATERPILLARS CATERS CATHEDRAL CATHEDRALS CATHERINE CATHERWOOD CATHETER CATHETERS CATHODE CATHODES CATHOLIC CATHOLICISM CATHOLICISMS CATHOLICS CATHY CATLIKE CATNIP CATS CATSKILL CATSKILLS CATSUP CATTAIL CATTLE CATTLEMAN CATTLEMEN CAUCASIAN CAUCASIANS CAUCASUS CAUCHY CAUCUS CAUGHT CAULDRON CAULDRONS CAULIFLOWER CAULK CAUSAL CAUSALITY CAUSALLY CAUSATION CAUSATIONS CAUSE CAUSED CAUSER CAUSES CAUSEWAY CAUSEWAYS CAUSING CAUSTIC CAUSTICLY CAUSTICS CAUTION CAUTIONED CAUTIONER CAUTIONERS CAUTIONING CAUTIONINGS CAUTIONS CAUTIOUS CAUTIOUSLY CAUTIOUSNESS CAVALIER CAVALIERLY CAVALIERNESS CAVALRY CAVE CAVEAT CAVEATS CAVED CAVEMAN CAVEMEN CAVENDISH CAVERN CAVERNOUS CAVERNS CAVES CAVIAR CAVIL CAVINESS CAVING CAVITIES CAVITY CAW CAWING CAYLEY CAYUGA CEASE CEASED CEASELESS CEASELESSLY CEASELESSNESS CEASES CEASING CECIL CECILIA CECROPIA CEDAR CEDE CEDED CEDING CEDRIC CEILING CEILINGS CELANESE CELEBES CELEBRATE CELEBRATED CELEBRATES CELEBRATING CELEBRATION CELEBRATIONS CELEBRITIES CELEBRITY CELERITY CELERY CELESTE CELESTIAL CELESTIALLY CELIA CELL CELLAR CELLARS CELLED CELLIST CELLISTS CELLOPHANE CELLS CELLULAR CELLULOSE CELSIUS CELT CELTIC CELTICIZE CELTICIZES CEMENT CEMENTED CEMENTING CEMENTS CEMETERIES CEMETERY CENOZOIC CENSOR CENSORED CENSORING CENSORS CENSORSHIP CENSURE CENSURED CENSURER CENSURES CENSUS CENSUSES CENT CENTAUR CENTENARY CENTENNIAL CENTER CENTERED CENTERING CENTERPIECE CENTERPIECES CENTERS CENTIGRADE CENTIMETER CENTIMETERS CENTIPEDE CENTIPEDES CENTRAL CENTRALIA CENTRALISM CENTRALIST CENTRALIZATION CENTRALIZE CENTRALIZED CENTRALIZES CENTRALIZING CENTRALLY CENTREX CENTREX CENTRIFUGAL CENTRIFUGE CENTRIPETAL CENTRIST CENTROID CENTS CENTURIES CENTURY CEPHEUS CERAMIC CERBERUS CEREAL CEREALS CEREBELLUM CEREBRAL CEREMONIAL CEREMONIALLY CEREMONIALNESS CEREMONIES CEREMONY CERES CERN CERTAIN CERTAINLY CERTAINTIES CERTAINTY CERTIFIABLE CERTIFICATE CERTIFICATES CERTIFICATION CERTIFICATIONS CERTIFIED CERTIFIER CERTIFIERS CERTIFIES CERTIFY CERTIFYING CERVANTES CESARE CESSATION CESSATIONS CESSNA CETUS CEYLON CEZANNE CEZANNES CHABLIS CHABLISES CHAD CHADWICK CHAFE CHAFER CHAFF CHAFFER CHAFFEY CHAFFING CHAFING CHAGRIN CHAIN CHAINED CHAINING CHAINS CHAIR CHAIRED CHAIRING CHAIRLADY CHAIRMAN CHAIRMEN CHAIRPERSON CHAIRPERSONS CHAIRS CHAIRWOMAN CHAIRWOMEN CHALICE CHALICES CHALK CHALKED CHALKING CHALKS CHALLENGE CHALLENGED CHALLENGER CHALLENGERS CHALLENGES CHALLENGING CHALMERS CHAMBER CHAMBERED CHAMBERLAIN CHAMBERLAINS CHAMBERMAID CHAMBERS CHAMELEON CHAMPAGNE CHAMPAIGN CHAMPION CHAMPIONED CHAMPIONING CHAMPIONS CHAMPIONSHIP CHAMPIONSHIPS CHAMPLAIN CHANCE CHANCED CHANCELLOR CHANCELLORSVILLE CHANCERY CHANCES CHANCING CHANDELIER CHANDELIERS CHANDIGARH CHANG CHANGE CHANGEABILITY CHANGEABLE CHANGEABLY CHANGED CHANGEOVER CHANGER CHANGERS CHANGES CHANGING CHANNEL CHANNELED CHANNELING CHANNELLED CHANNELLER CHANNELLERS CHANNELLING CHANNELS CHANNING CHANT CHANTED CHANTER CHANTICLEER CHANTICLEERS CHANTILLY CHANTING CHANTS CHAO CHAOS CHAOTIC CHAP CHAPEL CHAPELS CHAPERON CHAPERONE CHAPERONED CHAPLAIN CHAPLAINS CHAPLIN CHAPMAN CHAPS CHAPTER CHAPTERS CHAR CHARACTER CHARACTERISTIC CHARACTERISTICALLY CHARACTERISTICS CHARACTERIZABLE CHARACTERIZATION CHARACTERIZATIONS CHARACTERIZE CHARACTERIZED CHARACTERIZER CHARACTERIZERS CHARACTERIZES CHARACTERIZING CHARACTERS CHARCOAL CHARCOALED CHARGE CHARGEABLE CHARGED CHARGER CHARGERS CHARGES CHARGING CHARIOT CHARIOTS CHARISMA CHARISMATIC CHARITABLE CHARITABLENESS CHARITIES CHARITY CHARLEMAGNE CHARLEMAGNES CHARLES CHARLESTON CHARLEY CHARLIE CHARLOTTE CHARLOTTESVILLE CHARM CHARMED CHARMER CHARMERS CHARMING CHARMINGLY CHARMS CHARON CHARS CHART CHARTA CHARTABLE CHARTED CHARTER CHARTERED CHARTERING CHARTERS CHARTING CHARTINGS CHARTRES CHARTREUSE CHARTS CHARYBDIS CHASE CHASED CHASER CHASERS CHASES CHASING CHASM CHASMS CHASSIS CHASTE CHASTELY CHASTENESS CHASTISE CHASTISED CHASTISER CHASTISERS CHASTISES CHASTISING CHASTITY CHAT CHATEAU CHATEAUS CHATHAM CHATTAHOOCHEE CHATTANOOGA CHATTEL CHATTER CHATTERED CHATTERER CHATTERING CHATTERS CHATTING CHATTY CHAUCER CHAUFFEUR CHAUFFEURED CHAUNCEY CHAUTAUQUA CHEAP CHEAPEN CHEAPENED CHEAPENING CHEAPENS CHEAPER CHEAPEST CHEAPLY CHEAPNESS CHEAT CHEATED CHEATER CHEATERS CHEATING CHEATS CHECK CHECKABLE CHECKBOOK CHECKBOOKS CHECKED CHECKER CHECKERBOARD CHECKERBOARDED CHECKERBOARDING CHECKERS CHECKING CHECKLIST CHECKOUT CHECKPOINT CHECKPOINTS CHECKS CHECKSUM CHECKSUMMED CHECKSUMMING CHECKSUMS CHECKUP CHEEK CHEEKBONE CHEEKS CHEEKY CHEER CHEERED CHEERER CHEERFUL CHEERFULLY CHEERFULNESS CHEERILY CHEERINESS CHEERING CHEERLEADER CHEERLESS CHEERLESSLY CHEERLESSNESS CHEERS CHEERY CHEESE CHEESECLOTH CHEESES CHEESY CHEETAH CHEF CHEFS CHEKHOV CHELSEA CHEMICAL CHEMICALLY CHEMICALS CHEMISE CHEMIST CHEMISTRIES CHEMISTRY CHEMISTS CHEN CHENEY CHENG CHERISH CHERISHED CHERISHES CHERISHING CHERITON CHEROKEE CHEROKEES CHERRIES CHERRY CHERUB CHERUBIM CHERUBS CHERYL CHESAPEAKE CHESHIRE CHESS CHEST CHESTER CHESTERFIELD CHESTERTON CHESTNUT CHESTNUTS CHESTS CHEVROLET CHEVY CHEW CHEWED CHEWER CHEWERS CHEWING CHEWS CHEYENNE CHEYENNES CHIANG CHIC CHICAGO CHICAGOAN CHICAGOANS CHICANA CHICANAS CHICANERY CHICANO CHICANOS CHICK CHICKADEE CHICKADEES CHICKASAWS CHICKEN CHICKENS CHICKS CHIDE CHIDED CHIDES CHIDING CHIEF CHIEFLY CHIEFS CHIEFTAIN CHIEFTAINS CHIFFON CHILD CHILDBIRTH CHILDHOOD CHILDISH CHILDISHLY CHILDISHNESS CHILDLIKE CHILDREN CHILE CHILEAN CHILES CHILI CHILL CHILLED CHILLER CHILLERS CHILLIER CHILLINESS CHILLING CHILLINGLY CHILLS CHILLY CHIME CHIMERA CHIMES CHIMNEY CHIMNEYS CHIMPANZEE CHIN CHINA CHINAMAN CHINAMEN CHINAS CHINATOWN CHINESE CHING CHINK CHINKED CHINKS CHINNED CHINNER CHINNERS CHINNING CHINOOK CHINS CHINTZ CHIP CHIPMUNK CHIPMUNKS CHIPPENDALE CHIPPEWA CHIPS CHIROPRACTOR CHIRP CHIRPED CHIRPING CHIRPS CHISEL CHISELED CHISELER CHISELS CHISHOLM CHIT CHIVALROUS CHIVALROUSLY CHIVALROUSNESS CHIVALRY CHLOE CHLORINE CHLOROFORM CHLOROPHYLL CHLOROPLAST CHLOROPLASTS CHOCK CHOCKS CHOCOLATE CHOCOLATES CHOCTAW CHOCTAWS CHOICE CHOICES CHOICEST CHOIR CHOIRS CHOKE CHOKED CHOKER CHOKERS CHOKES CHOKING CHOLERA CHOMSKY CHOOSE CHOOSER CHOOSERS CHOOSES CHOOSING CHOP CHOPIN CHOPPED CHOPPER CHOPPERS CHOPPING CHOPPY CHOPS CHORAL CHORD CHORDATE CHORDED CHORDING CHORDS CHORE CHOREOGRAPH CHOREOGRAPHY CHORES CHORING CHORTLE CHORUS CHORUSED CHORUSES CHOSE CHOSEN CHOU CHOWDER CHRIS CHRIST CHRISTEN CHRISTENDOM CHRISTENED CHRISTENING CHRISTENS CHRISTENSEN CHRISTENSON CHRISTIAN CHRISTIANA CHRISTIANITY CHRISTIANIZATION CHRISTIANIZATIONS CHRISTIANIZE CHRISTIANIZER CHRISTIANIZERS CHRISTIANIZES CHRISTIANIZING CHRISTIANS CHRISTIANSEN CHRISTIANSON CHRISTIE CHRISTINA CHRISTINE CHRISTLIKE CHRISTMAS CHRISTOFFEL CHRISTOPH CHRISTOPHER CHRISTY CHROMATOGRAM CHROMATOGRAPH CHROMATOGRAPHY CHROME CHROMIUM CHROMOSPHERE CHRONIC CHRONICLE CHRONICLED CHRONICLER CHRONICLERS CHRONICLES CHRONOGRAPH CHRONOGRAPHY CHRONOLOGICAL CHRONOLOGICALLY CHRONOLOGIES CHRONOLOGY CHRYSANTHEMUM CHRYSLER CHUBBIER CHUBBIEST CHUBBINESS CHUBBY CHUCK CHUCKLE CHUCKLED CHUCKLES CHUCKS CHUM CHUNGKING CHUNK CHUNKS CHUNKY CHURCH CHURCHES CHURCHGOER CHURCHGOING CHURCHILL CHURCHILLIAN CHURCHLY CHURCHMAN CHURCHMEN CHURCHWOMAN CHURCHWOMEN CHURCHYARD CHURCHYARDS CHURN CHURNED CHURNING CHURNS CHUTE CHUTES CHUTZPAH CICADA CICERO CICERONIAN CICERONIANIZE CICERONIANIZES CIDER CIGAR CIGARETTE CIGARETTES CIGARS CILIA CINCINNATI CINDER CINDERELLA CINDERS CINDY CINEMA CINEMATIC CINERAMA CINNAMON CIPHER CIPHERS CIPHERTEXT CIPHERTEXTS CIRCA CIRCE CIRCLE CIRCLED CIRCLES CIRCLET CIRCLING CIRCUIT CIRCUITOUS CIRCUITOUSLY CIRCUITRY CIRCUITS CIRCULANT CIRCULAR CIRCULARITY CIRCULARLY CIRCULATE CIRCULATED CIRCULATES CIRCULATING CIRCULATION CIRCUMCISE CIRCUMCISION CIRCUMFERENCE CIRCUMFLEX CIRCUMLOCUTION CIRCUMLOCUTIONS CIRCUMNAVIGATE CIRCUMNAVIGATED CIRCUMNAVIGATES CIRCUMPOLAR CIRCUMSCRIBE CIRCUMSCRIBED CIRCUMSCRIBING CIRCUMSCRIPTION CIRCUMSPECT CIRCUMSPECTION CIRCUMSPECTLY CIRCUMSTANCE CIRCUMSTANCED CIRCUMSTANCES CIRCUMSTANTIAL CIRCUMSTANTIALLY CIRCUMVENT CIRCUMVENTABLE CIRCUMVENTED CIRCUMVENTING CIRCUMVENTS CIRCUS CIRCUSES CISTERN CISTERNS CITADEL CITADELS CITATION CITATIONS CITE CITED CITES CITIES CITING CITIZEN CITIZENS CITIZENSHIP CITROEN CITRUS CITY CITYSCAPE CITYWIDE CIVET CIVIC CIVICS CIVIL CIVILIAN CIVILIANS CIVILITY CIVILIZATION CIVILIZATIONS CIVILIZE CIVILIZED CIVILIZES CIVILIZING CIVILLY CLAD CLADDING CLAIM CLAIMABLE CLAIMANT CLAIMANTS CLAIMED CLAIMING CLAIMS CLAIRE CLAIRVOYANT CLAIRVOYANTLY CLAM CLAMBER CLAMBERED CLAMBERING CLAMBERS CLAMOR CLAMORED CLAMORING CLAMOROUS CLAMORS CLAMP CLAMPED CLAMPING CLAMPS CLAMS CLAN CLANDESTINE CLANG CLANGED CLANGING CLANGS CLANK CLANNISH CLAP CLAPBOARD CLAPEYRON CLAPPING CLAPS CLARA CLARE CLAREMONT CLARENCE CLARENDON CLARIFICATION CLARIFICATIONS CLARIFIED CLARIFIES CLARIFY CLARIFYING CLARINET CLARITY CLARK CLARKE CLARRIDGE CLASH CLASHED CLASHES CLASHING CLASP CLASPED CLASPING CLASPS CLASS CLASSED CLASSES CLASSIC CLASSICAL CLASSICALLY CLASSICS CLASSIFIABLE CLASSIFICATION CLASSIFICATIONS CLASSIFIED CLASSIFIER CLASSIFIERS CLASSIFIES CLASSIFY CLASSIFYING CLASSMATE CLASSMATES CLASSROOM CLASSROOMS CLASSY CLATTER CLATTERED CLATTERING CLAUDE CLAUDIA CLAUDIO CLAUS CLAUSE CLAUSEN CLAUSES CLAUSIUS CLAUSTROPHOBIA CLAUSTROPHOBIC CLAW CLAWED CLAWING CLAWS CLAY CLAYS CLAYTON CLEAN CLEANED CLEANER CLEANERS CLEANEST CLEANING CLEANLINESS CLEANLY CLEANNESS CLEANS CLEANSE CLEANSED CLEANSER CLEANSERS CLEANSES CLEANSING CLEANUP CLEAR CLEARANCE CLEARANCES CLEARED CLEARER CLEAREST CLEARING CLEARINGS CLEARLY CLEARNESS CLEARS CLEARWATER CLEAVAGE CLEAVE CLEAVED CLEAVER CLEAVERS CLEAVES CLEAVING CLEFT CLEFTS CLEMENCY CLEMENS CLEMENT CLEMENTE CLEMSON CLENCH CLENCHED CLENCHES CLERGY CLERGYMAN CLERGYMEN CLERICAL CLERK CLERKED CLERKING CLERKS CLEVELAND CLEVER CLEVERER CLEVEREST CLEVERLY CLEVERNESS CLICHE CLICHES CLICK CLICKED CLICKING CLICKS CLIENT CLIENTELE CLIENTS CLIFF CLIFFORD CLIFFS CLIFTON CLIMATE CLIMATES CLIMATIC CLIMATICALLY CLIMATOLOGY CLIMAX CLIMAXED CLIMAXES CLIMB CLIMBED CLIMBER CLIMBERS CLIMBING CLIMBS CLIME CLIMES CLINCH CLINCHED CLINCHER CLINCHES CLING CLINGING CLINGS CLINIC CLINICAL CLINICALLY CLINICIAN CLINICS CLINK CLINKED CLINKER CLINT CLINTON CLIO CLIP CLIPBOARD CLIPPED CLIPPER CLIPPERS CLIPPING CLIPPINGS CLIPS CLIQUE CLIQUES CLITORIS CLIVE CLOAK CLOAKROOM CLOAKS CLOBBER CLOBBERED CLOBBERING CLOBBERS CLOCK CLOCKED CLOCKER CLOCKERS CLOCKING CLOCKINGS CLOCKS CLOCKWATCHER CLOCKWISE CLOCKWORK CLOD CLODS CLOG CLOGGED CLOGGING CLOGS CLOISTER CLOISTERS CLONE CLONED CLONES CLONING CLOSE CLOSED CLOSELY CLOSENESS CLOSENESSES CLOSER CLOSERS CLOSES CLOSEST CLOSET CLOSETED CLOSETS CLOSEUP CLOSING CLOSURE CLOSURES CLOT CLOTH CLOTHE CLOTHED CLOTHES CLOTHESHORSE CLOTHESLINE CLOTHING CLOTHO CLOTTING CLOTURE CLOUD CLOUDBURST CLOUDED CLOUDIER CLOUDIEST CLOUDINESS CLOUDING CLOUDLESS CLOUDS CLOUDY CLOUT CLOVE CLOVER CLOVES CLOWN CLOWNING CLOWNS CLUB CLUBBED CLUBBING CLUBHOUSE CLUBROOM CLUBS CLUCK CLUCKED CLUCKING CLUCKS CLUE CLUES CLUJ CLUMP CLUMPED CLUMPING CLUMPS CLUMSILY CLUMSINESS CLUMSY CLUNG CLUSTER CLUSTERED CLUSTERING CLUSTERINGS CLUSTERS CLUTCH CLUTCHED CLUTCHES CLUTCHING CLUTTER CLUTTERED CLUTTERING CLUTTERS CLYDE CLYTEMNESTRA COACH COACHED COACHER COACHES COACHING COACHMAN COACHMEN COAGULATE COAL COALESCE COALESCED COALESCES COALESCING COALITION COALS COARSE COARSELY COARSEN COARSENED COARSENESS COARSER COARSEST COAST COASTAL COASTED COASTER COASTERS COASTING COASTLINE COASTS COAT COATED COATES COATING COATINGS COATS COATTAIL COAUTHOR COAX COAXED COAXER COAXES COAXIAL COAXING COBALT COBB COBBLE COBBLER COBBLERS COBBLESTONE COBOL COBOL COBRA COBWEB COBWEBS COCA COCAINE COCHISE COCHRAN COCHRANE COCK COCKED COCKING COCKPIT COCKROACH COCKS COCKTAIL COCKTAILS COCKY COCO COCOA COCONUT COCONUTS COCOON COCOONS COD CODDINGTON CODDLE CODE CODED CODEINE CODER CODERS CODES CODEWORD CODEWORDS CODFISH CODICIL CODIFICATION CODIFICATIONS CODIFIED CODIFIER CODIFIERS CODIFIES CODIFY CODIFYING CODING CODINGS CODPIECE CODY COED COEDITOR COEDUCATION COEFFICIENT COEFFICIENTS COEQUAL COERCE COERCED COERCES COERCIBLE COERCING COERCION COERCIVE COEXIST COEXISTED COEXISTENCE COEXISTING COEXISTS COFACTOR COFFEE COFFEECUP COFFEEPOT COFFEES COFFER COFFERS COFFEY COFFIN COFFINS COFFMAN COG COGENT COGENTLY COGITATE COGITATED COGITATES COGITATING COGITATION COGNAC COGNITION COGNITIVE COGNITIVELY COGNIZANCE COGNIZANT COGS COHABITATION COHABITATIONS COHEN COHERE COHERED COHERENCE COHERENT COHERENTLY COHERES COHERING COHESION COHESIVE COHESIVELY COHESIVENESS COHN COHORT COIL COILED COILING COILS COIN COINAGE COINCIDE COINCIDED COINCIDENCE COINCIDENCES COINCIDENT COINCIDENTAL COINCIDES COINCIDING COINED COINER COINING COINS COKE COKES COLANDER COLBY COLD COLDER COLDEST COLDLY COLDNESS COLDS COLE COLEMAN COLERIDGE COLETTE COLGATE COLICKY COLIFORM COLISEUM COLLABORATE COLLABORATED COLLABORATES COLLABORATING COLLABORATION COLLABORATIONS COLLABORATIVE COLLABORATOR COLLABORATORS COLLAGEN COLLAPSE COLLAPSED COLLAPSES COLLAPSIBLE COLLAPSING COLLAR COLLARBONE COLLARED COLLARING COLLARS COLLATE COLLATERAL COLLEAGUE COLLEAGUES COLLECT COLLECTED COLLECTIBLE COLLECTING COLLECTION COLLECTIONS COLLECTIVE COLLECTIVELY COLLECTIVES COLLECTOR COLLECTORS COLLECTS COLLEGE COLLEGES COLLEGIAN COLLEGIATE COLLIDE COLLIDED COLLIDES COLLIDING COLLIE COLLIER COLLIES COLLINS COLLISION COLLISIONS COLLOIDAL COLLOQUIA COLLOQUIAL COLLOQUIUM COLLOQUY COLLUSION COLOGNE COLOMBIA COLOMBIAN COLOMBIANS COLOMBO COLON COLONEL COLONELS COLONIAL COLONIALLY COLONIALS COLONIES COLONIST COLONISTS COLONIZATION COLONIZE COLONIZED COLONIZER COLONIZERS COLONIZES COLONIZING COLONS COLONY COLOR COLORADO COLORED COLORER COLORERS COLORFUL COLORING COLORINGS COLORLESS COLORS COLOSSAL COLOSSEUM COLT COLTS COLUMBIA COLUMBIAN COLUMBUS COLUMN COLUMNIZE COLUMNIZED COLUMNIZES COLUMNIZING COLUMNS COMANCHE COMB COMBAT COMBATANT COMBATANTS COMBATED COMBATING COMBATIVE COMBATS COMBED COMBER COMBERS COMBINATION COMBINATIONAL COMBINATIONS COMBINATOR COMBINATORIAL COMBINATORIALLY COMBINATORIC COMBINATORICS COMBINATORS COMBINE COMBINED COMBINES COMBING COMBINGS COMBINING COMBS COMBUSTIBLE COMBUSTION COMDEX COME COMEBACK COMEDIAN COMEDIANS COMEDIC COMEDIES COMEDY COMELINESS COMELY COMER COMERS COMES COMESTIBLE COMET COMETARY COMETS COMFORT COMFORTABILITIES COMFORTABILITY COMFORTABLE COMFORTABLY COMFORTED COMFORTER COMFORTERS COMFORTING COMFORTINGLY COMFORTS COMIC COMICAL COMICALLY COMICS COMINFORM COMING COMINGS COMMA COMMAND COMMANDANT COMMANDANTS COMMANDED COMMANDEER COMMANDER COMMANDERS COMMANDING COMMANDINGLY COMMANDMENT COMMANDMENTS COMMANDO COMMANDS COMMAS COMMEMORATE COMMEMORATED COMMEMORATES COMMEMORATING COMMEMORATION COMMEMORATIVE COMMENCE COMMENCED COMMENCEMENT COMMENCEMENTS COMMENCES COMMENCING COMMEND COMMENDATION COMMENDATIONS COMMENDED COMMENDING COMMENDS COMMENSURATE COMMENT COMMENTARIES COMMENTARY COMMENTATOR COMMENTATORS COMMENTED COMMENTING COMMENTS COMMERCE COMMERCIAL COMMERCIALLY COMMERCIALNESS COMMERCIALS COMMISSION COMMISSIONED COMMISSIONER COMMISSIONERS COMMISSIONING COMMISSIONS COMMIT COMMITMENT COMMITMENTS COMMITS COMMITTED COMMITTEE COMMITTEEMAN COMMITTEEMEN COMMITTEES COMMITTEEWOMAN COMMITTEEWOMEN COMMITTING COMMODITIES COMMODITY COMMODORE COMMODORES COMMON COMMONALITIES COMMONALITY COMMONER COMMONERS COMMONEST COMMONLY COMMONNESS COMMONPLACE COMMONPLACES COMMONS COMMONWEALTH COMMONWEALTHS COMMOTION COMMUNAL COMMUNALLY COMMUNE COMMUNES COMMUNICANT COMMUNICANTS COMMUNICATE COMMUNICATED COMMUNICATES COMMUNICATING COMMUNICATION COMMUNICATIONS COMMUNICATIVE COMMUNICATOR COMMUNICATORS COMMUNION COMMUNIST COMMUNISTS COMMUNITIES COMMUNITY COMMUTATIVE COMMUTATIVITY COMMUTE COMMUTED COMMUTER COMMUTERS COMMUTES COMMUTING COMPACT COMPACTED COMPACTER COMPACTEST COMPACTING COMPACTION COMPACTLY COMPACTNESS COMPACTOR COMPACTORS COMPACTS COMPANIES COMPANION COMPANIONABLE COMPANIONS COMPANIONSHIP COMPANY COMPARABILITY COMPARABLE COMPARABLY COMPARATIVE COMPARATIVELY COMPARATIVES COMPARATOR COMPARATORS COMPARE COMPARED COMPARES COMPARING COMPARISON COMPARISONS COMPARTMENT COMPARTMENTALIZE COMPARTMENTALIZED COMPARTMENTALIZES COMPARTMENTALIZING COMPARTMENTED COMPARTMENTS COMPASS COMPASSION COMPASSIONATE COMPASSIONATELY COMPATIBILITIES COMPATIBILITY COMPATIBLE COMPATIBLES COMPATIBLY COMPEL COMPELLED COMPELLING COMPELLINGLY COMPELS COMPENDIUM COMPENSATE COMPENSATED COMPENSATES COMPENSATING COMPENSATION COMPENSATIONS COMPENSATORY COMPETE COMPETED COMPETENCE COMPETENCY COMPETENT COMPETENTLY COMPETES COMPETING COMPETITION COMPETITIONS COMPETITIVE COMPETITIVELY COMPETITOR COMPETITORS COMPILATION COMPILATIONS COMPILE COMPILED COMPILER COMPILERS COMPILES COMPILING COMPLACENCY COMPLAIN COMPLAINED COMPLAINER COMPLAINERS COMPLAINING COMPLAINS COMPLAINT COMPLAINTS COMPLEMENT COMPLEMENTARY COMPLEMENTED COMPLEMENTER COMPLEMENTERS COMPLEMENTING COMPLEMENTS COMPLETE COMPLETED COMPLETELY COMPLETENESS COMPLETES COMPLETING COMPLETION COMPLETIONS COMPLEX COMPLEXES COMPLEXION COMPLEXITIES COMPLEXITY COMPLEXLY COMPLIANCE COMPLIANT COMPLICATE COMPLICATED COMPLICATES COMPLICATING COMPLICATION COMPLICATIONS COMPLICATOR COMPLICATORS COMPLICITY COMPLIED COMPLIMENT COMPLIMENTARY COMPLIMENTED COMPLIMENTER COMPLIMENTERS COMPLIMENTING COMPLIMENTS COMPLY COMPLYING COMPONENT COMPONENTRY COMPONENTS COMPONENTWISE COMPOSE COMPOSED COMPOSEDLY COMPOSER COMPOSERS COMPOSES COMPOSING COMPOSITE COMPOSITES COMPOSITION COMPOSITIONAL COMPOSITIONS COMPOST COMPOSURE COMPOUND COMPOUNDED COMPOUNDING COMPOUNDS COMPREHEND COMPREHENDED COMPREHENDING COMPREHENDS COMPREHENSIBILITY COMPREHENSIBLE COMPREHENSION COMPREHENSIVE COMPREHENSIVELY COMPRESS COMPRESSED COMPRESSES COMPRESSIBLE COMPRESSING COMPRESSION COMPRESSIVE COMPRESSOR COMPRISE COMPRISED COMPRISES COMPRISING COMPROMISE COMPROMISED COMPROMISER COMPROMISERS COMPROMISES COMPROMISING COMPROMISINGLY COMPTON COMPTROLLER COMPTROLLERS COMPULSION COMPULSIONS COMPULSIVE COMPULSORY COMPUNCTION COMPUSERVE COMPUTABILITY COMPUTABLE COMPUTATION COMPUTATIONAL COMPUTATIONALLY COMPUTATIONS COMPUTE COMPUTED COMPUTER COMPUTERIZE COMPUTERIZED COMPUTERIZES COMPUTERIZING COMPUTERS COMPUTES COMPUTING COMRADE COMRADELY COMRADES COMRADESHIP CON CONAKRY CONANT CONCATENATE CONCATENATED CONCATENATES CONCATENATING CONCATENATION CONCATENATIONS CONCAVE CONCEAL CONCEALED CONCEALER CONCEALERS CONCEALING CONCEALMENT CONCEALS CONCEDE CONCEDED CONCEDES CONCEDING CONCEIT CONCEITED CONCEITS CONCEIVABLE CONCEIVABLY CONCEIVE CONCEIVED CONCEIVES CONCEIVING CONCENTRATE CONCENTRATED CONCENTRATES CONCENTRATING CONCENTRATION CONCENTRATIONS CONCENTRATOR CONCENTRATORS CONCENTRIC CONCEPT CONCEPTION CONCEPTIONS CONCEPTS CONCEPTUAL CONCEPTUALIZATION CONCEPTUALIZATIONS CONCEPTUALIZE CONCEPTUALIZED CONCEPTUALIZES CONCEPTUALIZING CONCEPTUALLY CONCERN CONCERNED CONCERNEDLY CONCERNING CONCERNS CONCERT CONCERTED CONCERTMASTER CONCERTO CONCERTS CONCESSION CONCESSIONS CONCILIATE CONCILIATORY CONCISE CONCISELY CONCISENESS CONCLAVE CONCLUDE CONCLUDED CONCLUDES CONCLUDING CONCLUSION CONCLUSIONS CONCLUSIVE CONCLUSIVELY CONCOCT CONCOMITANT CONCORD CONCORDANT CONCORDE CONCORDIA CONCOURSE CONCRETE CONCRETELY CONCRETENESS CONCRETES CONCRETION CONCUBINE CONCUR CONCURRED CONCURRENCE CONCURRENCIES CONCURRENCY CONCURRENT CONCURRENTLY CONCURRING CONCURS CONCUSSION CONDEMN CONDEMNATION CONDEMNATIONS CONDEMNED CONDEMNER CONDEMNERS CONDEMNING CONDEMNS CONDENSATION CONDENSE CONDENSED CONDENSER CONDENSES CONDENSING CONDESCEND CONDESCENDING CONDITION CONDITIONAL CONDITIONALLY CONDITIONALS CONDITIONED CONDITIONER CONDITIONERS CONDITIONING CONDITIONS CONDOM CONDONE CONDONED CONDONES CONDONING CONDUCE CONDUCIVE CONDUCIVENESS CONDUCT CONDUCTANCE CONDUCTED CONDUCTING CONDUCTION CONDUCTIVE CONDUCTIVITY CONDUCTOR CONDUCTORS CONDUCTS CONDUIT CONE CONES CONESTOGA CONFECTIONERY CONFEDERACY CONFEDERATE CONFEDERATES CONFEDERATION CONFEDERATIONS CONFER CONFEREE CONFERENCE CONFERENCES CONFERRED CONFERRER CONFERRERS CONFERRING CONFERS CONFESS CONFESSED CONFESSES CONFESSING CONFESSION CONFESSIONS CONFESSOR CONFESSORS CONFIDANT CONFIDANTS CONFIDE CONFIDED CONFIDENCE CONFIDENCES CONFIDENT CONFIDENTIAL CONFIDENTIALITY CONFIDENTIALLY CONFIDENTLY CONFIDES CONFIDING CONFIDINGLY CONFIGURABLE CONFIGURATION CONFIGURATIONS CONFIGURE CONFIGURED CONFIGURES CONFIGURING CONFINE CONFINED CONFINEMENT CONFINEMENTS CONFINER CONFINES CONFINING CONFIRM CONFIRMATION CONFIRMATIONS CONFIRMATORY CONFIRMED CONFIRMING CONFIRMS CONFISCATE CONFISCATED CONFISCATES CONFISCATING CONFISCATION CONFISCATIONS CONFLAGRATION CONFLICT CONFLICTED CONFLICTING CONFLICTS CONFLUENT CONFOCAL CONFORM CONFORMAL CONFORMANCE CONFORMED CONFORMING CONFORMITY CONFORMS CONFOUND CONFOUNDED CONFOUNDING CONFOUNDS CONFRONT CONFRONTATION CONFRONTATIONS CONFRONTED CONFRONTER CONFRONTERS CONFRONTING CONFRONTS CONFUCIAN CONFUCIANISM CONFUCIUS CONFUSE CONFUSED CONFUSER CONFUSERS CONFUSES CONFUSING CONFUSINGLY CONFUSION CONFUSIONS CONGENIAL CONGENIALLY CONGENITAL CONGEST CONGESTED CONGESTION CONGESTIVE CONGLOMERATE CONGO CONGOLESE CONGRATULATE CONGRATULATED CONGRATULATION CONGRATULATIONS CONGRATULATORY CONGREGATE CONGREGATED CONGREGATES CONGREGATING CONGREGATION CONGREGATIONS CONGRESS CONGRESSES CONGRESSIONAL CONGRESSIONALLY CONGRESSMAN CONGRESSMEN CONGRESSWOMAN CONGRESSWOMEN CONGRUENCE CONGRUENT CONIC CONIFER CONIFEROUS CONJECTURE CONJECTURED CONJECTURES CONJECTURING CONJOINED CONJUGAL CONJUGATE CONJUNCT CONJUNCTED CONJUNCTION CONJUNCTIONS CONJUNCTIVE CONJUNCTIVELY CONJUNCTS CONJUNCTURE CONJURE CONJURED CONJURER CONJURES CONJURING CONKLIN CONLEY CONNALLY CONNECT CONNECTED CONNECTEDNESS CONNECTICUT CONNECTING CONNECTION CONNECTIONLESS CONNECTIONS CONNECTIVE CONNECTIVES CONNECTIVITY CONNECTOR CONNECTORS CONNECTS CONNELLY CONNER CONNIE CONNIVANCE CONNIVE CONNOISSEUR CONNOISSEURS CONNORS CONNOTATION CONNOTATIVE CONNOTE CONNOTED CONNOTES CONNOTING CONNUBIAL CONQUER CONQUERABLE CONQUERED CONQUERER CONQUERERS CONQUERING CONQUEROR CONQUERORS CONQUERS CONQUEST CONQUESTS CONRAD CONRAIL CONSCIENCE CONSCIENCES CONSCIENTIOUS CONSCIENTIOUSLY CONSCIOUS CONSCIOUSLY CONSCIOUSNESS CONSCRIPT CONSCRIPTION CONSECRATE CONSECRATION CONSECUTIVE CONSECUTIVELY CONSENSUAL CONSENSUS CONSENT CONSENTED CONSENTER CONSENTERS CONSENTING CONSENTS CONSEQUENCE CONSEQUENCES CONSEQUENT CONSEQUENTIAL CONSEQUENTIALITIES CONSEQUENTIALITY CONSEQUENTLY CONSEQUENTS CONSERVATION CONSERVATIONIST CONSERVATIONISTS CONSERVATIONS CONSERVATISM CONSERVATIVE CONSERVATIVELY CONSERVATIVES CONSERVATOR CONSERVE CONSERVED CONSERVES CONSERVING CONSIDER CONSIDERABLE CONSIDERABLY CONSIDERATE CONSIDERATELY CONSIDERATION CONSIDERATIONS CONSIDERED CONSIDERING CONSIDERS CONSIGN CONSIGNED CONSIGNING CONSIGNS CONSIST CONSISTED CONSISTENCY CONSISTENT CONSISTENTLY CONSISTING CONSISTS CONSOLABLE CONSOLATION CONSOLATIONS CONSOLE CONSOLED CONSOLER CONSOLERS CONSOLES CONSOLIDATE CONSOLIDATED CONSOLIDATES CONSOLIDATING CONSOLIDATION CONSOLING CONSOLINGLY CONSONANT CONSONANTS CONSORT CONSORTED CONSORTING CONSORTIUM CONSORTS CONSPICUOUS CONSPICUOUSLY CONSPIRACIES CONSPIRACY CONSPIRATOR CONSPIRATORS CONSPIRE CONSPIRED CONSPIRES CONSPIRING CONSTABLE CONSTABLES CONSTANCE CONSTANCY CONSTANT CONSTANTINE CONSTANTINOPLE CONSTANTLY CONSTANTS CONSTELLATION CONSTELLATIONS CONSTERNATION CONSTITUENCIES CONSTITUENCY CONSTITUENT CONSTITUENTS CONSTITUTE CONSTITUTED CONSTITUTES CONSTITUTING CONSTITUTION CONSTITUTIONAL CONSTITUTIONALITY CONSTITUTIONALLY CONSTITUTIONS CONSTITUTIVE CONSTRAIN CONSTRAINED CONSTRAINING CONSTRAINS CONSTRAINT CONSTRAINTS CONSTRICT CONSTRUCT CONSTRUCTED CONSTRUCTIBILITY CONSTRUCTIBLE CONSTRUCTING CONSTRUCTION CONSTRUCTIONS CONSTRUCTIVE CONSTRUCTIVELY CONSTRUCTOR CONSTRUCTORS CONSTRUCTS CONSTRUE CONSTRUED CONSTRUING CONSUL CONSULAR CONSULATE CONSULATES CONSULS CONSULT CONSULTANT CONSULTANTS CONSULTATION CONSULTATIONS CONSULTATIVE CONSULTED CONSULTING CONSULTS CONSUMABLE CONSUME CONSUMED CONSUMER CONSUMERS CONSUMES CONSUMING CONSUMMATE CONSUMMATED CONSUMMATELY CONSUMMATION CONSUMPTION CONSUMPTIONS CONSUMPTIVE CONSUMPTIVELY CONTACT CONTACTED CONTACTING CONTACTS CONTAGION CONTAGIOUS CONTAGIOUSLY CONTAIN CONTAINABLE CONTAINED CONTAINER CONTAINERS CONTAINING CONTAINMENT CONTAINMENTS CONTAINS CONTAMINATE CONTAMINATED CONTAMINATES CONTAMINATING CONTAMINATION CONTEMPLATE CONTEMPLATED CONTEMPLATES CONTEMPLATING CONTEMPLATION CONTEMPLATIONS CONTEMPLATIVE CONTEMPORARIES CONTEMPORARINESS CONTEMPORARY CONTEMPT CONTEMPTIBLE CONTEMPTUOUS CONTEMPTUOUSLY CONTEND CONTENDED CONTENDER CONTENDERS CONTENDING CONTENDS CONTENT CONTENTED CONTENTING CONTENTION CONTENTIONS CONTENTLY CONTENTMENT CONTENTS CONTEST CONTESTABLE CONTESTANT CONTESTED CONTESTER CONTESTERS CONTESTING CONTESTS CONTEXT CONTEXTS CONTEXTUAL CONTEXTUALLY CONTIGUITY CONTIGUOUS CONTIGUOUSLY CONTINENT CONTINENTAL CONTINENTALLY CONTINENTS CONTINGENCIES CONTINGENCY CONTINGENT CONTINGENTS CONTINUAL CONTINUALLY CONTINUANCE CONTINUANCES CONTINUATION CONTINUATIONS CONTINUE CONTINUED CONTINUES CONTINUING CONTINUITIES CONTINUITY CONTINUOUS CONTINUOUSLY CONTINUUM CONTORTIONS CONTOUR CONTOURED CONTOURING CONTOURS CONTRABAND CONTRACEPTION CONTRACEPTIVE CONTRACT CONTRACTED CONTRACTING CONTRACTION CONTRACTIONS CONTRACTOR CONTRACTORS CONTRACTS CONTRACTUAL CONTRACTUALLY CONTRADICT CONTRADICTED CONTRADICTING CONTRADICTION CONTRADICTIONS CONTRADICTORY CONTRADICTS CONTRADISTINCTION CONTRADISTINCTIONS CONTRAPOSITIVE CONTRAPOSITIVES CONTRAPTION CONTRAPTIONS CONTRARINESS CONTRARY CONTRAST CONTRASTED CONTRASTER CONTRASTERS CONTRASTING CONTRASTINGLY CONTRASTS CONTRIBUTE CONTRIBUTED CONTRIBUTES CONTRIBUTING CONTRIBUTION CONTRIBUTIONS CONTRIBUTOR CONTRIBUTORILY CONTRIBUTORS CONTRIBUTORY CONTRITE CONTRITION CONTRIVANCE CONTRIVANCES CONTRIVE CONTRIVED CONTRIVER CONTRIVES CONTRIVING CONTROL CONTROLLABILITY CONTROLLABLE CONTROLLABLY CONTROLLED CONTROLLER CONTROLLERS CONTROLLING CONTROLS CONTROVERSIAL CONTROVERSIES CONTROVERSY CONTROVERTIBLE CONTUMACIOUS CONTUMACY CONUNDRUM CONUNDRUMS CONVAIR CONVALESCENT CONVECT CONVENE CONVENED CONVENES CONVENIENCE CONVENIENCES CONVENIENT CONVENIENTLY CONVENING CONVENT CONVENTION CONVENTIONAL CONVENTIONALLY CONVENTIONS CONVENTS CONVERGE CONVERGED CONVERGENCE CONVERGENT CONVERGES CONVERGING CONVERSANT CONVERSANTLY CONVERSATION CONVERSATIONAL CONVERSATIONALLY CONVERSATIONS CONVERSE CONVERSED CONVERSELY CONVERSES CONVERSING CONVERSION CONVERSIONS CONVERT CONVERTED CONVERTER CONVERTERS CONVERTIBILITY CONVERTIBLE CONVERTING CONVERTS CONVEX CONVEY CONVEYANCE CONVEYANCES CONVEYED CONVEYER CONVEYERS CONVEYING CONVEYOR CONVEYS CONVICT CONVICTED CONVICTING CONVICTION CONVICTIONS CONVICTS CONVINCE CONVINCED CONVINCER CONVINCERS CONVINCES CONVINCING CONVINCINGLY CONVIVIAL CONVOKE CONVOLUTED CONVOLUTION CONVOY CONVOYED CONVOYING CONVOYS CONVULSE CONVULSION CONVULSIONS CONWAY COO COOING COOK COOKBOOK COOKE COOKED COOKERY COOKIE COOKIES COOKING COOKS COOKY COOL COOLED COOLER COOLERS COOLEST COOLEY COOLIDGE COOLIE COOLIES COOLING COOLLY COOLNESS COOLS COON COONS COOP COOPED COOPER COOPERATE COOPERATED COOPERATES COOPERATING COOPERATION COOPERATIONS COOPERATIVE COOPERATIVELY COOPERATIVES COOPERATOR COOPERATORS COOPERS COOPS COORDINATE COORDINATED COORDINATES COORDINATING COORDINATION COORDINATIONS COORDINATOR COORDINATORS COORS COP COPE COPED COPELAND COPENHAGEN COPERNICAN COPERNICUS COPES COPIED COPIER COPIERS COPIES COPING COPINGS COPIOUS COPIOUSLY COPIOUSNESS COPLANAR COPPER COPPERFIELD COPPERHEAD COPPERS COPRA COPROCESSOR COPS COPSE COPY COPYING COPYRIGHT COPYRIGHTABLE COPYRIGHTED COPYRIGHTS COPYWRITER COQUETTE CORAL CORBETT CORCORAN CORD CORDED CORDER CORDIAL CORDIALITY CORDIALLY CORDS CORE CORED CORER CORERS CORES COREY CORIANDER CORING CORINTH CORINTHIAN CORINTHIANIZE CORINTHIANIZES CORINTHIANS CORIOLANUS CORK CORKED CORKER CORKERS CORKING CORKS CORKSCREW CORMORANT CORN CORNEA CORNELIA CORNELIAN CORNELIUS CORNELL CORNER CORNERED CORNERS CORNERSTONE CORNERSTONES CORNET CORNFIELD CORNFIELDS CORNING CORNISH CORNMEAL CORNS CORNSTARCH CORNUCOPIA CORNWALL CORNWALLIS CORNY COROLLARIES COROLLARY CORONADO CORONARIES CORONARY CORONATION CORONER CORONET CORONETS COROUTINE COROUTINES CORPORAL CORPORALS CORPORATE CORPORATELY CORPORATION CORPORATIONS CORPS CORPSE CORPSES CORPULENT CORPUS CORPUSCULAR CORRAL CORRECT CORRECTABLE CORRECTED CORRECTING CORRECTION CORRECTIONS CORRECTIVE CORRECTIVELY CORRECTIVES CORRECTLY CORRECTNESS CORRECTOR CORRECTS CORRELATE CORRELATED CORRELATES CORRELATING CORRELATION CORRELATIONS CORRELATIVE CORRESPOND CORRESPONDED CORRESPONDENCE CORRESPONDENCES CORRESPONDENT CORRESPONDENTS CORRESPONDING CORRESPONDINGLY CORRESPONDS CORRIDOR CORRIDORS CORRIGENDA CORRIGENDUM CORRIGIBLE CORROBORATE CORROBORATED CORROBORATES CORROBORATING CORROBORATION CORROBORATIONS CORROBORATIVE CORRODE CORROSION CORROSIVE CORRUGATE CORRUPT CORRUPTED CORRUPTER CORRUPTIBLE CORRUPTING CORRUPTION CORRUPTIONS CORRUPTS CORSET CORSICA CORSICAN CORTEX CORTEZ CORTICAL CORTLAND CORVALLIS CORVUS CORYDORAS COSGROVE COSINE COSINES COSMETIC COSMETICS COSMIC COSMOLOGY COSMOPOLITAN COSMOS COSPONSOR COSSACK COST COSTA COSTED COSTELLO COSTING COSTLY COSTS COSTUME COSTUMED COSTUMER COSTUMES COSTUMING COSY COT COTANGENT COTILLION COTS COTTAGE COTTAGER COTTAGES COTTON COTTONMOUTH COTTONS COTTONSEED COTTONWOOD COTTRELL COTYLEDON COTYLEDONS COUCH COUCHED COUCHES COUCHING COUGAR COUGH COUGHED COUGHING COUGHS COULD COULOMB COULTER COUNCIL COUNCILLOR COUNCILLORS COUNCILMAN COUNCILMEN COUNCILS COUNCILWOMAN COUNCILWOMEN COUNSEL COUNSELED COUNSELING COUNSELLED COUNSELLING COUNSELLOR COUNSELLORS COUNSELOR COUNSELORS COUNSELS COUNT COUNTABLE COUNTABLY COUNTED COUNTENANCE COUNTER COUNTERACT COUNTERACTED COUNTERACTING COUNTERACTIVE COUNTERARGUMENT COUNTERATTACK COUNTERBALANCE COUNTERCLOCKWISE COUNTERED COUNTEREXAMPLE COUNTEREXAMPLES COUNTERFEIT COUNTERFEITED COUNTERFEITER COUNTERFEITING COUNTERFLOW COUNTERING COUNTERINTUITIVE COUNTERMAN COUNTERMEASURE COUNTERMEASURES COUNTERMEN COUNTERPART COUNTERPARTS COUNTERPOINT COUNTERPOINTING COUNTERPOISE COUNTERPRODUCTIVE COUNTERPROPOSAL COUNTERREVOLUTION COUNTERS COUNTERSINK COUNTERSUNK COUNTESS COUNTIES COUNTING COUNTLESS COUNTRIES COUNTRY COUNTRYMAN COUNTRYMEN COUNTRYSIDE COUNTRYWIDE COUNTS COUNTY COUNTYWIDE COUPLE COUPLED COUPLER COUPLERS COUPLES COUPLING COUPLINGS COUPON COUPONS COURAGE COURAGEOUS COURAGEOUSLY COURIER COURIERS COURSE COURSED COURSER COURSES COURSING COURT COURTED COURTEOUS COURTEOUSLY COURTER COURTERS COURTESAN COURTESIES COURTESY COURTHOUSE COURTHOUSES COURTIER COURTIERS COURTING COURTLY COURTNEY COURTROOM COURTROOMS COURTS COURTSHIP COURTYARD COURTYARDS COUSIN COUSINS COVALENT COVARIANT COVE COVENANT COVENANTS COVENT COVENTRY COVER COVERABLE COVERAGE COVERED COVERING COVERINGS COVERLET COVERLETS COVERS COVERT COVERTLY COVES COVET COVETED COVETING COVETOUS COVETOUSNESS COVETS COW COWAN COWARD COWARDICE COWARDLY COWBOY COWBOYS COWED COWER COWERED COWERER COWERERS COWERING COWERINGLY COWERS COWHERD COWHIDE COWING COWL COWLICK COWLING COWLS COWORKER COWS COWSLIP COWSLIPS COYOTE COYOTES COYPU COZIER COZINESS COZY CRAB CRABAPPLE CRABS CRACK CRACKED CRACKER CRACKERS CRACKING CRACKLE CRACKLED CRACKLES CRACKLING CRACKPOT CRACKS CRADLE CRADLED CRADLES CRAFT CRAFTED CRAFTER CRAFTINESS CRAFTING CRAFTS CRAFTSMAN CRAFTSMEN CRAFTSPEOPLE CRAFTSPERSON CRAFTY CRAG CRAGGY CRAGS CRAIG CRAM CRAMER CRAMMING CRAMP CRAMPS CRAMS CRANBERRIES CRANBERRY CRANDALL CRANE CRANES CRANFORD CRANIA CRANIUM CRANK CRANKCASE CRANKED CRANKIER CRANKIEST CRANKILY CRANKING CRANKS CRANKSHAFT CRANKY CRANNY CRANSTON CRASH CRASHED CRASHER CRASHERS CRASHES CRASHING CRASS CRATE CRATER CRATERS CRATES CRAVAT CRAVATS CRAVE CRAVED CRAVEN CRAVES CRAVING CRAWFORD CRAWL CRAWLED CRAWLER CRAWLERS CRAWLING CRAWLS CRAY CRAYON CRAYS CRAZE CRAZED CRAZES CRAZIER CRAZIEST CRAZILY CRAZINESS CRAZING CRAZY CREAK CREAKED CREAKING CREAKS CREAKY CREAM CREAMED CREAMER CREAMERS CREAMERY CREAMING CREAMS CREAMY CREASE CREASED CREASES CREASING CREATE CREATED CREATES CREATING CREATION CREATIONS CREATIVE CREATIVELY CREATIVENESS CREATIVITY CREATOR CREATORS CREATURE CREATURES CREDENCE CREDENTIAL CREDIBILITY CREDIBLE CREDIBLY CREDIT CREDITABLE CREDITABLY CREDITED CREDITING CREDITOR CREDITORS CREDITS CREDULITY CREDULOUS CREDULOUSNESS CREE CREED CREEDS CREEK CREEKS CREEP CREEPER CREEPERS CREEPING CREEPS CREEPY CREIGHTON CREMATE CREMATED CREMATES CREMATING CREMATION CREMATIONS CREMATORY CREOLE CREON CREPE CREPT CRESCENT CRESCENTS CREST CRESTED CRESTFALLEN CRESTS CRESTVIEW CRETACEOUS CRETACEOUSLY CRETAN CRETE CRETIN CREVICE CREVICES CREW CREWCUT CREWED CREWING CREWS CRIB CRIBS CRICKET CRICKETS CRIED CRIER CRIERS CRIES CRIME CRIMEA CRIMEAN CRIMES CRIMINAL CRIMINALLY CRIMINALS CRIMINATE CRIMSON CRIMSONING CRINGE CRINGED CRINGES CRINGING CRIPPLE CRIPPLED CRIPPLES CRIPPLING CRISES CRISIS CRISP CRISPIN CRISPLY CRISPNESS CRISSCROSS CRITERIA CRITERION CRITIC CRITICAL CRITICALLY CRITICISM CRITICISMS CRITICIZE CRITICIZED CRITICIZES CRITICIZING CRITICS CRITIQUE CRITIQUES CRITIQUING CRITTER CROAK CROAKED CROAKING CROAKS CROATIA CROATIAN CROCHET CROCHETS CROCK CROCKERY CROCKETT CROCKS CROCODILE CROCUS CROFT CROIX CROMWELL CROMWELLIAN CROOK CROOKED CROOKS CROP CROPPED CROPPER CROPPERS CROPPING CROPS CROSBY CROSS CROSSABLE CROSSBAR CROSSBARS CROSSED CROSSER CROSSERS CROSSES CROSSING CROSSINGS CROSSLY CROSSOVER CROSSOVERS CROSSPOINT CROSSROAD CROSSTALK CROSSWALK CROSSWORD CROSSWORDS CROTCH CROTCHETY CROUCH CROUCHED CROUCHING CROW CROWD CROWDED CROWDER CROWDING CROWDS CROWED CROWING CROWLEY CROWN CROWNED CROWNING CROWNS CROWS CROYDON CRUCIAL CRUCIALLY CRUCIBLE CRUCIFIED CRUCIFIES CRUCIFIX CRUCIFIXION CRUCIFY CRUCIFYING CRUD CRUDDY CRUDE CRUDELY CRUDENESS CRUDER CRUDEST CRUEL CRUELER CRUELEST CRUELLY CRUELTY CRUICKSHANK CRUISE CRUISER CRUISERS CRUISES CRUISING CRUMB CRUMBLE CRUMBLED CRUMBLES CRUMBLING CRUMBLY CRUMBS CRUMMY CRUMPLE CRUMPLED CRUMPLES CRUMPLING CRUNCH CRUNCHED CRUNCHES CRUNCHIER CRUNCHIEST CRUNCHING CRUNCHY CRUSADE CRUSADER CRUSADERS CRUSADES CRUSADING CRUSH CRUSHABLE CRUSHED CRUSHER CRUSHERS CRUSHES CRUSHING CRUSHINGLY CRUSOE CRUST CRUSTACEAN CRUSTACEANS CRUSTS CRUTCH CRUTCHES CRUX CRUXES CRUZ CRY CRYING CRYOGENIC CRYPT CRYPTANALYSIS CRYPTANALYST CRYPTANALYTIC CRYPTIC CRYPTOGRAM CRYPTOGRAPHER CRYPTOGRAPHIC CRYPTOGRAPHICALLY CRYPTOGRAPHY CRYPTOLOGIST CRYPTOLOGY CRYSTAL CRYSTALLINE CRYSTALLIZE CRYSTALLIZED CRYSTALLIZES CRYSTALLIZING CRYSTALS CUB CUBA CUBAN CUBANIZE CUBANIZES CUBANS CUBBYHOLE CUBE CUBED CUBES CUBIC CUBS CUCKOO CUCKOOS CUCUMBER CUCUMBERS CUDDLE CUDDLED CUDDLY CUDGEL CUDGELS CUE CUED CUES CUFF CUFFLINK CUFFS CUISINE CULBERTSON CULINARY CULL CULLED CULLER CULLING CULLS CULMINATE CULMINATED CULMINATES CULMINATING CULMINATION CULPA CULPABLE CULPRIT CULPRITS CULT CULTIVABLE CULTIVATE CULTIVATED CULTIVATES CULTIVATING CULTIVATION CULTIVATIONS CULTIVATOR CULTIVATORS CULTS CULTURAL CULTURALLY CULTURE CULTURED CULTURES CULTURING CULVER CULVERS CUMBERLAND CUMBERSOME CUMMINGS CUMMINS CUMULATIVE CUMULATIVELY CUNARD CUNNILINGUS CUNNING CUNNINGHAM CUNNINGLY CUP CUPBOARD CUPBOARDS CUPERTINO CUPFUL CUPID CUPPED CUPPING CUPS CURABLE CURABLY CURB CURBING CURBS CURD CURDLE CURE CURED CURES CURFEW CURFEWS CURING CURIOSITIES CURIOSITY CURIOUS CURIOUSER CURIOUSEST CURIOUSLY CURL CURLED CURLER CURLERS CURLICUE CURLING CURLS CURLY CURRAN CURRANT CURRANTS CURRENCIES CURRENCY CURRENT CURRENTLY CURRENTNESS CURRENTS CURRICULAR CURRICULUM CURRICULUMS CURRIED CURRIES CURRY CURRYING CURS CURSE CURSED CURSES CURSING CURSIVE CURSOR CURSORILY CURSORS CURSORY CURT CURTAIL CURTAILED CURTAILS CURTAIN CURTAINED CURTAINS CURTATE CURTIS CURTLY CURTNESS CURTSIES CURTSY CURVACEOUS CURVATURE CURVE CURVED CURVES CURVILINEAR CURVING CUSHING CUSHION CUSHIONED CUSHIONING CUSHIONS CUSHMAN CUSP CUSPS CUSTARD CUSTER CUSTODIAL CUSTODIAN CUSTODIANS CUSTODY CUSTOM CUSTOMARILY CUSTOMARY CUSTOMER CUSTOMERS CUSTOMIZABLE CUSTOMIZATION CUSTOMIZATIONS CUSTOMIZE CUSTOMIZED CUSTOMIZER CUSTOMIZERS CUSTOMIZES CUSTOMIZING CUSTOMS CUT CUTANEOUS CUTBACK CUTE CUTEST CUTLASS CUTLET CUTOFF CUTOUT CUTOVER CUTS CUTTER CUTTERS CUTTHROAT CUTTING CUTTINGLY CUTTINGS CUTTLEFISH CUVIER CUZCO CYANAMID CYANIDE CYBERNETIC CYBERNETICS CYBERSPACE CYCLADES CYCLE CYCLED CYCLES CYCLIC CYCLICALLY CYCLING CYCLOID CYCLOIDAL CYCLOIDS CYCLONE CYCLONES CYCLOPS CYCLOTRON CYCLOTRONS CYGNUS CYLINDER CYLINDERS CYLINDRICAL CYMBAL CYMBALS CYNIC CYNICAL CYNICALLY CYNTHIA CYPRESS CYPRIAN CYPRIOT CYPRUS CYRIL CYRILLIC CYRUS CYST CYSTS CYTOLOGY CYTOPLASM CZAR CZECH CZECHIZATION CZECHIZATIONS CZECHOSLOVAKIA CZERNIAK DABBLE DABBLED DABBLER DABBLES DABBLING DACCA DACRON DACTYL DACTYLIC DAD DADA DADAISM DADAIST DADAISTIC DADDY DADE DADS DAEDALUS DAEMON DAEMONS DAFFODIL DAFFODILS DAGGER DAHL DAHLIA DAHOMEY DAILEY DAILIES DAILY DAIMLER DAINTILY DAINTINESS DAINTY DAIRY DAIRYLEA DAISIES DAISY DAKAR DAKOTA DALE DALES DALEY DALHOUSIE DALI DALLAS DALTON DALY DALZELL DAM DAMAGE DAMAGED DAMAGER DAMAGERS DAMAGES DAMAGING DAMASCUS DAMASK DAME DAMMING DAMN DAMNATION DAMNED DAMNING DAMNS DAMOCLES DAMON DAMP DAMPEN DAMPENS DAMPER DAMPING DAMPNESS DAMS DAMSEL DAMSELS DAN DANA DANBURY DANCE DANCED DANCER DANCERS DANCES DANCING DANDELION DANDELIONS DANDY DANE DANES DANGER DANGEROUS DANGEROUSLY DANGERS DANGLE DANGLED DANGLES DANGLING DANIEL DANIELS DANIELSON DANISH DANIZATION DANIZATIONS DANIZE DANIZES DANNY DANTE DANUBE DANUBIAN DANVILLE DANZIG DAPHNE DAR DARE DARED DARER DARERS DARES DARESAY DARING DARINGLY DARIUS DARK DARKEN DARKER DARKEST DARKLY DARKNESS DARKROOM DARLENE DARLING DARLINGS DARLINGTON DARN DARNED DARNER DARNING DARNS DARPA DARRELL DARROW DARRY DART DARTED DARTER DARTING DARTMOUTH DARTS DARWIN DARWINIAN DARWINISM DARWINISTIC DARWINIZE DARWINIZES DASH DASHBOARD DASHED DASHER DASHERS DASHES DASHING DASHINGLY DATA DATABASE DATABASES DATAGRAM DATAGRAMS DATAMATION DATAMEDIA DATE DATED DATELINE DATER DATES DATING DATIVE DATSUN DATUM DAUGHERTY DAUGHTER DAUGHTERLY DAUGHTERS DAUNT DAUNTED DAUNTLESS DAVE DAVID DAVIDSON DAVIE DAVIES DAVINICH DAVIS DAVISON DAVY DAWN DAWNED DAWNING DAWNS DAWSON DAY DAYBREAK DAYDREAM DAYDREAMING DAYDREAMS DAYLIGHT DAYLIGHTS DAYS DAYTIME DAYTON DAYTONA DAZE DAZED DAZZLE DAZZLED DAZZLER DAZZLES DAZZLING DAZZLINGLY DEACON DEACONS DEACTIVATE DEAD DEADEN DEADLINE DEADLINES DEADLOCK DEADLOCKED DEADLOCKING DEADLOCKS DEADLY DEADNESS DEADWOOD DEAF DEAFEN DEAFER DEAFEST DEAFNESS DEAL DEALER DEALERS DEALERSHIP DEALING DEALINGS DEALLOCATE DEALLOCATED DEALLOCATING DEALLOCATION DEALLOCATIONS DEALS DEALT DEAN DEANE DEANNA DEANS DEAR DEARBORN DEARER DEAREST DEARLY DEARNESS DEARTH DEARTHS DEATH DEATHBED DEATHLY DEATHS DEBACLE DEBAR DEBASE DEBATABLE DEBATE DEBATED DEBATER DEBATERS DEBATES DEBATING DEBAUCH DEBAUCHERY DEBBIE DEBBY DEBILITATE DEBILITATED DEBILITATES DEBILITATING DEBILITY DEBIT DEBITED DEBORAH DEBRA DEBRIEF DEBRIS DEBT DEBTOR DEBTS DEBUG DEBUGGED DEBUGGER DEBUGGERS DEBUGGING DEBUGS DEBUNK DEBUSSY DEBUTANTE DEC DECADE DECADENCE DECADENT DECADENTLY DECADES DECAL DECATHLON DECATUR DECAY DECAYED DECAYING DECAYS DECCA DECEASE DECEASED DECEASES DECEASING DECEDENT DECEIT DECEITFUL DECEITFULLY DECEITFULNESS DECEIVE DECEIVED DECEIVER DECEIVERS DECEIVES DECEIVING DECELERATE DECELERATED DECELERATES DECELERATING DECELERATION DECEMBER DECEMBERS DECENCIES DECENCY DECENNIAL DECENT DECENTLY DECENTRALIZATION DECENTRALIZED DECEPTION DECEPTIONS DECEPTIVE DECEPTIVELY DECERTIFY DECIBEL DECIDABILITY DECIDABLE DECIDE DECIDED DECIDEDLY DECIDES DECIDING DECIDUOUS DECIMAL DECIMALS DECIMATE DECIMATED DECIMATES DECIMATING DECIMATION DECIPHER DECIPHERED DECIPHERER DECIPHERING DECIPHERS DECISION DECISIONS DECISIVE DECISIVELY DECISIVENESS DECK DECKED DECKER DECKING DECKINGS DECKS DECLARATION DECLARATIONS DECLARATIVE DECLARATIVELY DECLARATIVES DECLARATOR DECLARATORY DECLARE DECLARED DECLARER DECLARERS DECLARES DECLARING DECLASSIFY DECLINATION DECLINATIONS DECLINE DECLINED DECLINER DECLINERS DECLINES DECLINING DECNET DECODE DECODED DECODER DECODERS DECODES DECODING DECODINGS DECOLLETAGE DECOLLIMATE DECOMPILE DECOMPOSABILITY DECOMPOSABLE DECOMPOSE DECOMPOSED DECOMPOSES DECOMPOSING DECOMPOSITION DECOMPOSITIONS DECOMPRESS DECOMPRESSION DECORATE DECORATED DECORATES DECORATING DECORATION DECORATIONS DECORATIVE DECORUM DECOUPLE DECOUPLED DECOUPLES DECOUPLING DECOY DECOYS DECREASE DECREASED DECREASES DECREASING DECREASINGLY DECREE DECREED DECREEING DECREES DECREMENT DECREMENTED DECREMENTING DECREMENTS DECRYPT DECRYPTED DECRYPTING DECRYPTION DECRYPTS DECSTATION DECSYSTEM DECTAPE DEDICATE DEDICATED DEDICATES DEDICATING DEDICATION DEDUCE DEDUCED DEDUCER DEDUCES DEDUCIBLE DEDUCING DEDUCT DEDUCTED DEDUCTIBLE DEDUCTING DEDUCTION DEDUCTIONS DEDUCTIVE DEE DEED DEEDED DEEDING DEEDS DEEM DEEMED DEEMING DEEMPHASIZE DEEMPHASIZED DEEMPHASIZES DEEMPHASIZING DEEMS DEEP DEEPEN DEEPENED DEEPENING DEEPENS DEEPER DEEPEST DEEPLY DEEPS DEER DEERE DEFACE DEFAULT DEFAULTED DEFAULTER DEFAULTING DEFAULTS DEFEAT DEFEATED DEFEATING DEFEATS DEFECATE DEFECT DEFECTED DEFECTING DEFECTION DEFECTIONS DEFECTIVE DEFECTS DEFEND DEFENDANT DEFENDANTS DEFENDED DEFENDER DEFENDERS DEFENDING DEFENDS DEFENESTRATE DEFENESTRATED DEFENESTRATES DEFENESTRATING DEFENESTRATION DEFENSE DEFENSELESS DEFENSES DEFENSIBLE DEFENSIVE DEFER DEFERENCE DEFERMENT DEFERMENTS DEFERRABLE DEFERRED DEFERRER DEFERRERS DEFERRING DEFERS DEFIANCE DEFIANT DEFIANTLY DEFICIENCIES DEFICIENCY DEFICIENT DEFICIT DEFICITS DEFIED DEFIES DEFILE DEFILING DEFINABLE DEFINE DEFINED DEFINER DEFINES DEFINING DEFINITE DEFINITELY DEFINITENESS DEFINITION DEFINITIONAL DEFINITIONS DEFINITIVE DEFLATE DEFLATER DEFLECT DEFOCUS DEFOE DEFOREST DEFORESTATION DEFORM DEFORMATION DEFORMATIONS DEFORMED DEFORMITIES DEFORMITY DEFRAUD DEFRAY DEFROST DEFTLY DEFUNCT DEFY DEFYING DEGENERACY DEGENERATE DEGENERATED DEGENERATES DEGENERATING DEGENERATION DEGENERATIVE DEGRADABLE DEGRADATION DEGRADATIONS DEGRADE DEGRADED DEGRADES DEGRADING DEGREE DEGREES DEHUMIDIFY DEHYDRATE DEIFY DEIGN DEIGNED DEIGNING DEIGNS DEIMOS DEIRDRE DEIRDRES DEITIES DEITY DEJECTED DEJECTEDLY DEKALB DEKASTERE DEL DELANEY DELANO DELAWARE DELAY DELAYED DELAYING DELAYS DELEGATE DELEGATED DELEGATES DELEGATING DELEGATION DELEGATIONS DELETE DELETED DELETER DELETERIOUS DELETES DELETING DELETION DELETIONS DELFT DELHI DELIA DELIBERATE DELIBERATED DELIBERATELY DELIBERATENESS DELIBERATES DELIBERATING DELIBERATION DELIBERATIONS DELIBERATIVE DELIBERATOR DELIBERATORS DELICACIES DELICACY DELICATE DELICATELY DELICATESSEN DELICIOUS DELICIOUSLY DELIGHT DELIGHTED DELIGHTEDLY DELIGHTFUL DELIGHTFULLY DELIGHTING DELIGHTS DELILAH DELIMIT DELIMITATION DELIMITED DELIMITER DELIMITERS DELIMITING DELIMITS DELINEAMENT DELINEATE DELINEATED DELINEATES DELINEATING DELINEATION DELINQUENCY DELINQUENT DELIRIOUS DELIRIOUSLY DELIRIUM DELIVER DELIVERABLE DELIVERABLES DELIVERANCE DELIVERED DELIVERER DELIVERERS DELIVERIES DELIVERING DELIVERS DELIVERY DELL DELLA DELLS DELLWOOD DELMARVA DELPHI DELPHIC DELPHICALLY DELPHINUS DELTA DELTAS DELUDE DELUDED DELUDES DELUDING DELUGE DELUGED DELUGES DELUSION DELUSIONS DELUXE DELVE DELVES DELVING DEMAGNIFY DEMAGOGUE DEMAND DEMANDED DEMANDER DEMANDING DEMANDINGLY DEMANDS DEMARCATE DEMEANOR DEMENTED DEMERIT DEMETER DEMIGOD DEMISE DEMO DEMOCRACIES DEMOCRACY DEMOCRAT DEMOCRATIC DEMOCRATICALLY DEMOCRATS DEMODULATE DEMODULATOR DEMOGRAPHIC DEMOLISH DEMOLISHED DEMOLISHES DEMOLITION DEMON DEMONIAC DEMONIC DEMONS DEMONSTRABLE DEMONSTRATE DEMONSTRATED DEMONSTRATES DEMONSTRATING DEMONSTRATION DEMONSTRATIONS DEMONSTRATIVE DEMONSTRATIVELY DEMONSTRATOR DEMONSTRATORS DEMORALIZE DEMORALIZED DEMORALIZES DEMORALIZING DEMORGAN DEMOTE DEMOUNTABLE DEMPSEY DEMULTIPLEX DEMULTIPLEXED DEMULTIPLEXER DEMULTIPLEXERS DEMULTIPLEXING DEMUR DEMYTHOLOGIZE DEN DENATURE DENEB DENEBOLA DENEEN DENIABLE DENIAL DENIALS DENIED DENIER DENIES DENIGRATE DENIGRATED DENIGRATES DENIGRATING DENIZEN DENMARK DENNIS DENNY DENOMINATE DENOMINATION DENOMINATIONS DENOMINATOR DENOMINATORS DENOTABLE DENOTATION DENOTATIONAL DENOTATIONALLY DENOTATIONS DENOTATIVE DENOTE DENOTED DENOTES DENOTING DENOUNCE DENOUNCED DENOUNCES DENOUNCING DENS DENSE DENSELY DENSENESS DENSER DENSEST DENSITIES DENSITY DENT DENTAL DENTALLY DENTED DENTING DENTIST DENTISTRY DENTISTS DENTON DENTS DENTURE DENUDE DENUMERABLE DENUNCIATE DENUNCIATION DENVER DENY DENYING DEODORANT DEOXYRIBONUCLEIC DEPART DEPARTED DEPARTING DEPARTMENT DEPARTMENTAL DEPARTMENTS DEPARTS DEPARTURE DEPARTURES DEPEND DEPENDABILITY DEPENDABLE DEPENDABLY DEPENDED DEPENDENCE DEPENDENCIES DEPENDENCY DEPENDENT DEPENDENTLY DEPENDENTS DEPENDING DEPENDS DEPICT DEPICTED DEPICTING DEPICTS DEPLETE DEPLETED DEPLETES DEPLETING DEPLETION DEPLETIONS DEPLORABLE DEPLORE DEPLORED DEPLORES DEPLORING DEPLOY DEPLOYED DEPLOYING DEPLOYMENT DEPLOYMENTS DEPLOYS DEPORT DEPORTATION DEPORTEE DEPORTMENT DEPOSE DEPOSED DEPOSES DEPOSIT DEPOSITARY DEPOSITED DEPOSITING DEPOSITION DEPOSITIONS DEPOSITOR DEPOSITORS DEPOSITORY DEPOSITS DEPOT DEPOTS DEPRAVE DEPRAVED DEPRAVITY DEPRECATE DEPRECIATE DEPRECIATED DEPRECIATES DEPRECIATION DEPRESS DEPRESSED DEPRESSES DEPRESSING DEPRESSION DEPRESSIONS DEPRIVATION DEPRIVATIONS DEPRIVE DEPRIVED DEPRIVES DEPRIVING DEPTH DEPTHS DEPUTIES DEPUTY DEQUEUE DEQUEUED DEQUEUES DEQUEUING DERAIL DERAILED DERAILING DERAILS DERBY DERBYSHIRE DEREFERENCE DEREGULATE DEREGULATED DEREK DERIDE DERISION DERIVABLE DERIVATION DERIVATIONS DERIVATIVE DERIVATIVES DERIVE DERIVED DERIVES DERIVING DEROGATORY DERRICK DERRIERE DERVISH DES DESCARTES DESCEND DESCENDANT DESCENDANTS DESCENDED DESCENDENT DESCENDER DESCENDERS DESCENDING DESCENDS DESCENT DESCENTS DESCRIBABLE DESCRIBE DESCRIBED DESCRIBER DESCRIBES DESCRIBING DESCRIPTION DESCRIPTIONS DESCRIPTIVE DESCRIPTIVELY DESCRIPTIVES DESCRIPTOR DESCRIPTORS DESCRY DESECRATE DESEGREGATE DESERT DESERTED DESERTER DESERTERS DESERTING DESERTION DESERTIONS DESERTS DESERVE DESERVED DESERVES DESERVING DESERVINGLY DESERVINGS DESIDERATA DESIDERATUM DESIGN DESIGNATE DESIGNATED DESIGNATES DESIGNATING DESIGNATION DESIGNATIONS DESIGNATOR DESIGNATORS DESIGNED DESIGNER DESIGNERS DESIGNING DESIGNS DESIRABILITY DESIRABLE DESIRABLY DESIRE DESIRED DESIRES DESIRING DESIROUS DESIST DESK DESKS DESKTOP DESMOND DESOLATE DESOLATELY DESOLATION DESOLATIONS DESPAIR DESPAIRED DESPAIRING DESPAIRINGLY DESPAIRS DESPATCH DESPATCHED DESPERADO DESPERATE DESPERATELY DESPERATION DESPICABLE DESPISE DESPISED DESPISES DESPISING DESPITE DESPOIL DESPONDENT DESPOT DESPOTIC DESPOTISM DESPOTS DESSERT DESSERTS DESSICATE DESTABILIZE DESTINATION DESTINATIONS DESTINE DESTINED DESTINIES DESTINY DESTITUTE DESTITUTION DESTROY DESTROYED DESTROYER DESTROYERS DESTROYING DESTROYS DESTRUCT DESTRUCTION DESTRUCTIONS DESTRUCTIVE DESTRUCTIVELY DESTRUCTIVENESS DESTRUCTOR DESTUFF DESTUFFING DESTUFFS DESUETUDE DESULTORY DESYNCHRONIZE DETACH DETACHED DETACHER DETACHES DETACHING DETACHMENT DETACHMENTS DETAIL DETAILED DETAILING DETAILS DETAIN DETAINED DETAINING DETAINS DETECT DETECTABLE DETECTABLY DETECTED DETECTING DETECTION DETECTIONS DETECTIVE DETECTIVES DETECTOR DETECTORS DETECTS DETENTE DETENTION DETER DETERGENT DETERIORATE DETERIORATED DETERIORATES DETERIORATING DETERIORATION DETERMINABLE DETERMINACY DETERMINANT DETERMINANTS DETERMINATE DETERMINATELY DETERMINATION DETERMINATIONS DETERMINATIVE DETERMINE DETERMINED DETERMINER DETERMINERS DETERMINES DETERMINING DETERMINISM DETERMINISTIC DETERMINISTICALLY DETERRED DETERRENT DETERRING DETEST DETESTABLE DETESTED DETOUR DETRACT DETRACTOR DETRACTORS DETRACTS DETRIMENT DETRIMENTAL DETROIT DEUCE DEUS DEUTERIUM DEUTSCH DEVASTATE DEVASTATED DEVASTATES DEVASTATING DEVASTATION DEVELOP DEVELOPED DEVELOPER DEVELOPERS DEVELOPING DEVELOPMENT DEVELOPMENTAL DEVELOPMENTS DEVELOPS DEVIANT DEVIANTS DEVIATE DEVIATED DEVIATES DEVIATING DEVIATION DEVIATIONS DEVICE DEVICES DEVIL DEVILISH DEVILISHLY DEVILS DEVIOUS DEVISE DEVISED DEVISES DEVISING DEVISINGS DEVOID DEVOLVE DEVON DEVONSHIRE DEVOTE DEVOTED DEVOTEDLY DEVOTEE DEVOTEES DEVOTES DEVOTING DEVOTION DEVOTIONS DEVOUR DEVOURED DEVOURER DEVOURS DEVOUT DEVOUTLY DEVOUTNESS DEW DEWDROP DEWDROPS DEWEY DEWITT DEWY DEXEDRINE DEXTERITY DHABI DIABETES DIABETIC DIABOLIC DIACHRONIC DIACRITICAL DIADEM DIAGNOSABLE DIAGNOSE DIAGNOSED DIAGNOSES DIAGNOSING DIAGNOSIS DIAGNOSTIC DIAGNOSTICIAN DIAGNOSTICS DIAGONAL DIAGONALLY DIAGONALS DIAGRAM DIAGRAMMABLE DIAGRAMMATIC DIAGRAMMATICALLY DIAGRAMMED DIAGRAMMER DIAGRAMMERS DIAGRAMMING DIAGRAMS DIAL DIALECT DIALECTIC DIALECTS DIALED DIALER DIALERS DIALING DIALOG DIALOGS DIALOGUE DIALOGUES DIALS DIALUP DIALYSIS DIAMAGNETIC DIAMETER DIAMETERS DIAMETRIC DIAMETRICALLY DIAMOND DIAMONDS DIANA DIANE DIANNE DIAPER DIAPERS DIAPHRAGM DIAPHRAGMS DIARIES DIARRHEA DIARY DIATRIBE DIATRIBES DIBBLE DICE DICHOTOMIZE DICHOTOMY DICKENS DICKERSON DICKINSON DICKSON DICKY DICTATE DICTATED DICTATES DICTATING DICTATION DICTATIONS DICTATOR DICTATORIAL DICTATORS DICTATORSHIP DICTION DICTIONARIES DICTIONARY DICTUM DICTUMS DID DIDACTIC DIDDLE DIDO DIE DIEBOLD DIED DIEGO DIEHARD DIELECTRIC DIELECTRICS DIEM DIES DIESEL DIET DIETARY DIETER DIETERS DIETETIC DIETICIAN DIETITIAN DIETITIANS DIETRICH DIETS DIETZ DIFFER DIFFERED DIFFERENCE DIFFERENCES DIFFERENT DIFFERENTIABLE DIFFERENTIAL DIFFERENTIALS DIFFERENTIATE DIFFERENTIATED DIFFERENTIATES DIFFERENTIATING DIFFERENTIATION DIFFERENTIATIONS DIFFERENTIATORS DIFFERENTLY DIFFERER DIFFERERS DIFFERING DIFFERS DIFFICULT DIFFICULTIES DIFFICULTLY DIFFICULTY DIFFRACT DIFFUSE DIFFUSED DIFFUSELY DIFFUSER DIFFUSERS DIFFUSES DIFFUSIBLE DIFFUSING DIFFUSION DIFFUSIONS DIFFUSIVE DIG DIGEST DIGESTED DIGESTIBLE DIGESTING DIGESTION DIGESTIVE DIGESTS DIGGER DIGGERS DIGGING DIGGINGS DIGIT DIGITAL DIGITALIS DIGITALLY DIGITIZATION DIGITIZE DIGITIZED DIGITIZES DIGITIZING DIGITS DIGNIFIED DIGNIFY DIGNITARY DIGNITIES DIGNITY DIGRAM DIGRESS DIGRESSED DIGRESSES DIGRESSING DIGRESSION DIGRESSIONS DIGRESSIVE DIGS DIHEDRAL DIJKSTRA DIJON DIKE DIKES DILAPIDATE DILATATION DILATE DILATED DILATES DILATING DILATION DILDO DILEMMA DILEMMAS DILIGENCE DILIGENT DILIGENTLY DILL DILLON DILOGARITHM DILUTE DILUTED DILUTES DILUTING DILUTION DIM DIMAGGIO DIME DIMENSION DIMENSIONAL DIMENSIONALITY DIMENSIONALLY DIMENSIONED DIMENSIONING DIMENSIONS DIMES DIMINISH DIMINISHED DIMINISHES DIMINISHING DIMINUTION DIMINUTIVE DIMLY DIMMED DIMMER DIMMERS DIMMEST DIMMING DIMNESS DIMPLE DIMS DIN DINAH DINE DINED DINER DINERS DINES DING DINGHY DINGINESS DINGO DINGY DINING DINNER DINNERS DINNERTIME DINNERWARE DINOSAUR DINT DIOCLETIAN DIODE DIODES DIOGENES DION DIONYSIAN DIONYSUS DIOPHANTINE DIOPTER DIORAMA DIOXIDE DIP DIPHTHERIA DIPHTHONG DIPLOMA DIPLOMACY DIPLOMAS DIPLOMAT DIPLOMATIC DIPLOMATS DIPOLE DIPPED DIPPER DIPPERS DIPPING DIPPINGS DIPS DIRAC DIRE DIRECT DIRECTED DIRECTING DIRECTION DIRECTIONAL DIRECTIONALITY DIRECTIONALLY DIRECTIONS DIRECTIVE DIRECTIVES DIRECTLY DIRECTNESS DIRECTOR DIRECTORATE DIRECTORIES DIRECTORS DIRECTORY DIRECTRICES DIRECTRIX DIRECTS DIRGE DIRGES DIRICHLET DIRT DIRTIER DIRTIEST DIRTILY DIRTINESS DIRTS DIRTY DIS DISABILITIES DISABILITY DISABLE DISABLED DISABLER DISABLERS DISABLES DISABLING DISADVANTAGE DISADVANTAGEOUS DISADVANTAGES DISAFFECTED DISAFFECTION DISAGREE DISAGREEABLE DISAGREED DISAGREEING DISAGREEMENT DISAGREEMENTS DISAGREES DISALLOW DISALLOWED DISALLOWING DISALLOWS DISAMBIGUATE DISAMBIGUATED DISAMBIGUATES DISAMBIGUATING DISAMBIGUATION DISAMBIGUATIONS DISAPPEAR DISAPPEARANCE DISAPPEARANCES DISAPPEARED DISAPPEARING DISAPPEARS DISAPPOINT DISAPPOINTED DISAPPOINTING DISAPPOINTMENT DISAPPOINTMENTS DISAPPROVAL DISAPPROVE DISAPPROVED DISAPPROVES DISARM DISARMAMENT DISARMED DISARMING DISARMS DISASSEMBLE DISASSEMBLED DISASSEMBLES DISASSEMBLING DISASSEMBLY DISASTER DISASTERS DISASTROUS DISASTROUSLY DISBAND DISBANDED DISBANDING DISBANDS DISBURSE DISBURSED DISBURSEMENT DISBURSEMENTS DISBURSES DISBURSING DISC DISCARD DISCARDED DISCARDING DISCARDS DISCERN DISCERNED DISCERNIBILITY DISCERNIBLE DISCERNIBLY DISCERNING DISCERNINGLY DISCERNMENT DISCERNS DISCHARGE DISCHARGED DISCHARGES DISCHARGING DISCIPLE DISCIPLES DISCIPLINARY DISCIPLINE DISCIPLINED DISCIPLINES DISCIPLINING DISCLAIM DISCLAIMED DISCLAIMER DISCLAIMS DISCLOSE DISCLOSED DISCLOSES DISCLOSING DISCLOSURE DISCLOSURES DISCOMFORT DISCONCERT DISCONCERTING DISCONCERTINGLY DISCONNECT DISCONNECTED DISCONNECTING DISCONNECTION DISCONNECTS DISCONTENT DISCONTENTED DISCONTINUANCE DISCONTINUE DISCONTINUED DISCONTINUES DISCONTINUITIES DISCONTINUITY DISCONTINUOUS DISCORD DISCORDANT DISCOUNT DISCOUNTED DISCOUNTING DISCOUNTS DISCOURAGE DISCOURAGED DISCOURAGEMENT DISCOURAGES DISCOURAGING DISCOURSE DISCOURSES DISCOVER DISCOVERED DISCOVERER DISCOVERERS DISCOVERIES DISCOVERING DISCOVERS DISCOVERY DISCREDIT DISCREDITED DISCREET DISCREETLY DISCREPANCIES DISCREPANCY DISCRETE DISCRETELY DISCRETENESS DISCRETION DISCRETIONARY DISCRIMINANT DISCRIMINATE DISCRIMINATED DISCRIMINATES DISCRIMINATING DISCRIMINATION DISCRIMINATORY DISCS DISCUSS DISCUSSANT DISCUSSED DISCUSSES DISCUSSING DISCUSSION DISCUSSIONS DISDAIN DISDAINING DISDAINS DISEASE DISEASED DISEASES DISEMBOWEL DISENGAGE DISENGAGED DISENGAGES DISENGAGING DISENTANGLE DISENTANGLING DISFIGURE DISFIGURED DISFIGURES DISFIGURING DISGORGE DISGRACE DISGRACED DISGRACEFUL DISGRACEFULLY DISGRACES DISGRUNTLE DISGRUNTLED DISGUISE DISGUISED DISGUISES DISGUST DISGUSTED DISGUSTEDLY DISGUSTFUL DISGUSTING DISGUSTINGLY DISGUSTS DISH DISHEARTEN DISHEARTENING DISHED DISHES DISHEVEL DISHING DISHONEST DISHONESTLY DISHONESTY DISHONOR DISHONORABLE DISHONORED DISHONORING DISHONORS DISHWASHER DISHWASHERS DISHWASHING DISHWATER DISILLUSION DISILLUSIONED DISILLUSIONING DISILLUSIONMENT DISILLUSIONMENTS DISINCLINED DISINGENUOUS DISINTERESTED DISINTERESTEDNESS DISJOINT DISJOINTED DISJOINTLY DISJOINTNESS DISJUNCT DISJUNCTION DISJUNCTIONS DISJUNCTIVE DISJUNCTIVELY DISJUNCTS DISK DISKETTE DISKETTES DISKS DISLIKE DISLIKED DISLIKES DISLIKING DISLOCATE DISLOCATED DISLOCATES DISLOCATING DISLOCATION DISLOCATIONS DISLODGE DISLODGED DISMAL DISMALLY DISMAY DISMAYED DISMAYING DISMEMBER DISMEMBERED DISMEMBERMENT DISMEMBERS DISMISS DISMISSAL DISMISSALS DISMISSED DISMISSER DISMISSERS DISMISSES DISMISSING DISMOUNT DISMOUNTED DISMOUNTING DISMOUNTS DISNEY DISNEYLAND DISOBEDIENCE DISOBEDIENT DISOBEY DISOBEYED DISOBEYING DISOBEYS DISORDER DISORDERED DISORDERLY DISORDERS DISORGANIZED DISOWN DISOWNED DISOWNING DISOWNS DISPARAGE DISPARATE DISPARITIES DISPARITY DISPASSIONATE DISPATCH DISPATCHED DISPATCHER DISPATCHERS DISPATCHES DISPATCHING DISPEL DISPELL DISPELLED DISPELLING DISPELS DISPENSARY DISPENSATION DISPENSE DISPENSED DISPENSER DISPENSERS DISPENSES DISPENSING DISPERSAL DISPERSE DISPERSED DISPERSES DISPERSING DISPERSION DISPERSIONS DISPLACE DISPLACED DISPLACEMENT DISPLACEMENTS DISPLACES DISPLACING DISPLAY DISPLAYABLE DISPLAYED DISPLAYER DISPLAYING DISPLAYS DISPLEASE DISPLEASED DISPLEASES DISPLEASING DISPLEASURE DISPOSABLE DISPOSAL DISPOSALS DISPOSE DISPOSED DISPOSER DISPOSES DISPOSING DISPOSITION DISPOSITIONS DISPOSSESSED DISPROPORTIONATE DISPROVE DISPROVED DISPROVES DISPROVING DISPUTE DISPUTED DISPUTER DISPUTERS DISPUTES DISPUTING DISQUALIFICATION DISQUALIFIED DISQUALIFIES DISQUALIFY DISQUALIFYING DISQUIET DISQUIETING DISRAELI DISREGARD DISREGARDED DISREGARDING DISREGARDS DISRESPECTFUL DISRUPT DISRUPTED DISRUPTING DISRUPTION DISRUPTIONS DISRUPTIVE DISRUPTS DISSATISFACTION DISSATISFACTIONS DISSATISFACTORY DISSATISFIED DISSECT DISSECTS DISSEMBLE DISSEMINATE DISSEMINATED DISSEMINATES DISSEMINATING DISSEMINATION DISSENSION DISSENSIONS DISSENT DISSENTED DISSENTER DISSENTERS DISSENTING DISSENTS DISSERTATION DISSERTATIONS DISSERVICE DISSIDENT DISSIDENTS DISSIMILAR DISSIMILARITIES DISSIMILARITY DISSIPATE DISSIPATED DISSIPATES DISSIPATING DISSIPATION DISSOCIATE DISSOCIATED DISSOCIATES DISSOCIATING DISSOCIATION DISSOLUTION DISSOLUTIONS DISSOLVE DISSOLVED DISSOLVES DISSOLVING DISSONANT DISSUADE DISTAFF DISTAL DISTALLY DISTANCE DISTANCES DISTANT DISTANTLY DISTASTE DISTASTEFUL DISTASTEFULLY DISTASTES DISTEMPER DISTEMPERED DISTEMPERS DISTILL DISTILLATION DISTILLED DISTILLER DISTILLERS DISTILLERY DISTILLING DISTILLS DISTINCT DISTINCTION DISTINCTIONS DISTINCTIVE DISTINCTIVELY DISTINCTIVENESS DISTINCTLY DISTINCTNESS DISTINGUISH DISTINGUISHABLE DISTINGUISHED DISTINGUISHES DISTINGUISHING DISTORT DISTORTED DISTORTING DISTORTION DISTORTIONS DISTORTS DISTRACT DISTRACTED DISTRACTING DISTRACTION DISTRACTIONS DISTRACTS DISTRAUGHT DISTRESS DISTRESSED DISTRESSES DISTRESSING DISTRIBUTE DISTRIBUTED DISTRIBUTES DISTRIBUTING DISTRIBUTION DISTRIBUTIONAL DISTRIBUTIONS DISTRIBUTIVE DISTRIBUTIVITY DISTRIBUTOR DISTRIBUTORS DISTRICT DISTRICTS DISTRUST DISTRUSTED DISTURB DISTURBANCE DISTURBANCES DISTURBED DISTURBER DISTURBING DISTURBINGLY DISTURBS DISUSE DITCH DITCHES DITHER DITTO DITTY DITZEL DIURNAL DIVAN DIVANS DIVE DIVED DIVER DIVERGE DIVERGED DIVERGENCE DIVERGENCES DIVERGENT DIVERGES DIVERGING DIVERS DIVERSE DIVERSELY DIVERSIFICATION DIVERSIFIED DIVERSIFIES DIVERSIFY DIVERSIFYING DIVERSION DIVERSIONARY DIVERSIONS DIVERSITIES DIVERSITY DIVERT DIVERTED DIVERTING DIVERTS DIVES DIVEST DIVESTED DIVESTING DIVESTITURE DIVESTS DIVIDE DIVIDED DIVIDEND DIVIDENDS DIVIDER DIVIDERS DIVIDES DIVIDING DIVINE DIVINELY DIVINER DIVING DIVINING DIVINITIES DIVINITY DIVISIBILITY DIVISIBLE DIVISION DIVISIONAL DIVISIONS DIVISIVE DIVISOR DIVISORS DIVORCE DIVORCED DIVORCEE DIVULGE DIVULGED DIVULGES DIVULGING DIXIE DIXIECRATS DIXIELAND DIXON DIZZINESS DIZZY DJAKARTA DMITRI DNIEPER DOBBIN DOBBS DOBERMAN DOC DOCILE DOCK DOCKED DOCKET DOCKS DOCKSIDE DOCKYARD DOCTOR DOCTORAL DOCTORATE DOCTORATES DOCTORED DOCTORS DOCTRINAIRE DOCTRINAL DOCTRINE DOCTRINES DOCUMENT DOCUMENTARIES DOCUMENTARY DOCUMENTATION DOCUMENTATIONS DOCUMENTED DOCUMENTER DOCUMENTERS DOCUMENTING DOCUMENTS DODD DODECAHEDRA DODECAHEDRAL DODECAHEDRON DODGE DODGED DODGER DODGERS DODGING DODINGTON DODSON DOE DOER DOERS DOES DOG DOGE DOGGED DOGGEDLY DOGGEDNESS DOGGING DOGHOUSE DOGMA DOGMAS DOGMATIC DOGMATISM DOGS DOGTOWN DOHERTY DOING DOINGS DOLAN DOLDRUM DOLE DOLED DOLEFUL DOLEFULLY DOLES DOLL DOLLAR DOLLARS DOLLIES DOLLS DOLLY DOLORES DOLPHIN DOLPHINS DOMAIN DOMAINS DOME DOMED DOMENICO DOMES DOMESDAY DOMESTIC DOMESTICALLY DOMESTICATE DOMESTICATED DOMESTICATES DOMESTICATING DOMESTICATION DOMICILE DOMINANCE DOMINANT DOMINANTLY DOMINATE DOMINATED DOMINATES DOMINATING DOMINATION DOMINEER DOMINEERING DOMINGO DOMINIC DOMINICAN DOMINICANS DOMINICK DOMINION DOMINIQUE DOMINO DON DONAHUE DONALD DONALDSON DONATE DONATED DONATES DONATING DONATION DONE DONECK DONKEY DONKEYS DONNA DONNELLY DONNER DONNYBROOK DONOR DONOVAN DONS DOODLE DOOLEY DOOLITTLE DOOM DOOMED DOOMING DOOMS DOOMSDAY DOOR DOORBELL DOORKEEPER DOORMAN DOORMEN DOORS DOORSTEP DOORSTEPS DOORWAY DOORWAYS DOPE DOPED DOPER DOPERS DOPES DOPING DOPPLER DORA DORADO DORCAS DORCHESTER DOREEN DORIA DORIC DORICIZE DORICIZES DORIS DORMANT DORMITORIES DORMITORY DOROTHEA DOROTHY DORSET DORTMUND DOSAGE DOSE DOSED DOSES DOSSIER DOSSIERS DOSTOEVSKY DOT DOTE DOTED DOTES DOTING DOTINGLY DOTS DOTTED DOTTING DOUBLE DOUBLED DOUBLEDAY DOUBLEHEADER DOUBLER DOUBLERS DOUBLES DOUBLET DOUBLETON DOUBLETS DOUBLING DOUBLOON DOUBLY DOUBT DOUBTABLE DOUBTED DOUBTER DOUBTERS DOUBTFUL DOUBTFULLY DOUBTING DOUBTLESS DOUBTLESSLY DOUBTS DOUG DOUGH DOUGHERTY DOUGHNUT DOUGHNUTS DOUGLAS DOUGLASS DOVE DOVER DOVES DOVETAIL DOW DOWAGER DOWEL DOWLING DOWN DOWNCAST DOWNED DOWNERS DOWNEY DOWNFALL DOWNFALLEN DOWNGRADE DOWNHILL DOWNING DOWNLINK DOWNLINKS DOWNLOAD DOWNLOADED DOWNLOADING DOWNLOADS DOWNPLAY DOWNPLAYED DOWNPLAYING DOWNPLAYS DOWNPOUR DOWNRIGHT DOWNS DOWNSIDE DOWNSTAIRS DOWNSTREAM DOWNTOWN DOWNTOWNS DOWNTRODDEN DOWNTURN DOWNWARD DOWNWARDS DOWNY DOWRY DOYLE DOZE DOZED DOZEN DOZENS DOZENTH DOZES DOZING DRAB DRACO DRACONIAN DRAFT DRAFTED DRAFTEE DRAFTER DRAFTERS DRAFTING DRAFTS DRAFTSMAN DRAFTSMEN DRAFTY DRAG DRAGGED DRAGGING DRAGNET DRAGON DRAGONFLY DRAGONHEAD DRAGONS DRAGOON DRAGOONED DRAGOONS DRAGS DRAIN DRAINAGE DRAINED DRAINER DRAINING DRAINS DRAKE DRAM DRAMA DRAMAMINE DRAMAS DRAMATIC DRAMATICALLY DRAMATICS DRAMATIST DRAMATISTS DRANK DRAPE DRAPED DRAPER DRAPERIES DRAPERS DRAPERY DRAPES DRASTIC DRASTICALLY DRAUGHT DRAUGHTS DRAVIDIAN DRAW DRAWBACK DRAWBACKS DRAWBRIDGE DRAWBRIDGES DRAWER DRAWERS DRAWING DRAWINGS DRAWL DRAWLED DRAWLING DRAWLS DRAWN DRAWNLY DRAWNNESS DRAWS DREAD DREADED DREADFUL DREADFULLY DREADING DREADNOUGHT DREADS DREAM DREAMBOAT DREAMED DREAMER DREAMERS DREAMILY DREAMING DREAMLIKE DREAMS DREAMT DREAMY DREARINESS DREARY DREDGE DREGS DRENCH DRENCHED DRENCHES DRENCHING DRESS DRESSED DRESSER DRESSERS DRESSES DRESSING DRESSINGS DRESSMAKER DRESSMAKERS DREW DREXEL DREYFUSS DRIED DRIER DRIERS DRIES DRIEST DRIFT DRIFTED DRIFTER DRIFTERS DRIFTING DRIFTS DRILL DRILLED DRILLER DRILLING DRILLS DRILY DRINK DRINKABLE DRINKER DRINKERS DRINKING DRINKS DRIP DRIPPING DRIPPY DRIPS DRISCOLL DRIVE DRIVEN DRIVER DRIVERS DRIVES DRIVEWAY DRIVEWAYS DRIVING DRIZZLE DRIZZLY DROLL DROMEDARY DRONE DRONES DROOL DROOP DROOPED DROOPING DROOPS DROOPY DROP DROPLET DROPOUT DROPPED DROPPER DROPPERS DROPPING DROPPINGS DROPS DROSOPHILA DROUGHT DROUGHTS DROVE DROVER DROVERS DROVES DROWN DROWNED DROWNING DROWNINGS DROWNS DROWSINESS DROWSY DRUBBING DRUDGE DRUDGERY DRUG DRUGGIST DRUGGISTS DRUGS DRUGSTORE DRUM DRUMHEAD DRUMMED DRUMMER DRUMMERS DRUMMING DRUMMOND DRUMS DRUNK DRUNKARD DRUNKARDS DRUNKEN DRUNKENNESS DRUNKER DRUNKLY DRUNKS DRURY DRY DRYDEN DRYING DRYLY DUAL DUALISM DUALITIES DUALITY DUANE DUB DUBBED DUBHE DUBIOUS DUBIOUSLY DUBIOUSNESS DUBLIN DUBS DUBUQUE DUCHESS DUCHESSES DUCHY DUCK DUCKED DUCKING DUCKLING DUCKS DUCT DUCTS DUD DUDLEY DUE DUEL DUELING DUELS DUES DUET DUFFY DUG DUGAN DUKE DUKES DULL DULLED DULLER DULLES DULLEST DULLING DULLNESS DULLS DULLY DULUTH DULY DUMB DUMBBELL DUMBBELLS DUMBER DUMBEST DUMBLY DUMBNESS DUMMIES DUMMY DUMP DUMPED DUMPER DUMPING DUMPS DUMPTY DUNBAR DUNCAN DUNCE DUNCES DUNDEE DUNE DUNEDIN DUNES DUNG DUNGEON DUNGEONS DUNHAM DUNK DUNKIRK DUNLAP DUNLOP DUNN DUNNE DUPE DUPLEX DUPLICABLE DUPLICATE DUPLICATED DUPLICATES DUPLICATING DUPLICATION DUPLICATIONS DUPLICATOR DUPLICATORS DUPLICITY DUPONT DUPONT DUPONTS DUPONTS DUQUESNE DURABILITIES DURABILITY DURABLE DURABLY DURANGO DURATION DURATIONS DURER DURERS DURESS DURHAM DURING DURKEE DURKIN DURRELL DURWARD DUSENBERG DUSENBURY DUSK DUSKINESS DUSKY DUSSELDORF DUST DUSTBIN DUSTED DUSTER DUSTERS DUSTIER DUSTIEST DUSTIN DUSTING DUSTS DUSTY DUTCH DUTCHESS DUTCHMAN DUTCHMEN DUTIES DUTIFUL DUTIFULLY DUTIFULNESS DUTTON DUTY DVORAK DWARF DWARFED DWARFS DWARVES DWELL DWELLED DWELLER DWELLERS DWELLING DWELLINGS DWELLS DWELT DWIGHT DWINDLE DWINDLED DWINDLING DWYER DYAD DYADIC DYE DYED DYEING DYER DYERS DYES DYING DYKE DYLAN DYNAMIC DYNAMICALLY DYNAMICS DYNAMISM DYNAMITE DYNAMITED DYNAMITES DYNAMITING DYNAMO DYNASTIC DYNASTIES DYNASTY DYNE DYSENTERY DYSPEPTIC DYSTROPHY EACH EAGAN EAGER EAGERLY EAGERNESS EAGLE EAGLES EAR EARDRUM EARED EARL EARLIER EARLIEST EARLINESS EARLS EARLY EARMARK EARMARKED EARMARKING EARMARKINGS EARMARKS EARN EARNED EARNER EARNERS EARNEST EARNESTLY EARNESTNESS EARNING EARNINGS EARNS EARP EARPHONE EARRING EARRINGS EARS EARSPLITTING EARTH EARTHEN EARTHENWARE EARTHLINESS EARTHLING EARTHLY EARTHMAN EARTHMEN EARTHMOVER EARTHQUAKE EARTHQUAKES EARTHS EARTHWORM EARTHWORMS EARTHY EASE EASED EASEL EASEMENT EASEMENTS EASES EASIER EASIEST EASILY EASINESS EASING EAST EASTBOUND EASTER EASTERN EASTERNER EASTERNERS EASTERNMOST EASTHAMPTON EASTLAND EASTMAN EASTWARD EASTWARDS EASTWICK EASTWOOD EASY EASYGOING EAT EATEN EATER EATERS EATING EATINGS EATON EATS EAVES EAVESDROP EAVESDROPPED EAVESDROPPER EAVESDROPPERS EAVESDROPPING EAVESDROPS EBB EBBING EBBS EBEN EBONY ECCENTRIC ECCENTRICITIES ECCENTRICITY ECCENTRICS ECCLES ECCLESIASTICAL ECHELON ECHO ECHOED ECHOES ECHOING ECLECTIC ECLIPSE ECLIPSED ECLIPSES ECLIPSING ECLIPTIC ECOLE ECOLOGY ECONOMETRIC ECONOMETRICA ECONOMIC ECONOMICAL ECONOMICALLY ECONOMICS ECONOMIES ECONOMIST ECONOMISTS ECONOMIZE ECONOMIZED ECONOMIZER ECONOMIZERS ECONOMIZES ECONOMIZING ECONOMY ECOSYSTEM ECSTASY ECSTATIC ECUADOR ECUADORIAN EDDIE EDDIES EDDY EDEN EDENIZATION EDENIZATIONS EDENIZE EDENIZES EDGAR EDGE EDGED EDGERTON EDGES EDGEWATER EDGEWOOD EDGING EDIBLE EDICT EDICTS EDIFICE EDIFICES EDINBURGH EDISON EDIT EDITED EDITH EDITING EDITION EDITIONS EDITOR EDITORIAL EDITORIALLY EDITORIALS EDITORS EDITS EDMONDS EDMONDSON EDMONTON EDMUND EDNA EDSGER EDUARD EDUARDO EDUCABLE EDUCATE EDUCATED EDUCATES EDUCATING EDUCATION EDUCATIONAL EDUCATIONALLY EDUCATIONS EDUCATOR EDUCATORS EDWARD EDWARDIAN EDWARDINE EDWARDS EDWIN EDWINA EEL EELGRASS EELS EERIE EERILY EFFECT EFFECTED EFFECTING EFFECTIVE EFFECTIVELY EFFECTIVENESS EFFECTOR EFFECTORS EFFECTS EFFECTUALLY EFFECTUATE EFFEMINATE EFFICACY EFFICIENCIES EFFICIENCY EFFICIENT EFFICIENTLY EFFIE EFFIGY EFFORT EFFORTLESS EFFORTLESSLY EFFORTLESSNESS EFFORTS EGALITARIAN EGAN EGG EGGED EGGHEAD EGGING EGGPLANT EGGS EGGSHELL EGO EGOCENTRIC EGOS EGOTISM EGOTIST EGYPT EGYPTIAN EGYPTIANIZATION EGYPTIANIZATIONS EGYPTIANIZE EGYPTIANIZES EGYPTIANS EGYPTIZE EGYPTIZES EGYPTOLOGY EHRLICH EICHMANN EIFFEL EIGENFUNCTION EIGENSTATE EIGENVALUE EIGENVALUES EIGENVECTOR EIGHT EIGHTEEN EIGHTEENS EIGHTEENTH EIGHTFOLD EIGHTH EIGHTHES EIGHTIES EIGHTIETH EIGHTS EIGHTY EILEEN EINSTEIN EINSTEINIAN EIRE EISENHOWER EISNER EITHER EJACULATE EJACULATED EJACULATES EJACULATING EJACULATION EJACULATIONS EJECT EJECTED EJECTING EJECTS EKBERG EKE EKED EKES EKSTROM EKTACHROME ELABORATE ELABORATED ELABORATELY ELABORATENESS ELABORATES ELABORATING ELABORATION ELABORATIONS ELABORATORS ELAINE ELAPSE ELAPSED ELAPSES ELAPSING ELASTIC ELASTICALLY ELASTICITY ELBA ELBOW ELBOWING ELBOWS ELDER ELDERLY ELDERS ELDEST ELDON ELEANOR ELEAZAR ELECT ELECTED ELECTING ELECTION ELECTIONS ELECTIVE ELECTIVES ELECTOR ELECTORAL ELECTORATE ELECTORS ELECTRA ELECTRIC ELECTRICAL ELECTRICALLY ELECTRICALNESS ELECTRICIAN ELECTRICITY ELECTRIFICATION ELECTRIFY ELECTRIFYING ELECTRO ELECTROCARDIOGRAM ELECTROCARDIOGRAPH ELECTROCUTE ELECTROCUTED ELECTROCUTES ELECTROCUTING ELECTROCUTION ELECTROCUTIONS ELECTRODE ELECTRODES ELECTROENCEPHALOGRAM ELECTROENCEPHALOGRAPH ELECTROENCEPHALOGRAPHY ELECTROLYSIS ELECTROLYTE ELECTROLYTES ELECTROLYTIC ELECTROMAGNETIC ELECTROMECHANICAL ELECTRON ELECTRONIC ELECTRONICALLY ELECTRONICS ELECTRONS ELECTROPHORESIS ELECTROPHORUS ELECTS ELEGANCE ELEGANT ELEGANTLY ELEGY ELEMENT ELEMENTAL ELEMENTALS ELEMENTARY ELEMENTS ELENA ELEPHANT ELEPHANTS ELEVATE ELEVATED ELEVATES ELEVATION ELEVATOR ELEVATORS ELEVEN ELEVENS ELEVENTH ELF ELGIN ELI ELICIT ELICITED ELICITING ELICITS ELIDE ELIGIBILITY ELIGIBLE ELIJAH ELIMINATE ELIMINATED ELIMINATES ELIMINATING ELIMINATION ELIMINATIONS ELIMINATOR ELIMINATORS ELINOR ELIOT ELISABETH ELISHA ELISION ELITE ELITIST ELIZABETH ELIZABETHAN ELIZABETHANIZE ELIZABETHANIZES ELIZABETHANS ELK ELKHART ELKS ELLA ELLEN ELLIE ELLIOT ELLIOTT ELLIPSE ELLIPSES ELLIPSIS ELLIPSOID ELLIPSOIDAL ELLIPSOIDS ELLIPTIC ELLIPTICAL ELLIPTICALLY ELLIS ELLISON ELLSWORTH ELLWOOD ELM ELMER ELMHURST ELMIRA ELMS ELMSFORD ELOISE ELOPE ELOQUENCE ELOQUENT ELOQUENTLY ELROY ELSE ELSEVIER ELSEWHERE ELSIE ELSINORE ELTON ELUCIDATE ELUCIDATED ELUCIDATES ELUCIDATING ELUCIDATION ELUDE ELUDED ELUDES ELUDING ELUSIVE ELUSIVELY ELUSIVENESS ELVES ELVIS ELY ELYSEE ELYSEES ELYSIUM EMACIATE EMACIATED EMACS EMANATE EMANATING EMANCIPATE EMANCIPATION EMANUEL EMASCULATE EMBALM EMBARGO EMBARGOES EMBARK EMBARKED EMBARKS EMBARRASS EMBARRASSED EMBARRASSES EMBARRASSING EMBARRASSMENT EMBASSIES EMBASSY EMBED EMBEDDED EMBEDDING EMBEDS EMBELLISH EMBELLISHED EMBELLISHES EMBELLISHING EMBELLISHMENT EMBELLISHMENTS EMBER EMBEZZLE EMBLEM EMBODIED EMBODIES EMBODIMENT EMBODIMENTS EMBODY EMBODYING EMBOLDEN EMBRACE EMBRACED EMBRACES EMBRACING EMBROIDER EMBROIDERED EMBROIDERIES EMBROIDERS EMBROIDERY EMBROIL EMBRYO EMBRYOLOGY EMBRYOS EMERALD EMERALDS EMERGE EMERGED EMERGENCE EMERGENCIES EMERGENCY EMERGENT EMERGES EMERGING EMERITUS EMERSON EMERY EMIGRANT EMIGRANTS EMIGRATE EMIGRATED EMIGRATES EMIGRATING EMIGRATION EMIL EMILE EMILIO EMILY EMINENCE EMINENT EMINENTLY EMISSARY EMISSION EMIT EMITS EMITTED EMITTER EMITTING EMMA EMMANUEL EMMETT EMORY EMOTION EMOTIONAL EMOTIONALLY EMOTIONS EMPATHY EMPEROR EMPERORS EMPHASES EMPHASIS EMPHASIZE EMPHASIZED EMPHASIZES EMPHASIZING EMPHATIC EMPHATICALLY EMPIRE EMPIRES EMPIRICAL EMPIRICALLY EMPIRICIST EMPIRICISTS EMPLOY EMPLOYABLE EMPLOYED EMPLOYEE EMPLOYEES EMPLOYER EMPLOYERS EMPLOYING EMPLOYMENT EMPLOYMENTS EMPLOYS EMPORIUM EMPOWER EMPOWERED EMPOWERING EMPOWERS EMPRESS EMPTIED EMPTIER EMPTIES EMPTIEST EMPTILY EMPTINESS EMPTY EMPTYING EMULATE EMULATED EMULATES EMULATING EMULATION EMULATIONS EMULATOR EMULATORS ENABLE ENABLED ENABLER ENABLERS ENABLES ENABLING ENACT ENACTED ENACTING ENACTMENT ENACTS ENAMEL ENAMELED ENAMELING ENAMELS ENCAMP ENCAMPED ENCAMPING ENCAMPS ENCAPSULATE ENCAPSULATED ENCAPSULATES ENCAPSULATING ENCAPSULATION ENCASED ENCHANT ENCHANTED ENCHANTER ENCHANTING ENCHANTMENT ENCHANTRESS ENCHANTS ENCIPHER ENCIPHERED ENCIPHERING ENCIPHERS ENCIRCLE ENCIRCLED ENCIRCLES ENCLOSE ENCLOSED ENCLOSES ENCLOSING ENCLOSURE ENCLOSURES ENCODE ENCODED ENCODER ENCODERS ENCODES ENCODING ENCODINGS ENCOMPASS ENCOMPASSED ENCOMPASSES ENCOMPASSING ENCORE ENCOUNTER ENCOUNTERED ENCOUNTERING ENCOUNTERS ENCOURAGE ENCOURAGED ENCOURAGEMENT ENCOURAGEMENTS ENCOURAGES ENCOURAGING ENCOURAGINGLY ENCROACH ENCRUST ENCRYPT ENCRYPTED ENCRYPTING ENCRYPTION ENCRYPTIONS ENCRYPTS ENCUMBER ENCUMBERED ENCUMBERING ENCUMBERS ENCYCLOPEDIA ENCYCLOPEDIAS ENCYCLOPEDIC END ENDANGER ENDANGERED ENDANGERING ENDANGERS ENDEAR ENDEARED ENDEARING ENDEARS ENDEAVOR ENDEAVORED ENDEAVORING ENDEAVORS ENDED ENDEMIC ENDER ENDERS ENDGAME ENDICOTT ENDING ENDINGS ENDLESS ENDLESSLY ENDLESSNESS ENDORSE ENDORSED ENDORSEMENT ENDORSES ENDORSING ENDOW ENDOWED ENDOWING ENDOWMENT ENDOWMENTS ENDOWS ENDPOINT ENDS ENDURABLE ENDURABLY ENDURANCE ENDURE ENDURED ENDURES ENDURING ENDURINGLY ENEMA ENEMAS ENEMIES ENEMY ENERGETIC ENERGIES ENERGIZE ENERGY ENERVATE ENFEEBLE ENFIELD ENFORCE ENFORCEABLE ENFORCED ENFORCEMENT ENFORCER ENFORCERS ENFORCES ENFORCING ENFRANCHISE ENG ENGAGE ENGAGED ENGAGEMENT ENGAGEMENTS ENGAGES ENGAGING ENGAGINGLY ENGEL ENGELS ENGENDER ENGENDERED ENGENDERING ENGENDERS ENGINE ENGINEER ENGINEERED ENGINEERING ENGINEERS ENGINES ENGLAND ENGLANDER ENGLANDERS ENGLE ENGLEWOOD ENGLISH ENGLISHIZE ENGLISHIZES ENGLISHMAN ENGLISHMEN ENGRAVE ENGRAVED ENGRAVER ENGRAVES ENGRAVING ENGRAVINGS ENGROSS ENGROSSED ENGROSSING ENGULF ENHANCE ENHANCED ENHANCEMENT ENHANCEMENTS ENHANCES ENHANCING ENID ENIGMA ENIGMATIC ENJOIN ENJOINED ENJOINING ENJOINS ENJOY ENJOYABLE ENJOYABLY ENJOYED ENJOYING ENJOYMENT ENJOYS ENLARGE ENLARGED ENLARGEMENT ENLARGEMENTS ENLARGER ENLARGERS ENLARGES ENLARGING ENLIGHTEN ENLIGHTENED ENLIGHTENING ENLIGHTENMENT ENLIST ENLISTED ENLISTMENT ENLISTS ENLIVEN ENLIVENED ENLIVENING ENLIVENS ENMITIES ENMITY ENNOBLE ENNOBLED ENNOBLES ENNOBLING ENNUI ENOCH ENORMITIES ENORMITY ENORMOUS ENORMOUSLY ENOS ENOUGH ENQUEUE ENQUEUED ENQUEUES ENQUIRE ENQUIRED ENQUIRER ENQUIRES ENQUIRY ENRAGE ENRAGED ENRAGES ENRAGING ENRAPTURE ENRICH ENRICHED ENRICHES ENRICHING ENRICO ENROLL ENROLLED ENROLLING ENROLLMENT ENROLLMENTS ENROLLS ENSEMBLE ENSEMBLES ENSIGN ENSIGNS ENSLAVE ENSLAVED ENSLAVES ENSLAVING ENSNARE ENSNARED ENSNARES ENSNARING ENSOLITE ENSUE ENSUED ENSUES ENSUING ENSURE ENSURED ENSURER ENSURERS ENSURES ENSURING ENTAIL ENTAILED ENTAILING ENTAILS ENTANGLE ENTER ENTERED ENTERING ENTERPRISE ENTERPRISES ENTERPRISING ENTERS ENTERTAIN ENTERTAINED ENTERTAINER ENTERTAINERS ENTERTAINING ENTERTAININGLY ENTERTAINMENT ENTERTAINMENTS ENTERTAINS ENTHUSIASM ENTHUSIASMS ENTHUSIAST ENTHUSIASTIC ENTHUSIASTICALLY ENTHUSIASTS ENTICE ENTICED ENTICER ENTICERS ENTICES ENTICING ENTIRE ENTIRELY ENTIRETIES ENTIRETY ENTITIES ENTITLE ENTITLED ENTITLES ENTITLING ENTITY ENTOMB ENTRANCE ENTRANCED ENTRANCES ENTRAP ENTREAT ENTREATED ENTREATY ENTREE ENTRENCH ENTRENCHED ENTRENCHES ENTRENCHING ENTREPRENEUR ENTREPRENEURIAL ENTREPRENEURS ENTRIES ENTROPY ENTRUST ENTRUSTED ENTRUSTING ENTRUSTS ENTRY ENUMERABLE ENUMERATE ENUMERATED ENUMERATES ENUMERATING ENUMERATION ENUMERATIVE ENUMERATOR ENUMERATORS ENUNCIATION ENVELOP ENVELOPE ENVELOPED ENVELOPER ENVELOPES ENVELOPING ENVELOPS ENVIED ENVIES ENVIOUS ENVIOUSLY ENVIOUSNESS ENVIRON ENVIRONING ENVIRONMENT ENVIRONMENTAL ENVIRONMENTS ENVIRONS ENVISAGE ENVISAGED ENVISAGES ENVISION ENVISIONED ENVISIONING ENVISIONS ENVOY ENVOYS ENVY ENZYME EOCENE EPAULET EPAULETS EPHEMERAL EPHESIAN EPHESIANS EPHESUS EPHRAIM EPIC EPICENTER EPICS EPICUREAN EPICURIZE EPICURIZES EPICURUS EPIDEMIC EPIDEMICS EPIDERMIS EPIGRAM EPILEPTIC EPILOGUE EPIPHANY EPISCOPAL EPISCOPALIAN EPISCOPALIANIZE EPISCOPALIANIZES EPISODE EPISODES EPISTEMOLOGICAL EPISTEMOLOGY EPISTLE EPISTLES EPITAPH EPITAPHS EPITAXIAL EPITAXIALLY EPITHET EPITHETS EPITOMIZE EPITOMIZED EPITOMIZES EPITOMIZING EPOCH EPOCHS EPSILON EPSOM EPSTEIN EQUAL EQUALED EQUALING EQUALITIES EQUALITY EQUALIZATION EQUALIZE EQUALIZED EQUALIZER EQUALIZERS EQUALIZES EQUALIZING EQUALLY EQUALS EQUATE EQUATED EQUATES EQUATING EQUATION EQUATIONS EQUATOR EQUATORIAL EQUATORS EQUESTRIAN EQUIDISTANT EQUILATERAL EQUILIBRATE EQUILIBRIA EQUILIBRIUM EQUILIBRIUMS EQUINOX EQUIP EQUIPMENT EQUIPOISE EQUIPPED EQUIPPING EQUIPS EQUITABLE EQUITABLY EQUITY EQUIVALENCE EQUIVALENCES EQUIVALENT EQUIVALENTLY EQUIVALENTS EQUIVOCAL EQUIVOCALLY ERA ERADICATE ERADICATED ERADICATES ERADICATING ERADICATION ERAS ERASABLE ERASE ERASED ERASER ERASERS ERASES ERASING ERASMUS ERASTUS ERASURE ERATO ERATOSTHENES ERE ERECT ERECTED ERECTING ERECTION ERECTIONS ERECTOR ERECTORS ERECTS ERG ERGO ERGODIC ERIC ERICH ERICKSON ERICSSON ERIE ERIK ERIKSON ERIS ERLANG ERLENMEYER ERLENMEYERS ERMINE ERMINES ERNE ERNEST ERNESTINE ERNIE ERNST ERODE EROS EROSION EROTIC EROTICA ERR ERRAND ERRANT ERRATA ERRATIC ERRATUM ERRED ERRING ERRINGLY ERROL ERRONEOUS ERRONEOUSLY ERRONEOUSNESS ERROR ERRORS ERRS ERSATZ ERSKINE ERUDITE ERUPT ERUPTION ERVIN ERWIN ESCALATE ESCALATED ESCALATES ESCALATING ESCALATION ESCAPABLE ESCAPADE ESCAPADES ESCAPE ESCAPED ESCAPEE ESCAPEES ESCAPES ESCAPING ESCHERICHIA ESCHEW ESCHEWED ESCHEWING ESCHEWS ESCORT ESCORTED ESCORTING ESCORTS ESCROW ESKIMO ESKIMOIZED ESKIMOIZEDS ESKIMOS ESMARK ESOTERIC ESPAGNOL ESPECIAL ESPECIALLY ESPIONAGE ESPOSITO ESPOUSE ESPOUSED ESPOUSES ESPOUSING ESPRIT ESPY ESQUIRE ESQUIRES ESSAY ESSAYED ESSAYS ESSEN ESSENCE ESSENCES ESSENIZE ESSENIZES ESSENTIAL ESSENTIALLY ESSENTIALS ESSEX ESTABLISH ESTABLISHED ESTABLISHES ESTABLISHING ESTABLISHMENT ESTABLISHMENTS ESTATE ESTATES ESTEEM ESTEEMED ESTEEMING ESTEEMS ESTELLA ESTES ESTHER ESTHETICS ESTIMATE ESTIMATED ESTIMATES ESTIMATING ESTIMATION ESTIMATIONS ESTONIA ESTONIAN ETCH ETCHING ETERNAL ETERNALLY ETERNITIES ETERNITY ETHAN ETHEL ETHER ETHEREAL ETHEREALLY ETHERNET ETHERNETS ETHERS ETHIC ETHICAL ETHICALLY ETHICS ETHIOPIA ETHIOPIANS ETHNIC ETIQUETTE ETRURIA ETRUSCAN ETYMOLOGY EUCALYPTUS EUCHARIST EUCLID EUCLIDEAN EUGENE EUGENIA EULER EULERIAN EUMENIDES EUNICE EUNUCH EUNUCHS EUPHEMISM EUPHEMISMS EUPHORIA EUPHORIC EUPHRATES EURASIA EURASIAN EUREKA EURIPIDES EUROPA EUROPE EUROPEAN EUROPEANIZATION EUROPEANIZATIONS EUROPEANIZE EUROPEANIZED EUROPEANIZES EUROPEANS EURYDICE EUTERPE EUTHANASIA EVA EVACUATE EVACUATED EVACUATION EVADE EVADED EVADES EVADING EVALUATE EVALUATED EVALUATES EVALUATING EVALUATION EVALUATIONS EVALUATIVE EVALUATOR EVALUATORS EVANGELINE EVANS EVANSTON EVANSVILLE EVAPORATE EVAPORATED EVAPORATING EVAPORATION EVAPORATIVE EVASION EVASIVE EVE EVELYN EVEN EVENED EVENHANDED EVENHANDEDLY EVENHANDEDNESS EVENING EVENINGS EVENLY EVENNESS EVENS EVENSEN EVENT EVENTFUL EVENTFULLY EVENTS EVENTUAL EVENTUALITIES EVENTUALITY EVENTUALLY EVER EVEREADY EVEREST EVERETT EVERGLADE EVERGLADES EVERGREEN EVERHART EVERLASTING EVERLASTINGLY EVERMORE EVERY EVERYBODY EVERYDAY EVERYONE EVERYTHING EVERYWHERE EVICT EVICTED EVICTING EVICTION EVICTIONS EVICTS EVIDENCE EVIDENCED EVIDENCES EVIDENCING EVIDENT EVIDENTLY EVIL EVILLER EVILLY EVILS EVINCE EVINCED EVINCES EVOKE EVOKED EVOKES EVOKING EVOLUTE EVOLUTES EVOLUTION EVOLUTIONARY EVOLUTIONS EVOLVE EVOLVED EVOLVES EVOLVING EWE EWEN EWES EWING EXACERBATE EXACERBATED EXACERBATES EXACERBATING EXACERBATION EXACERBATIONS EXACT EXACTED EXACTING EXACTINGLY EXACTION EXACTIONS EXACTITUDE EXACTLY EXACTNESS EXACTS EXAGGERATE EXAGGERATED EXAGGERATES EXAGGERATING EXAGGERATION EXAGGERATIONS EXALT EXALTATION EXALTED EXALTING EXALTS EXAM EXAMINATION EXAMINATIONS EXAMINE EXAMINED EXAMINER EXAMINERS EXAMINES EXAMINING EXAMPLE EXAMPLES EXAMS EXASPERATE EXASPERATED EXASPERATES EXASPERATING EXASPERATION EXCAVATE EXCAVATED EXCAVATES EXCAVATING EXCAVATION EXCAVATIONS EXCEED EXCEEDED EXCEEDING EXCEEDINGLY EXCEEDS EXCEL EXCELLED EXCELLENCE EXCELLENCES EXCELLENCY EXCELLENT EXCELLENTLY EXCELLING EXCELS EXCEPT EXCEPTED EXCEPTING EXCEPTION EXCEPTIONABLE EXCEPTIONAL EXCEPTIONALLY EXCEPTIONS EXCEPTS EXCERPT EXCERPTED EXCERPTS EXCESS EXCESSES EXCESSIVE EXCESSIVELY EXCHANGE EXCHANGEABLE EXCHANGED EXCHANGES EXCHANGING EXCHEQUER EXCHEQUERS EXCISE EXCISED EXCISES EXCISING EXCISION EXCITABLE EXCITATION EXCITATIONS EXCITE EXCITED EXCITEDLY EXCITEMENT EXCITES EXCITING EXCITINGLY EXCITON EXCLAIM EXCLAIMED EXCLAIMER EXCLAIMERS EXCLAIMING EXCLAIMS EXCLAMATION EXCLAMATIONS EXCLAMATORY EXCLUDE EXCLUDED EXCLUDES EXCLUDING EXCLUSION EXCLUSIONARY EXCLUSIONS EXCLUSIVE EXCLUSIVELY EXCLUSIVENESS EXCLUSIVITY EXCOMMUNICATE EXCOMMUNICATED EXCOMMUNICATES EXCOMMUNICATING EXCOMMUNICATION EXCRETE EXCRETED EXCRETES EXCRETING EXCRETION EXCRETIONS EXCRETORY EXCRUCIATE EXCURSION EXCURSIONS EXCUSABLE EXCUSABLY EXCUSE EXCUSED EXCUSES EXCUSING EXEC EXECUTABLE EXECUTE EXECUTED EXECUTES EXECUTING EXECUTION EXECUTIONAL EXECUTIONER EXECUTIONS EXECUTIVE EXECUTIVES EXECUTOR EXECUTORS EXEMPLAR EXEMPLARY EXEMPLIFICATION EXEMPLIFIED EXEMPLIFIER EXEMPLIFIERS EXEMPLIFIES EXEMPLIFY EXEMPLIFYING EXEMPT EXEMPTED EXEMPTING EXEMPTION EXEMPTS EXERCISE EXERCISED EXERCISER EXERCISERS EXERCISES EXERCISING EXERT EXERTED EXERTING EXERTION EXERTIONS EXERTS EXETER EXHALE EXHALED EXHALES EXHALING EXHAUST EXHAUSTED EXHAUSTEDLY EXHAUSTING EXHAUSTION EXHAUSTIVE EXHAUSTIVELY EXHAUSTS EXHIBIT EXHIBITED EXHIBITING EXHIBITION EXHIBITIONS EXHIBITOR EXHIBITORS EXHIBITS EXHILARATE EXHORT EXHORTATION EXHORTATIONS EXHUME EXIGENCY EXILE EXILED EXILES EXILING EXIST EXISTED EXISTENCE EXISTENT EXISTENTIAL EXISTENTIALISM EXISTENTIALIST EXISTENTIALISTS EXISTENTIALLY EXISTING EXISTS EXIT EXITED EXITING EXITS EXODUS EXORBITANT EXORBITANTLY EXORCISM EXORCIST EXOSKELETON EXOTIC EXPAND EXPANDABLE EXPANDED EXPANDER EXPANDERS EXPANDING EXPANDS EXPANSE EXPANSES EXPANSIBLE EXPANSION EXPANSIONISM EXPANSIONS EXPANSIVE EXPECT EXPECTANCY EXPECTANT EXPECTANTLY EXPECTATION EXPECTATIONS EXPECTED EXPECTEDLY EXPECTING EXPECTINGLY EXPECTS EXPEDIENCY EXPEDIENT EXPEDIENTLY EXPEDITE EXPEDITED EXPEDITES EXPEDITING EXPEDITION EXPEDITIONS EXPEDITIOUS EXPEDITIOUSLY EXPEL EXPELLED EXPELLING EXPELS EXPEND EXPENDABLE EXPENDED EXPENDING EXPENDITURE EXPENDITURES EXPENDS EXPENSE EXPENSES EXPENSIVE EXPENSIVELY EXPERIENCE EXPERIENCED EXPERIENCES EXPERIENCING EXPERIMENT EXPERIMENTAL EXPERIMENTALLY EXPERIMENTATION EXPERIMENTATIONS EXPERIMENTED EXPERIMENTER EXPERIMENTERS EXPERIMENTING EXPERIMENTS EXPERT EXPERTISE EXPERTLY EXPERTNESS EXPERTS EXPIRATION EXPIRATIONS EXPIRE EXPIRED EXPIRES EXPIRING EXPLAIN EXPLAINABLE EXPLAINED EXPLAINER EXPLAINERS EXPLAINING EXPLAINS EXPLANATION EXPLANATIONS EXPLANATORY EXPLETIVE EXPLICIT EXPLICITLY EXPLICITNESS EXPLODE EXPLODED EXPLODES EXPLODING EXPLOIT EXPLOITABLE EXPLOITATION EXPLOITATIONS EXPLOITED EXPLOITER EXPLOITERS EXPLOITING EXPLOITS EXPLORATION EXPLORATIONS EXPLORATORY EXPLORE EXPLORED EXPLORER EXPLORERS EXPLORES EXPLORING EXPLOSION EXPLOSIONS EXPLOSIVE EXPLOSIVELY EXPLOSIVES EXPONENT EXPONENTIAL EXPONENTIALLY EXPONENTIALS EXPONENTIATE EXPONENTIATED EXPONENTIATES EXPONENTIATING EXPONENTIATION EXPONENTIATIONS EXPONENTS EXPORT EXPORTATION EXPORTED EXPORTER EXPORTERS EXPORTING EXPORTS EXPOSE EXPOSED EXPOSER EXPOSERS EXPOSES EXPOSING EXPOSITION EXPOSITIONS EXPOSITORY EXPOSURE EXPOSURES EXPOUND EXPOUNDED EXPOUNDER EXPOUNDING EXPOUNDS EXPRESS EXPRESSED EXPRESSES EXPRESSIBILITY EXPRESSIBLE EXPRESSIBLY EXPRESSING EXPRESSION EXPRESSIONS EXPRESSIVE EXPRESSIVELY EXPRESSIVENESS EXPRESSLY EXPULSION EXPUNGE EXPUNGED EXPUNGES EXPUNGING EXPURGATE EXQUISITE EXQUISITELY EXQUISITENESS EXTANT EXTEMPORANEOUS EXTEND EXTENDABLE EXTENDED EXTENDING EXTENDS EXTENSIBILITY EXTENSIBLE EXTENSION EXTENSIONS EXTENSIVE EXTENSIVELY EXTENT EXTENTS EXTENUATE EXTENUATED EXTENUATING EXTENUATION EXTERIOR EXTERIORS EXTERMINATE EXTERMINATED EXTERMINATES EXTERMINATING EXTERMINATION EXTERNAL EXTERNALLY EXTINCT EXTINCTION EXTINGUISH EXTINGUISHED EXTINGUISHER EXTINGUISHES EXTINGUISHING EXTIRPATE EXTOL EXTORT EXTORTED EXTORTION EXTRA EXTRACT EXTRACTED EXTRACTING EXTRACTION EXTRACTIONS EXTRACTOR EXTRACTORS EXTRACTS EXTRACURRICULAR EXTRAMARITAL EXTRANEOUS EXTRANEOUSLY EXTRANEOUSNESS EXTRAORDINARILY EXTRAORDINARINESS EXTRAORDINARY EXTRAPOLATE EXTRAPOLATED EXTRAPOLATES EXTRAPOLATING EXTRAPOLATION EXTRAPOLATIONS EXTRAS EXTRATERRESTRIAL EXTRAVAGANCE EXTRAVAGANT EXTRAVAGANTLY EXTRAVAGANZA EXTREMAL EXTREME EXTREMELY EXTREMES EXTREMIST EXTREMISTS EXTREMITIES EXTREMITY EXTRICATE EXTRINSIC EXTROVERT EXUBERANCE EXULT EXULTATION EXXON EYE EYEBALL EYEBROW EYEBROWS EYED EYEFUL EYEGLASS EYEGLASSES EYEING EYELASH EYELID EYELIDS EYEPIECE EYEPIECES EYER EYERS EYES EYESIGHT EYEWITNESS EYEWITNESSES EYING EZEKIEL EZRA FABER FABIAN FABLE FABLED FABLES FABRIC FABRICATE FABRICATED FABRICATES FABRICATING FABRICATION FABRICS FABULOUS FABULOUSLY FACADE FACADED FACADES FACE FACED FACES FACET FACETED FACETS FACIAL FACILE FACILELY FACILITATE FACILITATED FACILITATES FACILITATING FACILITIES FACILITY FACING FACINGS FACSIMILE FACSIMILES FACT FACTION FACTIONS FACTIOUS FACTO FACTOR FACTORED FACTORIAL FACTORIES FACTORING FACTORIZATION FACTORIZATIONS FACTORS FACTORY FACTS FACTUAL FACTUALLY FACULTIES FACULTY FADE FADED FADEOUT FADER FADERS FADES FADING FAFNIR FAG FAGIN FAGS FAHEY FAHRENHEIT FAHRENHEITS FAIL FAILED FAILING FAILINGS FAILS FAILSOFT FAILURE FAILURES FAIN FAINT FAINTED FAINTER FAINTEST FAINTING FAINTLY FAINTNESS FAINTS FAIR FAIRBANKS FAIRCHILD FAIRER FAIREST FAIRFAX FAIRFIELD FAIRIES FAIRING FAIRLY FAIRMONT FAIRNESS FAIRPORT FAIRS FAIRVIEW FAIRY FAIRYLAND FAITH FAITHFUL FAITHFULLY FAITHFULNESS FAITHLESS FAITHLESSLY FAITHLESSNESS FAITHS FAKE FAKED FAKER FAKES FAKING FALCON FALCONER FALCONS FALK FALKLAND FALKLANDS FALL FALLACIES FALLACIOUS FALLACY FALLEN FALLIBILITY FALLIBLE FALLING FALLOPIAN FALLOUT FALLOW FALLS FALMOUTH FALSE FALSEHOOD FALSEHOODS FALSELY FALSENESS FALSIFICATION FALSIFIED FALSIFIES FALSIFY FALSIFYING FALSITY FALSTAFF FALTER FALTERED FALTERS FAME FAMED FAMES FAMILIAL FAMILIAR FAMILIARITIES FAMILIARITY FAMILIARIZATION FAMILIARIZE FAMILIARIZED FAMILIARIZES FAMILIARIZING FAMILIARLY FAMILIARNESS FAMILIES FAMILISM FAMILY FAMINE FAMINES FAMISH FAMOUS FAMOUSLY FAN FANATIC FANATICISM FANATICS FANCIED FANCIER FANCIERS FANCIES FANCIEST FANCIFUL FANCIFULLY FANCILY FANCINESS FANCY FANCYING FANFARE FANFOLD FANG FANGLED FANGS FANNED FANNIES FANNING FANNY FANOUT FANS FANTASIES FANTASIZE FANTASTIC FANTASY FAQ FAR FARAD FARADAY FARAWAY FARBER FARCE FARCES FARE FARED FARES FAREWELL FAREWELLS FARFETCHED FARGO FARINA FARING FARKAS FARLEY FARM FARMED FARMER FARMERS FARMHOUSE FARMHOUSES FARMING FARMINGTON FARMLAND FARMS FARMYARD FARMYARDS FARNSWORTH FARRELL FARSIGHTED FARTHER FARTHEST FARTHING FASCICLE FASCINATE FASCINATED FASCINATES FASCINATING FASCINATION FASCISM FASCIST FASHION FASHIONABLE FASHIONABLY FASHIONED FASHIONING FASHIONS FAST FASTED FASTEN FASTENED FASTENER FASTENERS FASTENING FASTENINGS FASTENS FASTER FASTEST FASTIDIOUS FASTING FASTNESS FASTS FAT FATAL FATALITIES FATALITY FATALLY FATALS FATE FATED FATEFUL FATES FATHER FATHERED FATHERLAND FATHERLY FATHERS FATHOM FATHOMED FATHOMING FATHOMS FATIGUE FATIGUED FATIGUES FATIGUING FATIMA FATNESS FATS FATTEN FATTENED FATTENER FATTENERS FATTENING FATTENS FATTER FATTEST FATTY FAUCET FAULKNER FAULKNERIAN FAULT FAULTED FAULTING FAULTLESS FAULTLESSLY FAULTS FAULTY FAUN FAUNA FAUNTLEROY FAUST FAUSTIAN FAUSTUS FAVOR FAVORABLE FAVORABLY FAVORED FAVORER FAVORING FAVORITE FAVORITES FAVORITISM FAVORS FAWKES FAWN FAWNED FAWNING FAWNS FAYETTE FAYETTEVILLE FAZE FEAR FEARED FEARFUL FEARFULLY FEARING FEARLESS FEARLESSLY FEARLESSNESS FEARS FEARSOME FEASIBILITY FEASIBLE FEAST FEASTED FEASTING FEASTS FEAT FEATHER FEATHERBED FEATHERBEDDING FEATHERED FEATHERER FEATHERERS FEATHERING FEATHERMAN FEATHERS FEATHERWEIGHT FEATHERY FEATS FEATURE FEATURED FEATURES FEATURING FEBRUARIES FEBRUARY FECUND FED FEDDERS FEDERAL FEDERALIST FEDERALLY FEDERALS FEDERATION FEDORA FEE FEEBLE FEEBLENESS FEEBLER FEEBLEST FEEBLY FEED FEEDBACK FEEDER FEEDERS FEEDING FEEDINGS FEEDS FEEL FEELER FEELERS FEELING FEELINGLY FEELINGS FEELS FEENEY FEES FEET FEIGN FEIGNED FEIGNING FELDER FELDMAN FELICE FELICIA FELICITIES FELICITY FELINE FELIX FELL FELLATIO FELLED FELLING FELLINI FELLOW FELLOWS FELLOWSHIP FELLOWSHIPS FELON FELONIOUS FELONY FELT FELTS FEMALE FEMALES FEMININE FEMININITY FEMINISM FEMINIST FEMUR FEMURS FEN FENCE FENCED FENCER FENCERS FENCES FENCING FEND FENTON FENWICK FERBER FERDINAND FERDINANDO FERGUSON FERMAT FERMENT FERMENTATION FERMENTATIONS FERMENTED FERMENTING FERMENTS FERMI FERN FERNANDO FERNS FEROCIOUS FEROCIOUSLY FEROCIOUSNESS FEROCITY FERREIRA FERRER FERRET FERRIED FERRIES FERRITE FERRY FERTILE FERTILELY FERTILITY FERTILIZATION FERTILIZE FERTILIZED FERTILIZER FERTILIZERS FERTILIZES FERTILIZING FERVENT FERVENTLY FERVOR FERVORS FESS FESTIVAL FESTIVALS FESTIVE FESTIVELY FESTIVITIES FESTIVITY FETAL FETCH FETCHED FETCHES FETCHING FETCHINGLY FETID FETISH FETTER FETTERED FETTERS FETTLE FETUS FEUD FEUDAL FEUDALISM FEUDS FEVER FEVERED FEVERISH FEVERISHLY FEVERS FEW FEWER FEWEST FEWNESS FIANCE FIANCEE FIASCO FIAT FIB FIBBING FIBER FIBERGLAS FIBERS FIBONACCI FIBROSITIES FIBROSITY FIBROUS FIBROUSLY FICKLE FICKLENESS FICTION FICTIONAL FICTIONALLY FICTIONS FICTITIOUS FICTITIOUSLY FIDDLE FIDDLED FIDDLER FIDDLES FIDDLESTICK FIDDLESTICKS FIDDLING FIDEL FIDELITY FIDGET FIDUCIAL FIEF FIEFDOM FIELD FIELDED FIELDER FIELDERS FIELDING FIELDS FIELDWORK FIEND FIENDISH FIERCE FIERCELY FIERCENESS FIERCER FIERCEST FIERY FIFE FIFTEEN FIFTEENS FIFTEENTH FIFTH FIFTIES FIFTIETH FIFTY FIG FIGARO FIGHT FIGHTER FIGHTERS FIGHTING FIGHTS FIGS FIGURATIVE FIGURATIVELY FIGURE FIGURED FIGURES FIGURING FIGURINGS FIJI FIJIAN FIJIANS FILAMENT FILAMENTS FILE FILED FILENAME FILENAMES FILER FILES FILIAL FILIBUSTER FILING FILINGS FILIPINO FILIPINOS FILIPPO FILL FILLABLE FILLED FILLER FILLERS FILLING FILLINGS FILLMORE FILLS FILLY FILM FILMED FILMING FILMS FILTER FILTERED FILTERING FILTERS FILTH FILTHIER FILTHIEST FILTHINESS FILTHY FIN FINAL FINALITY FINALIZATION FINALIZE FINALIZED FINALIZES FINALIZING FINALLY FINALS FINANCE FINANCED FINANCES FINANCIAL FINANCIALLY FINANCIER FINANCIERS FINANCING FIND FINDER FINDERS FINDING FINDINGS FINDS FINE FINED FINELY FINENESS FINER FINES FINESSE FINESSED FINESSING FINEST FINGER FINGERED FINGERING FINGERINGS FINGERNAIL FINGERPRINT FINGERPRINTS FINGERS FINGERTIP FINICKY FINING FINISH FINISHED FINISHER FINISHERS FINISHES FINISHING FINITE FINITELY FINITENESS FINK FINLAND FINLEY FINN FINNEGAN FINNISH FINNS FINNY FINS FIORELLO FIORI FIR FIRE FIREARM FIREARMS FIREBOAT FIREBREAK FIREBUG FIRECRACKER FIRED FIREFLIES FIREFLY FIREHOUSE FIRELIGHT FIREMAN FIREMEN FIREPLACE FIREPLACES FIREPOWER FIREPROOF FIRER FIRERS FIRES FIRESIDE FIRESTONE FIREWALL FIREWOOD FIREWORKS FIRING FIRINGS FIRM FIRMAMENT FIRMED FIRMER FIRMEST FIRMING FIRMLY FIRMNESS FIRMS FIRMWARE FIRST FIRSTHAND FIRSTLY FIRSTS FISCAL FISCALLY FISCHBEIN FISCHER FISH FISHED FISHER FISHERMAN FISHERMEN FISHERS FISHERY FISHES FISHING FISHKILL FISHMONGER FISHPOND FISHY FISK FISKE FISSION FISSURE FISSURED FIST FISTED FISTICUFF FISTS FIT FITCH FITCHBURG FITFUL FITFULLY FITLY FITNESS FITS FITTED FITTER FITTERS FITTING FITTINGLY FITTINGS FITZGERALD FITZPATRICK FITZROY FIVE FIVEFOLD FIVES FIX FIXATE FIXATED FIXATES FIXATING FIXATION FIXATIONS FIXED FIXEDLY FIXEDNESS FIXER FIXERS FIXES FIXING FIXINGS FIXTURE FIXTURES FIZEAU FIZZLE FIZZLED FLABBERGAST FLABBERGASTED FLACK FLAG FLAGELLATE FLAGGED FLAGGING FLAGLER FLAGPOLE FLAGRANT FLAGRANTLY FLAGS FLAGSTAFF FLAIL FLAIR FLAK FLAKE FLAKED FLAKES FLAKING FLAKY FLAM FLAMBOYANT FLAME FLAMED FLAMER FLAMERS FLAMES FLAMING FLAMMABLE FLANAGAN FLANDERS FLANK FLANKED FLANKER FLANKING FLANKS FLANNEL FLANNELS FLAP FLAPS FLARE FLARED FLARES FLARING FLASH FLASHBACK FLASHED FLASHER FLASHERS FLASHES FLASHING FLASHLIGHT FLASHLIGHTS FLASHY FLASK FLAT FLATBED FLATLY FLATNESS FLATS FLATTEN FLATTENED FLATTENING FLATTER FLATTERED FLATTERER FLATTERING FLATTERY FLATTEST FLATULENT FLATUS FLATWORM FLAUNT FLAUNTED FLAUNTING FLAUNTS FLAVOR FLAVORED FLAVORING FLAVORINGS FLAVORS FLAW FLAWED FLAWLESS FLAWLESSLY FLAWS FLAX FLAXEN FLEA FLEAS FLED FLEDERMAUS FLEDGED FLEDGLING FLEDGLINGS FLEE FLEECE FLEECES FLEECY FLEEING FLEES FLEET FLEETEST FLEETING FLEETLY FLEETNESS FLEETS FLEISCHMAN FLEISHER FLEMING FLEMINGS FLEMISH FLEMISHED FLEMISHES FLEMISHING FLESH FLESHED FLESHES FLESHING FLESHLY FLESHY FLETCHER FLETCHERIZE FLETCHERIZES FLEW FLEX FLEXIBILITIES FLEXIBILITY FLEXIBLE FLEXIBLY FLICK FLICKED FLICKER FLICKERING FLICKING FLICKS FLIER FLIERS FLIES FLIGHT FLIGHTS FLIMSY FLINCH FLINCHED FLINCHES FLINCHING FLING FLINGS FLINT FLINTY FLIP FLIPFLOP FLIPPED FLIPS FLIRT FLIRTATION FLIRTATIOUS FLIRTED FLIRTING FLIRTS FLIT FLITTING FLO FLOAT FLOATED FLOATER FLOATING FLOATS FLOCK FLOCKED FLOCKING FLOCKS FLOG FLOGGING FLOOD FLOODED FLOODING FLOODLIGHT FLOODLIT FLOODS FLOOR FLOORED FLOORING FLOORINGS FLOORS FLOP FLOPPIES FLOPPILY FLOPPING FLOPPY FLOPS FLORA FLORAL FLORENCE FLORENTINE FLORID FLORIDA FLORIDIAN FLORIDIANS FLORIN FLORIST FLOSS FLOSSED FLOSSES FLOSSING FLOTATION FLOTILLA FLOUNDER FLOUNDERED FLOUNDERING FLOUNDERS FLOUR FLOURED FLOURISH FLOURISHED FLOURISHES FLOURISHING FLOW FLOWCHART FLOWCHARTING FLOWCHARTS FLOWED FLOWER FLOWERED FLOWERINESS FLOWERING FLOWERPOT FLOWERS FLOWERY FLOWING FLOWN FLOWS FLOYD FLU FLUCTUATE FLUCTUATES FLUCTUATING FLUCTUATION FLUCTUATIONS FLUE FLUENCY FLUENT FLUENTLY FLUFF FLUFFIER FLUFFIEST FLUFFY FLUID FLUIDITY FLUIDLY FLUIDS FLUKE FLUNG FLUNKED FLUORESCE FLUORESCENT FLURRIED FLURRY FLUSH FLUSHED FLUSHES FLUSHING FLUTE FLUTED FLUTING FLUTTER FLUTTERED FLUTTERING FLUTTERS FLUX FLY FLYABLE FLYER FLYERS FLYING FLYNN FOAL FOAM FOAMED FOAMING FOAMS FOAMY FOB FOBBING FOCAL FOCALLY FOCI FOCUS FOCUSED FOCUSES FOCUSING FOCUSSED FODDER FOE FOES FOG FOGARTY FOGGED FOGGIER FOGGIEST FOGGILY FOGGING FOGGY FOGS FOGY FOIBLE FOIL FOILED FOILING FOILS FOIST FOLD FOLDED FOLDER FOLDERS FOLDING FOLDOUT FOLDS FOLEY FOLIAGE FOLK FOLKLORE FOLKS FOLKSONG FOLKSY FOLLIES FOLLOW FOLLOWED FOLLOWER FOLLOWERS FOLLOWING FOLLOWINGS FOLLOWS FOLLY FOLSOM FOMALHAUT FOND FONDER FONDLE FONDLED FONDLES FONDLING FONDLY FONDNESS FONT FONTAINE FONTAINEBLEAU FONTANA FONTS FOOD FOODS FOODSTUFF FOODSTUFFS FOOL FOOLED FOOLHARDY FOOLING FOOLISH FOOLISHLY FOOLISHNESS FOOLPROOF FOOLS FOOT FOOTAGE FOOTBALL FOOTBALLS FOOTBRIDGE FOOTE FOOTED FOOTER FOOTERS FOOTFALL FOOTHILL FOOTHOLD FOOTING FOOTMAN FOOTNOTE FOOTNOTES FOOTPATH FOOTPRINT FOOTPRINTS FOOTSTEP FOOTSTEPS FOR FORAGE FORAGED FORAGES FORAGING FORAY FORAYS FORBADE FORBEAR FORBEARANCE FORBEARS FORBES FORBID FORBIDDEN FORBIDDING FORBIDS FORCE FORCED FORCEFUL FORCEFULLY FORCEFULNESS FORCER FORCES FORCIBLE FORCIBLY FORCING FORD FORDHAM FORDS FORE FOREARM FOREARMS FOREBODING FORECAST FORECASTED FORECASTER FORECASTERS FORECASTING FORECASTLE FORECASTS FOREFATHER FOREFATHERS FOREFINGER FOREFINGERS FOREGO FOREGOES FOREGOING FOREGONE FOREGROUND FOREHEAD FOREHEADS FOREIGN FOREIGNER FOREIGNERS FOREIGNS FOREMAN FOREMOST FORENOON FORENSIC FORERUNNERS FORESEE FORESEEABLE FORESEEN FORESEES FORESIGHT FORESIGHTED FOREST FORESTALL FORESTALLED FORESTALLING FORESTALLMENT FORESTALLS FORESTED FORESTER FORESTERS FORESTRY FORESTS FORETELL FORETELLING FORETELLS FORETOLD FOREVER FOREWARN FOREWARNED FOREWARNING FOREWARNINGS FOREWARNS FORFEIT FORFEITED FORFEITURE FORGAVE FORGE FORGED FORGER FORGERIES FORGERY FORGES FORGET FORGETFUL FORGETFULNESS FORGETS FORGETTABLE FORGETTABLY FORGETTING FORGING FORGIVABLE FORGIVABLY FORGIVE FORGIVEN FORGIVENESS FORGIVES FORGIVING FORGIVINGLY FORGOT FORGOTTEN FORK FORKED FORKING FORKLIFT FORKS FORLORN FORLORNLY FORM FORMAL FORMALISM FORMALISMS FORMALITIES FORMALITY FORMALIZATION FORMALIZATIONS FORMALIZE FORMALIZED FORMALIZES FORMALIZING FORMALLY FORMANT FORMANTS FORMAT FORMATION FORMATIONS FORMATIVE FORMATIVELY FORMATS FORMATTED FORMATTER FORMATTERS FORMATTING FORMED FORMER FORMERLY FORMICA FORMICAS FORMIDABLE FORMING FORMOSA FORMOSAN FORMS FORMULA FORMULAE FORMULAS FORMULATE FORMULATED FORMULATES FORMULATING FORMULATION FORMULATIONS FORMULATOR FORMULATORS FORNICATION FORREST FORSAKE FORSAKEN FORSAKES FORSAKING FORSYTHE FORT FORTE FORTESCUE FORTH FORTHCOMING FORTHRIGHT FORTHWITH FORTIER FORTIES FORTIETH FORTIFICATION FORTIFICATIONS FORTIFIED FORTIFIES FORTIFY FORTIFYING FORTIORI FORTITUDE FORTNIGHT FORTNIGHTLY FORTRAN FORTRAN FORTRESS FORTRESSES FORTS FORTUITOUS FORTUITOUSLY FORTUNATE FORTUNATELY FORTUNE FORTUNES FORTY FORUM FORUMS FORWARD FORWARDED FORWARDER FORWARDING FORWARDNESS FORWARDS FOSS FOSSIL FOSTER FOSTERED FOSTERING FOSTERS FOUGHT FOUL FOULED FOULEST FOULING FOULLY FOULMOUTH FOULNESS FOULS FOUND FOUNDATION FOUNDATIONS FOUNDED FOUNDER FOUNDERED FOUNDERS FOUNDING FOUNDLING FOUNDRIES FOUNDRY FOUNDS FOUNT FOUNTAIN FOUNTAINS FOUNTS FOUR FOURFOLD FOURIER FOURS FOURSCORE FOURSOME FOURSQUARE FOURTEEN FOURTEENS FOURTEENTH FOURTH FOWL FOWLER FOWLS FOX FOXES FOXHALL FRACTION FRACTIONAL FRACTIONALLY FRACTIONS FRACTURE FRACTURED FRACTURES FRACTURING FRAGILE FRAGMENT FRAGMENTARY FRAGMENTATION FRAGMENTED FRAGMENTING FRAGMENTS FRAGRANCE FRAGRANCES FRAGRANT FRAGRANTLY FRAIL FRAILEST FRAILTY FRAME FRAMED FRAMER FRAMES FRAMEWORK FRAMEWORKS FRAMING FRAN FRANC FRANCAISE FRANCE FRANCES FRANCESCA FRANCESCO FRANCHISE FRANCHISES FRANCIE FRANCINE FRANCIS FRANCISCAN FRANCISCANS FRANCISCO FRANCIZE FRANCIZES FRANCO FRANCOIS FRANCOISE FRANCS FRANK FRANKED FRANKEL FRANKER FRANKEST FRANKFORT FRANKFURT FRANKIE FRANKING FRANKLINIZATION FRANKLINIZATIONS FRANKLY FRANKNESS FRANKS FRANNY FRANTIC FRANTICALLY FRANZ FRASER FRATERNAL FRATERNALLY FRATERNITIES FRATERNITY FRAU FRAUD FRAUDS FRAUDULENT FRAUGHT FRAY FRAYED FRAYING FRAYNE FRAYS FRAZIER FRAZZLE FREAK FREAKISH FREAKS FRECKLE FRECKLED FRECKLES FRED FREDDIE FREDDY FREDERIC FREDERICK FREDERICKS FREDERICKSBURG FREDERICO FREDERICTON FREDHOLM FREDRICK FREDRICKSON FREE FREED FREEDMAN FREEDOM FREEDOMS FREEING FREEINGS FREELY FREEMAN FREEMASON FREEMASONRY FREEMASONS FREENESS FREEPORT FREER FREES FREEST FREESTYLE FREETOWN FREEWAY FREEWHEEL FREEZE FREEZER FREEZERS FREEZES FREEZING FREIDA FREIGHT FREIGHTED FREIGHTER FREIGHTERS FREIGHTING FREIGHTS FRENCH FRENCHIZE FRENCHIZES FRENCHMAN FRENCHMEN FRENETIC FRENZIED FRENZY FREON FREQUENCIES FREQUENCY FREQUENT FREQUENTED FREQUENTER FREQUENTERS FREQUENTING FREQUENTLY FREQUENTS FRESCO FRESCOES FRESH FRESHEN FRESHENED FRESHENER FRESHENERS FRESHENING FRESHENS FRESHER FRESHEST FRESHLY FRESHMAN FRESHMEN FRESHNESS FRESHWATER FRESNEL FRESNO FRET FRETFUL FRETFULLY FRETFULNESS FREUD FREUDIAN FREUDIANISM FREUDIANISMS FREUDIANS FREY FREYA FRIAR FRIARS FRICATIVE FRICATIVES FRICK FRICTION FRICTIONLESS FRICTIONS FRIDAY FRIDAYS FRIED FRIEDMAN FRIEDRICH FRIEND FRIENDLESS FRIENDLIER FRIENDLIEST FRIENDLINESS FRIENDLY FRIENDS FRIENDSHIP FRIENDSHIPS FRIES FRIESLAND FRIEZE FRIEZES FRIGATE FRIGATES FRIGGA FRIGHT FRIGHTEN FRIGHTENED FRIGHTENING FRIGHTENINGLY FRIGHTENS FRIGHTFUL FRIGHTFULLY FRIGHTFULNESS FRIGID FRIGIDAIRE FRILL FRILLS FRINGE FRINGED FRISBEE FRISIA FRISIAN FRISK FRISKED FRISKING FRISKS FRISKY FRITO FRITTER FRITZ FRIVOLITY FRIVOLOUS FRIVOLOUSLY FRO FROCK FROCKS FROG FROGS FROLIC FROLICS FROM FRONT FRONTAGE FRONTAL FRONTED FRONTIER FRONTIERS FRONTIERSMAN FRONTIERSMEN FRONTING FRONTS FROST FROSTBELT FROSTBITE FROSTBITTEN FROSTED FROSTING FROSTS FROSTY FROTH FROTHING FROTHY FROWN FROWNED FROWNING FROWNS FROZE FROZEN FROZENLY FRUEHAUF FRUGAL FRUGALLY FRUIT FRUITFUL FRUITFULLY FRUITFULNESS FRUITION FRUITLESS FRUITLESSLY FRUITS FRUSTRATE FRUSTRATED FRUSTRATES FRUSTRATING FRUSTRATION FRUSTRATIONS FRY FRYE FUCHS FUCHSIA FUDGE FUEL FUELED FUELING FUELS FUGITIVE FUGITIVES FUGUE FUJI FUJITSU FULBRIGHT FULBRIGHTS FULCRUM FULFILL FULFILLED FULFILLING FULFILLMENT FULFILLMENTS FULFILLS FULL FULLER FULLERTON FULLEST FULLNESS FULLY FULMINATE FULTON FUMBLE FUMBLED FUMBLING FUME FUMED FUMES FUMING FUN FUNCTION FUNCTIONAL FUNCTIONALITIES FUNCTIONALITY FUNCTIONALLY FUNCTIONALS FUNCTIONARY FUNCTIONED FUNCTIONING FUNCTIONS FUNCTOR FUNCTORS FUND FUNDAMENTAL FUNDAMENTALLY FUNDAMENTALS FUNDED FUNDER FUNDERS FUNDING FUNDS FUNERAL FUNERALS FUNEREAL FUNGAL FUNGI FUNGIBLE FUNGICIDE FUNGUS FUNK FUNNEL FUNNELED FUNNELING FUNNELS FUNNIER FUNNIEST FUNNILY FUNNINESS FUNNY FUR FURIES FURIOUS FURIOUSER FURIOUSLY FURLONG FURLOUGH FURMAN FURNACE FURNACES FURNISH FURNISHED FURNISHES FURNISHING FURNISHINGS FURNITURE FURRIER FURROW FURROWED FURROWS FURRY FURS FURTHER FURTHERED FURTHERING FURTHERMORE FURTHERMOST FURTHERS FURTHEST FURTIVE FURTIVELY FURTIVENESS FURY FUSE FUSED FUSES FUSING FUSION FUSS FUSSING FUSSY FUTILE FUTILITY FUTURE FUTURES FUTURISTIC FUZZ FUZZIER FUZZINESS FUZZY GAB GABARDINE GABBING GABERONES GABLE GABLED GABLER GABLES GABON GABORONE GABRIEL GABRIELLE GAD GADFLY GADGET GADGETRY GADGETS GAELIC GAELICIZATION GAELICIZATIONS GAELICIZE GAELICIZES GAG GAGGED GAGGING GAGING GAGS GAIETIES GAIETY GAIL GAILY GAIN GAINED GAINER GAINERS GAINES GAINESVILLE GAINFUL GAINING GAINS GAIT GAITED GAITER GAITERS GAITHERSBURG GALACTIC GALAHAD GALAPAGOS GALATEA GALATEAN GALATEANS GALATIA GALATIANS GALAXIES GALAXY GALBREATH GALE GALEN GALILEAN GALILEE GALILEO GALL GALLAGHER GALLANT GALLANTLY GALLANTRY GALLANTS GALLED GALLERIED GALLERIES GALLERY GALLEY GALLEYS GALLING GALLON GALLONS GALLOP GALLOPED GALLOPER GALLOPING GALLOPS GALLOWAY GALLOWS GALLS GALLSTONE GALLUP GALOIS GALT GALVESTON GALVIN GALWAY GAMBIA GAMBIT GAMBLE GAMBLED GAMBLER GAMBLERS GAMBLES GAMBLING GAMBOL GAME GAMED GAMELY GAMENESS GAMES GAMING GAMMA GANDER GANDHI GANDHIAN GANG GANGES GANGLAND GANGLING GANGPLANK GANGRENE GANGS GANGSTER GANGSTERS GANNETT GANTRY GANYMEDE GAP GAPE GAPED GAPES GAPING GAPS GARAGE GARAGED GARAGES GARB GARBAGE GARBAGES GARBED GARBLE GARBLED GARCIA GARDEN GARDENED GARDENER GARDENERS GARDENING GARDENS GARDNER GARFIELD GARFUNKEL GARGANTUAN GARGLE GARGLED GARGLES GARGLING GARIBALDI GARLAND GARLANDED GARLIC GARMENT GARMENTS GARNER GARNERED GARNETT GARNISH GARRETT GARRISON GARRISONED GARRISONIAN GARRY GARTER GARTERS GARTH GARVEY GARY GAS GASCONY GASEOUS GASEOUSLY GASES GASH GASHES GASKET GASLIGHT GASOLINE GASP GASPED GASPEE GASPING GASPS GASSED GASSER GASSET GASSING GASSINGS GASSY GASTON GASTRIC GASTROINTESTINAL GASTRONOME GASTRONOMY GATE GATED GATES GATEWAY GATEWAYS GATHER GATHERED GATHERER GATHERERS GATHERING GATHERINGS GATHERS GATING GATLINBURG GATOR GATSBY GAUCHE GAUDINESS GAUDY GAUGE GAUGED GAUGES GAUGUIN GAUL GAULLE GAULS GAUNT GAUNTLEY GAUNTNESS GAUSSIAN GAUTAMA GAUZE GAVE GAVEL GAVIN GAWK GAWKY GAY GAYER GAYEST GAYETY GAYLOR GAYLORD GAYLY GAYNESS GAYNOR GAZE GAZED GAZELLE GAZER GAZERS GAZES GAZETTE GAZING GEAR GEARED GEARING GEARS GEARY GECKO GEESE GEHRIG GEIGER GEIGY GEISHA GEL GELATIN GELATINE GELATINOUS GELD GELLED GELLING GELS GEM GEMINI GEMINID GEMMA GEMS GENDER GENDERS GENE GENEALOGY GENERAL GENERALIST GENERALISTS GENERALITIES GENERALITY GENERALIZATION GENERALIZATIONS GENERALIZE GENERALIZED GENERALIZER GENERALIZERS GENERALIZES GENERALIZING GENERALLY GENERALS GENERATE GENERATED GENERATES GENERATING GENERATION GENERATIONS GENERATIVE GENERATOR GENERATORS GENERIC GENERICALLY GENEROSITIES GENEROSITY GENEROUS GENEROUSLY GENEROUSNESS GENES GENESCO GENESIS GENETIC GENETICALLY GENEVA GENEVIEVE GENIAL GENIALLY GENIE GENIUS GENIUSES GENOA GENRE GENRES GENT GENTEEL GENTILE GENTLE GENTLEMAN GENTLEMANLY GENTLEMEN GENTLENESS GENTLER GENTLEST GENTLEWOMAN GENTLY GENTRY GENUINE GENUINELY GENUINENESS GENUS GEOCENTRIC GEODESIC GEODESY GEODETIC GEOFF GEOFFREY GEOGRAPHER GEOGRAPHIC GEOGRAPHICAL GEOGRAPHICALLY GEOGRAPHY GEOLOGICAL GEOLOGIST GEOLOGISTS GEOLOGY GEOMETRIC GEOMETRICAL GEOMETRICALLY GEOMETRICIAN GEOMETRIES GEOMETRY GEOPHYSICAL GEOPHYSICS GEORGE GEORGES GEORGETOWN GEORGIA GEORGIAN GEORGIANS GEOSYNCHRONOUS GERALD GERALDINE GERANIUM GERARD GERBER GERBIL GERHARD GERHARDT GERIATRIC GERM GERMAN GERMANE GERMANIA GERMANIC GERMANS GERMANTOWN GERMANY GERMICIDE GERMINAL GERMINATE GERMINATED GERMINATES GERMINATING GERMINATION GERMS GEROME GERRY GERSHWIN GERSHWINS GERTRUDE GERUND GESTAPO GESTURE GESTURED GESTURES GESTURING GET GETAWAY GETS GETTER GETTERS GETTING GETTY GETTYSBURG GEYSER GHANA GHANIAN GHASTLY GHENT GHETTO GHOST GHOSTED GHOSTLY GHOSTS GIACOMO GIANT GIANTS GIBBERISH GIBBONS GIBBS GIBBY GIBRALTAR GIBSON GIDDINESS GIDDINGS GIDDY GIDEON GIFFORD GIFT GIFTED GIFTS GIG GIGABIT GIGABITS GIGABYTE GIGABYTES GIGACYCLE GIGAHERTZ GIGANTIC GIGAVOLT GIGAWATT GIGGLE GIGGLED GIGGLES GIGGLING GIL GILBERTSON GILCHRIST GILD GILDED GILDING GILDS GILEAD GILES GILKSON GILL GILLESPIE GILLETTE GILLIGAN GILLS GILMORE GILT GIMBEL GIMMICK GIMMICKS GIN GINA GINGER GINGERBREAD GINGERLY GINGHAM GINGHAMS GINN GINO GINS GINSBERG GINSBURG GIOCONDA GIORGIO GIOVANNI GIPSIES GIPSY GIRAFFE GIRAFFES GIRD GIRDER GIRDERS GIRDLE GIRL GIRLFRIEND GIRLIE GIRLISH GIRLS GIRT GIRTH GIST GIULIANO GIUSEPPE GIVE GIVEAWAY GIVEN GIVER GIVERS GIVES GIVING GLACIAL GLACIER GLACIERS GLAD GLADDEN GLADDER GLADDEST GLADE GLADIATOR GLADLY GLADNESS GLADSTONE GLADYS GLAMOR GLAMOROUS GLAMOUR GLANCE GLANCED GLANCES GLANCING GLAND GLANDS GLANDULAR GLARE GLARED GLARES GLARING GLARINGLY GLASGOW GLASS GLASSED GLASSES GLASSY GLASWEGIAN GLAUCOMA GLAZE GLAZED GLAZER GLAZES GLAZING GLEAM GLEAMED GLEAMING GLEAMS GLEAN GLEANED GLEANER GLEANING GLEANINGS GLEANS GLEASON GLEE GLEEFUL GLEEFULLY GLEES GLEN GLENDA GLENDALE GLENN GLENS GLIDDEN GLIDE GLIDED GLIDER GLIDERS GLIDES GLIMMER GLIMMERED GLIMMERING GLIMMERS GLIMPSE GLIMPSED GLIMPSES GLINT GLINTED GLINTING GLINTS GLISTEN GLISTENED GLISTENING GLISTENS GLITCH GLITTER GLITTERED GLITTERING GLITTERS GLOAT GLOBAL GLOBALLY GLOBE GLOBES GLOBULAR GLOBULARITY GLOOM GLOOMILY GLOOMY GLORIA GLORIANA GLORIES GLORIFICATION GLORIFIED GLORIFIES GLORIFY GLORIOUS GLORIOUSLY GLORY GLORYING GLOSS GLOSSARIES GLOSSARY GLOSSED GLOSSES GLOSSING GLOSSY GLOTTAL GLOUCESTER GLOVE GLOVED GLOVER GLOVERS GLOVES GLOVING GLOW GLOWED GLOWER GLOWERS GLOWING GLOWINGLY GLOWS GLUE GLUED GLUES GLUING GLUT GLUTTON GLYNN GNASH GNAT GNATS GNAW GNAWED GNAWING GNAWS GNOME GNOMON GNU GOA GOAD GOADED GOAL GOALS GOAT GOATEE GOATEES GOATS GOBBLE GOBBLED GOBBLER GOBBLERS GOBBLES GOBI GOBLET GOBLETS GOBLIN GOBLINS GOD GODDARD GODDESS GODDESSES GODFATHER GODFREY GODHEAD GODLIKE GODLY GODMOTHER GODMOTHERS GODOT GODPARENT GODS GODSEND GODSON GODWIN GODZILLA GOES GOETHE GOFF GOGGLES GOGH GOING GOINGS GOLD GOLDA GOLDBERG GOLDEN GOLDENLY GOLDENNESS GOLDENROD GOLDFIELD GOLDFISH GOLDING GOLDMAN GOLDS GOLDSMITH GOLDSTEIN GOLDSTINE GOLDWATER GOLETA GOLF GOLFER GOLFERS GOLFING GOLIATH GOLLY GOMEZ GONDOLA GONE GONER GONG GONGS GONZALES GONZALEZ GOOD GOODBY GOODBYE GOODE GOODIES GOODLY GOODMAN GOODNESS GOODRICH GOODS GOODWILL GOODWIN GOODY GOODYEAR GOOF GOOFED GOOFS GOOFY GOOSE GOPHER GORDIAN GORDON GORE GOREN GORGE GORGEOUS GORGEOUSLY GORGES GORGING GORHAM GORILLA GORILLAS GORKY GORTON GORY GOSH GOSPEL GOSPELERS GOSPELS GOSSIP GOSSIPED GOSSIPING GOSSIPS GOT GOTHAM GOTHIC GOTHICALLY GOTHICISM GOTHICIZE GOTHICIZED GOTHICIZER GOTHICIZERS GOTHICIZES GOTHICIZING GOTO GOTOS GOTTEN GOTTFRIED GOUCHER GOUDA GOUGE GOUGED GOUGES GOUGING GOULD GOURD GOURMET GOUT GOVERN GOVERNANCE GOVERNED GOVERNESS GOVERNING GOVERNMENT GOVERNMENTAL GOVERNMENTALLY GOVERNMENTS GOVERNOR GOVERNORS GOVERNS GOWN GOWNED GOWNS GRAB GRABBED GRABBER GRABBERS GRABBING GRABBINGS GRABS GRACE GRACED GRACEFUL GRACEFULLY GRACEFULNESS GRACES GRACIE GRACING GRACIOUS GRACIOUSLY GRACIOUSNESS GRAD GRADATION GRADATIONS GRADE GRADED GRADER GRADERS GRADES GRADIENT GRADIENTS GRADING GRADINGS GRADUAL GRADUALLY GRADUATE GRADUATED GRADUATES GRADUATING GRADUATION GRADUATIONS GRADY GRAFF GRAFT GRAFTED GRAFTER GRAFTING GRAFTON GRAFTS GRAHAM GRAHAMS GRAIL GRAIN GRAINED GRAINING GRAINS GRAM GRAMMAR GRAMMARIAN GRAMMARS GRAMMATIC GRAMMATICAL GRAMMATICALLY GRAMS GRANARIES GRANARY GRAND GRANDCHILD GRANDCHILDREN GRANDDAUGHTER GRANDER GRANDEST GRANDEUR GRANDFATHER GRANDFATHERS GRANDIOSE GRANDLY GRANDMA GRANDMOTHER GRANDMOTHERS GRANDNEPHEW GRANDNESS GRANDNIECE GRANDPA GRANDPARENT GRANDS GRANDSON GRANDSONS GRANDSTAND GRANGE GRANITE GRANNY GRANOLA GRANT GRANTED GRANTEE GRANTER GRANTING GRANTOR GRANTS GRANULARITY GRANULATE GRANULATED GRANULATES GRANULATING GRANVILLE GRAPE GRAPEFRUIT GRAPES GRAPEVINE GRAPH GRAPHED GRAPHIC GRAPHICAL GRAPHICALLY GRAPHICS GRAPHING GRAPHITE GRAPHS GRAPPLE GRAPPLED GRAPPLING GRASP GRASPABLE GRASPED GRASPING GRASPINGLY GRASPS GRASS GRASSED GRASSERS GRASSES GRASSIER GRASSIEST GRASSLAND GRASSY GRATE GRATED GRATEFUL GRATEFULLY GRATEFULNESS GRATER GRATES GRATIFICATION GRATIFIED GRATIFY GRATIFYING GRATING GRATINGS GRATIS GRATITUDE GRATUITIES GRATUITOUS GRATUITOUSLY GRATUITOUSNESS GRATUITY GRAVE GRAVEL GRAVELLY GRAVELY GRAVEN GRAVENESS GRAVER GRAVES GRAVEST GRAVESTONE GRAVEYARD GRAVITATE GRAVITATION GRAVITATIONAL GRAVITY GRAVY GRAY GRAYED GRAYER GRAYEST GRAYING GRAYNESS GRAYSON GRAZE GRAZED GRAZER GRAZING GREASE GREASED GREASES GREASY GREAT GREATER GREATEST GREATLY GREATNESS GRECIAN GRECIANIZE GRECIANIZES GREECE GREED GREEDILY GREEDINESS GREEDY GREEK GREEKIZE GREEKIZES GREEKS GREEN GREENBELT GREENBERG GREENBLATT GREENBRIAR GREENE GREENER GREENERY GREENEST GREENFELD GREENFIELD GREENGROCER GREENHOUSE GREENHOUSES GREENING GREENISH GREENLAND GREENLY GREENNESS GREENS GREENSBORO GREENSVILLE GREENTREE GREENVILLE GREENWARE GREENWICH GREER GREET GREETED GREETER GREETING GREETINGS GREETS GREG GREGARIOUS GREGG GREGORIAN GREGORY GRENADE GRENADES GRENDEL GRENIER GRENOBLE GRENVILLE GRESHAM GRETA GRETCHEN GREW GREY GREYEST GREYHOUND GREYING GRID GRIDDLE GRIDIRON GRIDS GRIEF GRIEFS GRIEVANCE GRIEVANCES GRIEVE GRIEVED GRIEVER GRIEVERS GRIEVES GRIEVING GRIEVINGLY GRIEVOUS GRIEVOUSLY GRIFFITH GRILL GRILLED GRILLING GRILLS GRIM GRIMACE GRIMALDI GRIME GRIMED GRIMES GRIMLY GRIMM GRIMNESS GRIN GRIND GRINDER GRINDERS GRINDING GRINDINGS GRINDS GRINDSTONE GRINDSTONES GRINNING GRINS GRIP GRIPE GRIPED GRIPES GRIPING GRIPPED GRIPPING GRIPPINGLY GRIPS GRIS GRISLY GRIST GRISWOLD GRIT GRITS GRITTY GRIZZLY GROAN GROANED GROANER GROANERS GROANING GROANS GROCER GROCERIES GROCERS GROCERY GROGGY GROIN GROOM GROOMED GROOMING GROOMS GROOT GROOVE GROOVED GROOVES GROPE GROPED GROPES GROPING GROSS GROSSED GROSSER GROSSES GROSSEST GROSSET GROSSING GROSSLY GROSSMAN GROSSNESS GROSVENOR GROTESQUE GROTESQUELY GROTESQUES GROTON GROTTO GROTTOS GROUND GROUNDED GROUNDER GROUNDERS GROUNDING GROUNDS GROUNDWORK GROUP GROUPED GROUPING GROUPINGS GROUPS GROUSE GROVE GROVEL GROVELED GROVELING GROVELS GROVER GROVERS GROVES GROW GROWER GROWERS GROWING GROWL GROWLED GROWLING GROWLS GROWN GROWNUP GROWNUPS GROWS GROWTH GROWTHS GRUB GRUBBY GRUBS GRUDGE GRUDGES GRUDGINGLY GRUESOME GRUFF GRUFFLY GRUMBLE GRUMBLED GRUMBLES GRUMBLING GRUMMAN GRUNT GRUNTED GRUNTING GRUNTS GRUSKY GRUYERE GUADALUPE GUAM GUANO GUARANTEE GUARANTEED GUARANTEEING GUARANTEER GUARANTEERS GUARANTEES GUARANTY GUARD GUARDED GUARDEDLY GUARDHOUSE GUARDIA GUARDIAN GUARDIANS GUARDIANSHIP GUARDING GUARDS GUATEMALA GUATEMALAN GUBERNATORIAL GUELPH GUENTHER GUERRILLA GUERRILLAS GUESS GUESSED GUESSES GUESSING GUESSWORK GUEST GUESTS GUGGENHEIM GUHLEMAN GUIANA GUIDANCE GUIDE GUIDEBOOK GUIDEBOOKS GUIDED GUIDELINE GUIDELINES GUIDES GUIDING GUILD GUILDER GUILDERS GUILE GUILFORD GUILT GUILTIER GUILTIEST GUILTILY GUILTINESS GUILTLESS GUILTLESSLY GUILTY GUINEA GUINEVERE GUISE GUISES GUITAR GUITARS GUJARAT GUJARATI GULCH GULCHES GULF GULFS GULL GULLAH GULLED GULLIES GULLING GULLS GULLY GULP GULPED GULPS GUM GUMMING GUMPTION GUMS GUN GUNDERSON GUNFIRE GUNMAN GUNMEN GUNNAR GUNNED GUNNER GUNNERS GUNNERY GUNNING GUNNY GUNPLAY GUNPOWDER GUNS GUNSHOT GUNTHER GURGLE GURKHA GURU GUS GUSH GUSHED GUSHER GUSHES GUSHING GUST GUSTAFSON GUSTAV GUSTAVE GUSTAVUS GUSTO GUSTS GUSTY GUT GUTENBERG GUTHRIE GUTS GUTSY GUTTER GUTTERED GUTTERS GUTTING GUTTURAL GUY GUYANA GUYED GUYER GUYERS GUYING GUYS GWEN GWYN GYMNASIUM GYMNASIUMS GYMNAST GYMNASTIC GYMNASTICS GYMNASTS GYPSIES GYPSY GYRO GYROCOMPASS GYROSCOPE GYROSCOPES HAAG HAAS HABEAS HABERMAN HABIB HABIT HABITAT HABITATION HABITATIONS HABITATS HABITS HABITUAL HABITUALLY HABITUALNESS HACK HACKED HACKER HACKERS HACKETT HACKING HACKNEYED HACKS HACKSAW HAD HADAMARD HADDAD HADDOCK HADES HADLEY HADRIAN HAFIZ HAG HAGEN HAGER HAGGARD HAGGARDLY HAGGLE HAGSTROM HAGUE HAHN HAIFA HAIL HAILED HAILING HAILS HAILSTONE HAILSTORM HAINES HAIR HAIRCUT HAIRCUTS HAIRIER HAIRINESS HAIRLESS HAIRPIN HAIRS HAIRY HAITI HAITIAN HAL HALCYON HALE HALER HALEY HALF HALFHEARTED HALFWAY HALIFAX HALL HALLEY HALLINAN HALLMARK HALLMARKS HALLOW HALLOWED HALLOWEEN HALLS HALLUCINATE HALLWAY HALLWAYS HALOGEN HALPERN HALSEY HALSTEAD HALT HALTED HALTER HALTERS HALTING HALTINGLY HALTS HALVE HALVED HALVERS HALVERSON HALVES HALVING HAM HAMAL HAMBURG HAMBURGER HAMBURGERS HAMEY HAMILTON HAMILTONIAN HAMILTONIANS HAMLET HAMLETS HAMLIN HAMMER HAMMERED HAMMERING HAMMERS HAMMETT HAMMING HAMMOCK HAMMOCKS HAMMOND HAMPER HAMPERED HAMPERS HAMPSHIRE HAMPTON HAMS HAMSTER HAN HANCOCK HAND HANDBAG HANDBAGS HANDBOOK HANDBOOKS HANDCUFF HANDCUFFED HANDCUFFING HANDCUFFS HANDED HANDEL HANDFUL HANDFULS HANDGUN HANDICAP HANDICAPPED HANDICAPS HANDIER HANDIEST HANDILY HANDINESS HANDING HANDIWORK HANDKERCHIEF HANDKERCHIEFS HANDLE HANDLED HANDLER HANDLERS HANDLES HANDLING HANDMAID HANDOUT HANDS HANDSHAKE HANDSHAKES HANDSHAKING HANDSOME HANDSOMELY HANDSOMENESS HANDSOMER HANDSOMEST HANDWRITING HANDWRITTEN HANDY HANEY HANFORD HANG HANGAR HANGARS HANGED HANGER HANGERS HANGING HANGMAN HANGMEN HANGOUT HANGOVER HANGOVERS HANGS HANKEL HANLEY HANLON HANNA HANNAH HANNIBAL HANOI HANOVER HANOVERIAN HANOVERIANIZE HANOVERIANIZES HANOVERIZE HANOVERIZES HANS HANSEL HANSEN HANSON HANUKKAH HAP HAPGOOD HAPHAZARD HAPHAZARDLY HAPHAZARDNESS HAPLESS HAPLESSLY HAPLESSNESS HAPLY HAPPEN HAPPENED HAPPENING HAPPENINGS HAPPENS HAPPIER HAPPIEST HAPPILY HAPPINESS HAPPY HAPSBURG HARASS HARASSED HARASSES HARASSING HARASSMENT HARBIN HARBINGER HARBOR HARBORED HARBORING HARBORS HARCOURT HARD HARDBOILED HARDCOPY HARDEN HARDER HARDEST HARDHAT HARDIN HARDINESS HARDING HARDLY HARDNESS HARDSCRABBLE HARDSHIP HARDSHIPS HARDWARE HARDWIRED HARDWORKING HARDY HARE HARELIP HAREM HARES HARK HARKEN HARLAN HARLEM HARLEY HARLOT HARLOTS HARM HARMED HARMFUL HARMFULLY HARMFULNESS HARMING HARMLESS HARMLESSLY HARMLESSNESS HARMON HARMONIC HARMONICS HARMONIES HARMONIOUS HARMONIOUSLY HARMONIOUSNESS HARMONIST HARMONISTIC HARMONISTICALLY HARMONIZE HARMONY HARMS HARNESS HARNESSED HARNESSING HAROLD HARP HARPER HARPERS HARPING HARPY HARRIED HARRIER HARRIET HARRIMAN HARRINGTON HARRIS HARRISBURG HARRISON HARRISONBURG HARROW HARROWED HARROWING HARROWS HARRY HARSH HARSHER HARSHLY HARSHNESS HART HARTFORD HARTLEY HARTMAN HARVARD HARVARDIZE HARVARDIZES HARVEST HARVESTED HARVESTER HARVESTING HARVESTS HARVEY HARVEYIZE HARVEYIZES HARVEYS HAS HASH HASHED HASHER HASHES HASHING HASHISH HASKELL HASKINS HASSLE HASTE HASTEN HASTENED HASTENING HASTENS HASTILY HASTINESS HASTINGS HASTY HAT HATCH HATCHED HATCHET HATCHETS HATCHING HATCHURE HATE HATED HATEFUL HATEFULLY HATEFULNESS HATER HATES HATFIELD HATHAWAY HATING HATRED HATS HATTERAS HATTIE HATTIESBURG HATTIZE HATTIZES HAUGEN HAUGHTILY HAUGHTINESS HAUGHTY HAUL HAULED HAULER HAULING HAULS HAUNCH HAUNCHES HAUNT HAUNTED HAUNTER HAUNTING HAUNTS HAUSA HAUSDORFF HAUSER HAVANA HAVE HAVEN HAVENS HAVES HAVILLAND HAVING HAVOC HAWAII HAWAIIAN HAWK HAWKED HAWKER HAWKERS HAWKINS HAWKS HAWLEY HAWTHORNE HAY HAYDEN HAYDN HAYES HAYING HAYNES HAYS HAYSTACK HAYWARD HAYWOOD HAZARD HAZARDOUS HAZARDS HAZE HAZEL HAZES HAZINESS HAZY HEAD HEADACHE HEADACHES HEADED HEADER HEADERS HEADGEAR HEADING HEADINGS HEADLAND HEADLANDS HEADLIGHT HEADLINE HEADLINED HEADLINES HEADLINING HEADLONG HEADMASTER HEADPHONE HEADQUARTERS HEADROOM HEADS HEADSET HEADWAY HEAL HEALED HEALER HEALERS HEALEY HEALING HEALS HEALTH HEALTHFUL HEALTHFULLY HEALTHFULNESS HEALTHIER HEALTHIEST HEALTHILY HEALTHINESS HEALTHY HEALY HEAP HEAPED HEAPING HEAPS HEAR HEARD HEARER HEARERS HEARING HEARINGS HEARKEN HEARS HEARSAY HEARST HEART HEARTBEAT HEARTBREAK HEARTEN HEARTIEST HEARTILY HEARTINESS HEARTLESS HEARTS HEARTWOOD HEARTY HEAT HEATABLE HEATED HEATEDLY HEATER HEATERS HEATH HEATHEN HEATHER HEATHKIT HEATHMAN HEATING HEATS HEAVE HEAVED HEAVEN HEAVENLY HEAVENS HEAVER HEAVERS HEAVES HEAVIER HEAVIEST HEAVILY HEAVINESS HEAVING HEAVY HEAVYWEIGHT HEBE HEBRAIC HEBRAICIZE HEBRAICIZES HEBREW HEBREWS HEBRIDES HECATE HECK HECKLE HECKMAN HECTIC HECUBA HEDDA HEDGE HEDGED HEDGEHOG HEDGEHOGS HEDGES HEDONISM HEDONIST HEED HEEDED HEEDLESS HEEDLESSLY HEEDLESSNESS HEEDS HEEL HEELED HEELERS HEELING HEELS HEFTY HEGEL HEGELIAN HEGELIANIZE HEGELIANIZES HEGEMONY HEIDEGGER HEIDELBERG HEIFER HEIGHT HEIGHTEN HEIGHTENED HEIGHTENING HEIGHTENS HEIGHTS HEINE HEINLEIN HEINOUS HEINOUSLY HEINRICH HEINZ HEINZE HEIR HEIRESS HEIRESSES HEIRS HEISENBERG HEISER HELD HELEN HELENA HELENE HELGA HELICAL HELICOPTER HELIOCENTRIC HELIOPOLIS HELIUM HELIX HELL HELLENIC HELLENIZATION HELLENIZATIONS HELLENIZE HELLENIZED HELLENIZES HELLENIZING HELLESPONT HELLFIRE HELLISH HELLMAN HELLO HELLS HELM HELMET HELMETS HELMHOLTZ HELMSMAN HELMUT HELP HELPED HELPER HELPERS HELPFUL HELPFULLY HELPFULNESS HELPING HELPLESS HELPLESSLY HELPLESSNESS HELPMATE HELPS HELSINKI HELVETICA HEM HEMINGWAY HEMISPHERE HEMISPHERES HEMLOCK HEMLOCKS HEMOGLOBIN HEMORRHOID HEMOSTAT HEMOSTATS HEMP HEMPEN HEMPSTEAD HEMS HEN HENCE HENCEFORTH HENCHMAN HENCHMEN HENDERSON HENDRICK HENDRICKS HENDRICKSON HENDRIX HENLEY HENNESSEY HENNESSY HENNING HENPECK HENRI HENRIETTA HENS HEPATITIS HEPBURN HER HERA HERACLITUS HERALD HERALDED HERALDING HERALDS HERB HERBERT HERBIVORE HERBIVOROUS HERBS HERCULEAN HERCULES HERD HERDED HERDER HERDING HERDS HERE HEREABOUT HEREABOUTS HEREAFTER HEREBY HEREDITARY HEREDITY HEREFORD HEREIN HEREINAFTER HEREOF HERES HERESY HERETIC HERETICS HERETO HERETOFORE HEREUNDER HEREWITH HERITAGE HERITAGES HERKIMER HERMAN HERMANN HERMES HERMETIC HERMETICALLY HERMIT HERMITE HERMITIAN HERMITS HERMOSA HERNANDEZ HERO HERODOTUS HEROES HEROIC HEROICALLY HEROICS HEROIN HEROINE HEROINES HEROISM HERON HERONS HERPES HERR HERRING HERRINGS HERRINGTON HERS HERSCHEL HERSELF HERSEY HERSHEL HERSHEY HERTZ HERTZOG HESITANT HESITANTLY HESITATE HESITATED HESITATES HESITATING HESITATINGLY HESITATION HESITATIONS HESPERUS HESS HESSE HESSIAN HESSIANS HESTER HETEROGENEITY HETEROGENEOUS HETEROGENEOUSLY HETEROGENEOUSNESS HETEROGENOUS HETEROSEXUAL HETMAN HETTIE HETTY HEUBLEIN HEURISTIC HEURISTICALLY HEURISTICS HEUSEN HEUSER HEW HEWED HEWER HEWETT HEWITT HEWLETT HEWS HEX HEXADECIMAL HEXAGON HEXAGONAL HEXAGONALLY HEXAGONS HEY HEYWOOD HIATT HIAWATHA HIBBARD HIBERNATE HIBERNIA HICK HICKEY HICKEYS HICKMAN HICKOK HICKORY HICKS HID HIDDEN HIDE HIDEOUS HIDEOUSLY HIDEOUSNESS HIDEOUT HIDEOUTS HIDES HIDING HIERARCHAL HIERARCHIC HIERARCHICAL HIERARCHICALLY HIERARCHIES HIERARCHY HIERONYMUS HIGGINS HIGH HIGHER HIGHEST HIGHFIELD HIGHLAND HIGHLANDER HIGHLANDS HIGHLIGHT HIGHLIGHTED HIGHLIGHTING HIGHLIGHTS HIGHLY HIGHNESS HIGHNESSES HIGHWAY HIGHWAYMAN HIGHWAYMEN HIGHWAYS HIJACK HIJACKED HIKE HIKED HIKER HIKES HIKING HILARIOUS HILARIOUSLY HILARITY HILBERT HILDEBRAND HILL HILLARY HILLBILLY HILLCREST HILLEL HILLOCK HILLS HILLSBORO HILLSDALE HILLSIDE HILLSIDES HILLTOP HILLTOPS HILT HILTON HILTS HIM HIMALAYA HIMALAYAS HIMMLER HIMSELF HIND HINDER HINDERED HINDERING HINDERS HINDI HINDRANCE HINDRANCES HINDSIGHT HINDU HINDUISM HINDUS HINDUSTAN HINES HINGE HINGED HINGES HINKLE HINMAN HINSDALE HINT HINTED HINTING HINTS HIP HIPPO HIPPOCRATES HIPPOCRATIC HIPPOPOTAMUS HIPS HIRAM HIRE HIRED HIRER HIRERS HIRES HIREY HIRING HIRINGS HIROSHI HIROSHIMA HIRSCH HIS HISPANIC HISPANICIZE HISPANICIZES HISPANICS HISS HISSED HISSES HISSING HISTOGRAM HISTOGRAMS HISTORIAN HISTORIANS HISTORIC HISTORICAL HISTORICALLY HISTORIES HISTORY HIT HITACHI HITCH HITCHCOCK HITCHED HITCHHIKE HITCHHIKED HITCHHIKER HITCHHIKERS HITCHHIKES HITCHHIKING HITCHING HITHER HITHERTO HITLER HITLERIAN HITLERISM HITLERITE HITLERITES HITS HITTER HITTERS HITTING HIVE HOAGLAND HOAR HOARD HOARDER HOARDING HOARINESS HOARSE HOARSELY HOARSENESS HOARY HOBART HOBBES HOBBIES HOBBLE HOBBLED HOBBLES HOBBLING HOBBS HOBBY HOBBYHORSE HOBBYIST HOBBYISTS HOBDAY HOBOKEN HOCKEY HODGEPODGE HODGES HODGKIN HOE HOES HOFF HOFFMAN HOG HOGGING HOGS HOIST HOISTED HOISTING HOISTS HOKAN HOLBROOK HOLCOMB HOLD HOLDEN HOLDER HOLDERS HOLDING HOLDINGS HOLDS HOLE HOLED HOLES HOLIDAY HOLIDAYS HOLIES HOLINESS HOLISTIC HOLLAND HOLLANDAISE HOLLANDER HOLLERITH HOLLINGSWORTH HOLLISTER HOLLOW HOLLOWAY HOLLOWED HOLLOWING HOLLOWLY HOLLOWNESS HOLLOWS HOLLY HOLLYWOOD HOLLYWOODIZE HOLLYWOODIZES HOLM HOLMAN HOLMDEL HOLMES HOLOCAUST HOLOCENE HOLOGRAM HOLOGRAMS HOLST HOLSTEIN HOLY HOLYOKE HOLZMAN HOM HOMAGE HOME HOMED HOMELESS HOMELY HOMEMADE HOMEMAKER HOMEMAKERS HOMEOMORPHIC HOMEOMORPHISM HOMEOMORPHISMS HOMEOPATH HOMEOWNER HOMER HOMERIC HOMERS HOMES HOMESICK HOMESICKNESS HOMESPUN HOMESTEAD HOMESTEADER HOMESTEADERS HOMESTEADS HOMEWARD HOMEWARDS HOMEWORK HOMICIDAL HOMICIDE HOMING HOMO HOMOGENEITIES HOMOGENEITY HOMOGENEOUS HOMOGENEOUSLY HOMOGENEOUSNESS HOMOMORPHIC HOMOMORPHISM HOMOMORPHISMS HOMOSEXUAL HONDA HONDO HONDURAS HONE HONED HONER HONES HONEST HONESTLY HONESTY HONEY HONEYBEE HONEYCOMB HONEYCOMBED HONEYDEW HONEYMOON HONEYMOONED HONEYMOONER HONEYMOONERS HONEYMOONING HONEYMOONS HONEYSUCKLE HONEYWELL HONING HONOLULU HONOR HONORABLE HONORABLENESS HONORABLY HONORARIES HONORARIUM HONORARY HONORED HONORER HONORING HONORS HONSHU HOOD HOODED HOODLUM HOODS HOODWINK HOODWINKED HOODWINKING HOODWINKS HOOF HOOFS HOOK HOOKED HOOKER HOOKERS HOOKING HOOKS HOOKUP HOOKUPS HOOP HOOPER HOOPS HOOSIER HOOSIERIZE HOOSIERIZES HOOT HOOTED HOOTER HOOTING HOOTS HOOVER HOOVERIZE HOOVERIZES HOOVES HOP HOPE HOPED HOPEFUL HOPEFULLY HOPEFULNESS HOPEFULS HOPELESS HOPELESSLY HOPELESSNESS HOPES HOPI HOPING HOPKINS HOPKINSIAN HOPPER HOPPERS HOPPING HOPS HORACE HORATIO HORDE HORDES HORIZON HORIZONS HORIZONTAL HORIZONTALLY HORMONE HORMONES HORN HORNBLOWER HORNED HORNET HORNETS HORNS HORNY HOROWITZ HORRENDOUS HORRENDOUSLY HORRIBLE HORRIBLENESS HORRIBLY HORRID HORRIDLY HORRIFIED HORRIFIES HORRIFY HORRIFYING HORROR HORRORS HORSE HORSEBACK HORSEFLESH HORSEFLY HORSEMAN HORSEPLAY HORSEPOWER HORSES HORSESHOE HORSESHOER HORTICULTURE HORTON HORUS HOSE HOSES HOSPITABLE HOSPITABLY HOSPITAL HOSPITALITY HOSPITALIZE HOSPITALIZED HOSPITALIZES HOSPITALIZING HOSPITALS HOST HOSTAGE HOSTAGES HOSTED HOSTESS HOSTESSES HOSTILE HOSTILELY HOSTILITIES HOSTILITY HOSTING HOSTS HOT HOTEL HOTELS HOTLY HOTNESS HOTTENTOT HOTTER HOTTEST HOUDAILLE HOUDINI HOUGHTON HOUND HOUNDED HOUNDING HOUNDS HOUR HOURGLASS HOURLY HOURS HOUSE HOUSEBOAT HOUSEBROKEN HOUSED HOUSEFLIES HOUSEFLY HOUSEHOLD HOUSEHOLDER HOUSEHOLDERS HOUSEHOLDS HOUSEKEEPER HOUSEKEEPERS HOUSEKEEPING HOUSES HOUSETOP HOUSETOPS HOUSEWIFE HOUSEWIFELY HOUSEWIVES HOUSEWORK HOUSING HOUSTON HOVEL HOVELS HOVER HOVERED HOVERING HOVERS HOW HOWARD HOWE HOWELL HOWEVER HOWL HOWLED HOWLER HOWLING HOWLS HOYT HROTHGAR HUB HUBBARD HUBBELL HUBER HUBERT HUBRIS HUBS HUCK HUDDLE HUDDLED HUDDLING HUDSON HUE HUES HUEY HUFFMAN HUG HUGE HUGELY HUGENESS HUGGING HUGGINS HUGH HUGHES HUGO HUH HULL HULLS HUM HUMAN HUMANE HUMANELY HUMANENESS HUMANITARIAN HUMANITIES HUMANITY HUMANLY HUMANNESS HUMANS HUMBLE HUMBLED HUMBLENESS HUMBLER HUMBLEST HUMBLING HUMBLY HUMBOLDT HUMBUG HUME HUMERUS HUMID HUMIDIFICATION HUMIDIFIED HUMIDIFIER HUMIDIFIERS HUMIDIFIES HUMIDIFY HUMIDIFYING HUMIDITY HUMIDLY HUMILIATE HUMILIATED HUMILIATES HUMILIATING HUMILIATION HUMILIATIONS HUMILITY HUMMED HUMMEL HUMMING HUMMINGBIRD HUMOR HUMORED HUMORER HUMORERS HUMORING HUMOROUS HUMOROUSLY HUMOROUSNESS HUMORS HUMP HUMPBACK HUMPED HUMPHREY HUMPTY HUMS HUN HUNCH HUNCHED HUNCHES HUNDRED HUNDREDFOLD HUNDREDS HUNDREDTH HUNG HUNGARIAN HUNGARY HUNGER HUNGERED HUNGERING HUNGERS HUNGRIER HUNGRIEST HUNGRILY HUNGRY HUNK HUNKS HUNS HUNT HUNTED HUNTER HUNTERS HUNTING HUNTINGTON HUNTLEY HUNTS HUNTSMAN HUNTSVILLE HURD HURDLE HURL HURLED HURLER HURLERS HURLING HURON HURONS HURRAH HURRICANE HURRICANES HURRIED HURRIEDLY HURRIES HURRY HURRYING HURST HURT HURTING HURTLE HURTLING HURTS HURWITZ HUSBAND HUSBANDRY HUSBANDS HUSH HUSHED HUSHES HUSHING HUSK HUSKED HUSKER HUSKINESS HUSKING HUSKS HUSKY HUSTLE HUSTLED HUSTLER HUSTLES HUSTLING HUSTON HUT HUTCH HUTCHINS HUTCHINSON HUTCHISON HUTS HUXLEY HUXTABLE HYACINTH HYADES HYANNIS HYBRID HYDE HYDRA HYDRANT HYDRAULIC HYDRO HYDRODYNAMIC HYDRODYNAMICS HYDROGEN HYDROGENS HYENA HYGIENE HYMAN HYMEN HYMN HYMNS HYPER HYPERBOLA HYPERBOLIC HYPERTEXT HYPHEN HYPHENATE HYPHENS HYPNOSIS HYPNOTIC HYPOCRISIES HYPOCRISY HYPOCRITE HYPOCRITES HYPODERMIC HYPODERMICS HYPOTHESES HYPOTHESIS HYPOTHESIZE HYPOTHESIZED HYPOTHESIZER HYPOTHESIZES HYPOTHESIZING HYPOTHETICAL HYPOTHETICALLY HYSTERESIS HYSTERICAL HYSTERICALLY IAN IBERIA IBERIAN IBEX IBID IBIS IBN IBSEN ICARUS ICE ICEBERG ICEBERGS ICEBOX ICED ICELAND ICELANDIC ICES ICICLE ICINESS ICING ICINGS ICON ICONOCLASM ICONOCLAST ICONS ICOSAHEDRA ICOSAHEDRAL ICOSAHEDRON ICY IDA IDAHO IDEA IDEAL IDEALISM IDEALISTIC IDEALIZATION IDEALIZATIONS IDEALIZE IDEALIZED IDEALIZES IDEALIZING IDEALLY IDEALS IDEAS IDEM IDEMPOTENCY IDEMPOTENT IDENTICAL IDENTICALLY IDENTIFIABLE IDENTIFIABLY IDENTIFICATION IDENTIFICATIONS IDENTIFIED IDENTIFIER IDENTIFIERS IDENTIFIES IDENTIFY IDENTIFYING IDENTITIES IDENTITY IDEOLOGICAL IDEOLOGICALLY IDEOLOGY IDIOCY IDIOM IDIOSYNCRASIES IDIOSYNCRASY IDIOSYNCRATIC IDIOT IDIOTIC IDIOTS IDLE IDLED IDLENESS IDLER IDLERS IDLES IDLEST IDLING IDLY IDOL IDOLATRY IDOLS IFNI IGLOO IGNITE IGNITION IGNOBLE IGNOMINIOUS IGNORAMUS IGNORANCE IGNORANT IGNORANTLY IGNORE IGNORED IGNORES IGNORING IGOR IKE ILIAD ILIADIZE ILIADIZES ILL ILLEGAL ILLEGALITIES ILLEGALITY ILLEGALLY ILLEGITIMATE ILLICIT ILLICITLY ILLINOIS ILLITERACY ILLITERATE ILLNESS ILLNESSES ILLOGICAL ILLOGICALLY ILLS ILLUMINATE ILLUMINATED ILLUMINATES ILLUMINATING ILLUMINATION ILLUMINATIONS ILLUSION ILLUSIONS ILLUSIVE ILLUSIVELY ILLUSORY ILLUSTRATE ILLUSTRATED ILLUSTRATES ILLUSTRATING ILLUSTRATION ILLUSTRATIONS ILLUSTRATIVE ILLUSTRATIVELY ILLUSTRATOR ILLUSTRATORS ILLUSTRIOUS ILLUSTRIOUSNESS ILLY ILONA ILYUSHIN IMAGE IMAGEN IMAGERY IMAGES IMAGINABLE IMAGINABLY IMAGINARY IMAGINATION IMAGINATIONS IMAGINATIVE IMAGINATIVELY IMAGINE IMAGINED IMAGINES IMAGING IMAGINING IMAGININGS IMBALANCE IMBALANCES IMBECILE IMBIBE IMBRIUM IMITATE IMITATED IMITATES IMITATING IMITATION IMITATIONS IMITATIVE IMMACULATE IMMACULATELY IMMATERIAL IMMATERIALLY IMMATURE IMMATURITY IMMEDIACIES IMMEDIACY IMMEDIATE IMMEDIATELY IMMEMORIAL IMMENSE IMMENSELY IMMERSE IMMERSED IMMERSES IMMERSION IMMIGRANT IMMIGRANTS IMMIGRATE IMMIGRATED IMMIGRATES IMMIGRATING IMMIGRATION IMMINENT IMMINENTLY IMMODERATE IMMODEST IMMORAL IMMORTAL IMMORTALITY IMMORTALLY IMMOVABILITY IMMOVABLE IMMOVABLY IMMUNE IMMUNITIES IMMUNITY IMMUNIZATION IMMUTABLE IMP IMPACT IMPACTED IMPACTING IMPACTION IMPACTOR IMPACTORS IMPACTS IMPAIR IMPAIRED IMPAIRING IMPAIRS IMPALE IMPART IMPARTED IMPARTIAL IMPARTIALLY IMPARTS IMPASSE IMPASSIVE IMPATIENCE IMPATIENT IMPATIENTLY IMPEACH IMPEACHABLE IMPEACHED IMPEACHMENT IMPECCABLE IMPEDANCE IMPEDANCES IMPEDE IMPEDED IMPEDES IMPEDIMENT IMPEDIMENTS IMPEDING IMPEL IMPELLED IMPELLING IMPEND IMPENDING IMPENETRABILITY IMPENETRABLE IMPENETRABLY IMPERATIVE IMPERATIVELY IMPERATIVES IMPERCEIVABLE IMPERCEPTIBLE IMPERFECT IMPERFECTION IMPERFECTIONS IMPERFECTLY IMPERIAL IMPERIALISM IMPERIALIST IMPERIALISTS IMPERIL IMPERILED IMPERIOUS IMPERIOUSLY IMPERMANENCE IMPERMANENT IMPERMEABLE IMPERMISSIBLE IMPERSONAL IMPERSONALLY IMPERSONATE IMPERSONATED IMPERSONATES IMPERSONATING IMPERSONATION IMPERSONATIONS IMPERTINENT IMPERTINENTLY IMPERVIOUS IMPERVIOUSLY IMPETUOUS IMPETUOUSLY IMPETUS IMPINGE IMPINGED IMPINGES IMPINGING IMPIOUS IMPLACABLE IMPLANT IMPLANTED IMPLANTING IMPLANTS IMPLAUSIBLE IMPLEMENT IMPLEMENTABLE IMPLEMENTATION IMPLEMENTATIONS IMPLEMENTED IMPLEMENTER IMPLEMENTING IMPLEMENTOR IMPLEMENTORS IMPLEMENTS IMPLICANT IMPLICANTS IMPLICATE IMPLICATED IMPLICATES IMPLICATING IMPLICATION IMPLICATIONS IMPLICIT IMPLICITLY IMPLICITNESS IMPLIED IMPLIES IMPLORE IMPLORED IMPLORING IMPLY IMPLYING IMPOLITE IMPORT IMPORTANCE IMPORTANT IMPORTANTLY IMPORTATION IMPORTED IMPORTER IMPORTERS IMPORTING IMPORTS IMPOSE IMPOSED IMPOSES IMPOSING IMPOSITION IMPOSITIONS IMPOSSIBILITIES IMPOSSIBILITY IMPOSSIBLE IMPOSSIBLY IMPOSTOR IMPOSTORS IMPOTENCE IMPOTENCY IMPOTENT IMPOUND IMPOVERISH IMPOVERISHED IMPOVERISHMENT IMPRACTICABLE IMPRACTICAL IMPRACTICALITY IMPRACTICALLY IMPRECISE IMPRECISELY IMPRECISION IMPREGNABLE IMPREGNATE IMPRESS IMPRESSED IMPRESSER IMPRESSES IMPRESSIBLE IMPRESSING IMPRESSION IMPRESSIONABLE IMPRESSIONIST IMPRESSIONISTIC IMPRESSIONS IMPRESSIVE IMPRESSIVELY IMPRESSIVENESS IMPRESSMENT IMPRIMATUR IMPRINT IMPRINTED IMPRINTING IMPRINTS IMPRISON IMPRISONED IMPRISONING IMPRISONMENT IMPRISONMENTS IMPRISONS IMPROBABILITY IMPROBABLE IMPROMPTU IMPROPER IMPROPERLY IMPROPRIETY IMPROVE IMPROVED IMPROVEMENT IMPROVEMENTS IMPROVES IMPROVING IMPROVISATION IMPROVISATIONAL IMPROVISATIONS IMPROVISE IMPROVISED IMPROVISER IMPROVISERS IMPROVISES IMPROVISING IMPRUDENT IMPS IMPUDENT IMPUDENTLY IMPUGN IMPULSE IMPULSES IMPULSION IMPULSIVE IMPUNITY IMPURE IMPURITIES IMPURITY IMPUTE IMPUTED INABILITY INACCESSIBLE INACCURACIES INACCURACY INACCURATE INACTION INACTIVATE INACTIVE INACTIVITY INADEQUACIES INADEQUACY INADEQUATE INADEQUATELY INADEQUATENESS INADMISSIBILITY INADMISSIBLE INADVERTENT INADVERTENTLY INADVISABLE INALIENABLE INALTERABLE INANE INANIMATE INANIMATELY INANNA INAPPLICABLE INAPPROACHABLE INAPPROPRIATE INAPPROPRIATENESS INASMUCH INATTENTION INAUDIBLE INAUGURAL INAUGURATE INAUGURATED INAUGURATING INAUGURATION INAUSPICIOUS INBOARD INBOUND INBREED INCA INCALCULABLE INCANDESCENT INCANTATION INCAPABLE INCAPACITATE INCAPACITATING INCARCERATE INCARNATION INCARNATIONS INCAS INCENDIARIES INCENDIARY INCENSE INCENSED INCENSES INCENTIVE INCENTIVES INCEPTION INCESSANT INCESSANTLY INCEST INCESTUOUS INCH INCHED INCHES INCHING INCIDENCE INCIDENT INCIDENTAL INCIDENTALLY INCIDENTALS INCIDENTS INCINERATE INCIPIENT INCISIVE INCITE INCITED INCITEMENT INCITES INCITING INCLEMENT INCLINATION INCLINATIONS INCLINE INCLINED INCLINES INCLINING INCLOSE INCLOSED INCLOSES INCLOSING INCLUDE INCLUDED INCLUDES INCLUDING INCLUSION INCLUSIONS INCLUSIVE INCLUSIVELY INCLUSIVENESS INCOHERENCE INCOHERENT INCOHERENTLY INCOME INCOMES INCOMING INCOMMENSURABLE INCOMMENSURATE INCOMMUNICABLE INCOMPARABLE INCOMPARABLY INCOMPATIBILITIES INCOMPATIBILITY INCOMPATIBLE INCOMPATIBLY INCOMPETENCE INCOMPETENT INCOMPETENTS INCOMPLETE INCOMPLETELY INCOMPLETENESS INCOMPREHENSIBILITY INCOMPREHENSIBLE INCOMPREHENSIBLY INCOMPREHENSION INCOMPRESSIBLE INCOMPUTABLE INCONCEIVABLE INCONCLUSIVE INCONGRUITY INCONGRUOUS INCONSEQUENTIAL INCONSEQUENTIALLY INCONSIDERABLE INCONSIDERATE INCONSIDERATELY INCONSIDERATENESS INCONSISTENCIES INCONSISTENCY INCONSISTENT INCONSISTENTLY INCONSPICUOUS INCONTESTABLE INCONTROVERTIBLE INCONTROVERTIBLY INCONVENIENCE INCONVENIENCED INCONVENIENCES INCONVENIENCING INCONVENIENT INCONVENIENTLY INCONVERTIBLE INCORPORATE INCORPORATED INCORPORATES INCORPORATING INCORPORATION INCORRECT INCORRECTLY INCORRECTNESS INCORRIGIBLE INCREASE INCREASED INCREASES INCREASING INCREASINGLY INCREDIBLE INCREDIBLY INCREDULITY INCREDULOUS INCREDULOUSLY INCREMENT INCREMENTAL INCREMENTALLY INCREMENTED INCREMENTER INCREMENTING INCREMENTS INCRIMINATE INCUBATE INCUBATED INCUBATES INCUBATING INCUBATION INCUBATOR INCUBATORS INCULCATE INCUMBENT INCUR INCURABLE INCURRED INCURRING INCURS INCURSION INDEBTED INDEBTEDNESS INDECENT INDECIPHERABLE INDECISION INDECISIVE INDEED INDEFATIGABLE INDEFENSIBLE INDEFINITE INDEFINITELY INDEFINITENESS INDELIBLE INDEMNIFY INDEMNITY INDENT INDENTATION INDENTATIONS INDENTED INDENTING INDENTS INDENTURE INDEPENDENCE INDEPENDENT INDEPENDENTLY INDESCRIBABLE INDESTRUCTIBLE INDETERMINACIES INDETERMINACY INDETERMINATE INDETERMINATELY INDEX INDEXABLE INDEXED INDEXES INDEXING INDIA INDIAN INDIANA INDIANAPOLIS INDIANS INDICATE INDICATED INDICATES INDICATING INDICATION INDICATIONS INDICATIVE INDICATOR INDICATORS INDICES INDICT INDICTMENT INDICTMENTS INDIES INDIFFERENCE INDIFFERENT INDIFFERENTLY INDIGENOUS INDIGENOUSLY INDIGENOUSNESS INDIGESTIBLE INDIGESTION INDIGNANT INDIGNANTLY INDIGNATION INDIGNITIES INDIGNITY INDIGO INDIRA INDIRECT INDIRECTED INDIRECTING INDIRECTION INDIRECTIONS INDIRECTLY INDIRECTS INDISCREET INDISCRETION INDISCRIMINATE INDISCRIMINATELY INDISPENSABILITY INDISPENSABLE INDISPENSABLY INDISPUTABLE INDISTINCT INDISTINGUISHABLE INDIVIDUAL INDIVIDUALISM INDIVIDUALISTIC INDIVIDUALITY INDIVIDUALIZE INDIVIDUALIZED INDIVIDUALIZES INDIVIDUALIZING INDIVIDUALLY INDIVIDUALS INDIVISIBILITY INDIVISIBLE INDO INDOCHINA INDOCHINESE INDOCTRINATE INDOCTRINATED INDOCTRINATES INDOCTRINATING INDOCTRINATION INDOEUROPEAN INDOLENT INDOLENTLY INDOMITABLE INDONESIA INDONESIAN INDOOR INDOORS INDUBITABLE INDUCE INDUCED INDUCEMENT INDUCEMENTS INDUCER INDUCES INDUCING INDUCT INDUCTANCE INDUCTANCES INDUCTED INDUCTEE INDUCTING INDUCTION INDUCTIONS INDUCTIVE INDUCTIVELY INDUCTOR INDUCTORS INDUCTS INDULGE INDULGED INDULGENCE INDULGENCES INDULGENT INDULGING INDUS INDUSTRIAL INDUSTRIALISM INDUSTRIALIST INDUSTRIALISTS INDUSTRIALIZATION INDUSTRIALIZED INDUSTRIALLY INDUSTRIALS INDUSTRIES INDUSTRIOUS INDUSTRIOUSLY INDUSTRIOUSNESS INDUSTRY INDY INEFFECTIVE INEFFECTIVELY INEFFECTIVENESS INEFFECTUAL INEFFICIENCIES INEFFICIENCY INEFFICIENT INEFFICIENTLY INELEGANT INELIGIBLE INEPT INEQUALITIES INEQUALITY INEQUITABLE INEQUITY INERT INERTIA INERTIAL INERTLY INERTNESS INESCAPABLE INESCAPABLY INESSENTIAL INESTIMABLE INEVITABILITIES INEVITABILITY INEVITABLE INEVITABLY INEXACT INEXCUSABLE INEXCUSABLY INEXHAUSTIBLE INEXORABLE INEXORABLY INEXPENSIVE INEXPENSIVELY INEXPERIENCE INEXPERIENCED INEXPLICABLE INFALLIBILITY INFALLIBLE INFALLIBLY INFAMOUS INFAMOUSLY INFAMY INFANCY INFANT INFANTILE INFANTRY INFANTRYMAN INFANTRYMEN INFANTS INFARCT INFATUATE INFEASIBLE INFECT INFECTED INFECTING INFECTION INFECTIONS INFECTIOUS INFECTIOUSLY INFECTIVE INFECTS INFER INFERENCE INFERENCES INFERENTIAL INFERIOR INFERIORITY INFERIORS INFERNAL INFERNALLY INFERNO INFERNOS INFERRED INFERRING INFERS INFERTILE INFEST INFESTED INFESTING INFESTS INFIDEL INFIDELITY INFIDELS INFIGHTING INFILTRATE INFINITE INFINITELY INFINITENESS INFINITESIMAL INFINITIVE INFINITIVES INFINITUDE INFINITUM INFINITY INFIRM INFIRMARY INFIRMITY INFIX INFLAME INFLAMED INFLAMMABLE INFLAMMATION INFLAMMATORY INFLATABLE INFLATE INFLATED INFLATER INFLATES INFLATING INFLATION INFLATIONARY INFLEXIBILITY INFLEXIBLE INFLICT INFLICTED INFLICTING INFLICTS INFLOW INFLUENCE INFLUENCED INFLUENCES INFLUENCING INFLUENTIAL INFLUENTIALLY INFLUENZA INFORM INFORMAL INFORMALITY INFORMALLY INFORMANT INFORMANTS INFORMATICA INFORMATION INFORMATIONAL INFORMATIVE INFORMATIVELY INFORMED INFORMER INFORMERS INFORMING INFORMS INFRA INFRARED INFRASTRUCTURE INFREQUENT INFREQUENTLY INFRINGE INFRINGED INFRINGEMENT INFRINGEMENTS INFRINGES INFRINGING INFURIATE INFURIATED INFURIATES INFURIATING INFURIATION INFUSE INFUSED INFUSES INFUSING INFUSION INFUSIONS INGENIOUS INGENIOUSLY INGENIOUSNESS INGENUITY INGENUOUS INGERSOLL INGEST INGESTION INGLORIOUS INGOT INGRAM INGRATE INGRATIATE INGRATITUDE INGREDIENT INGREDIENTS INGROWN INHABIT INHABITABLE INHABITANCE INHABITANT INHABITANTS INHABITED INHABITING INHABITS INHALE INHALED INHALER INHALES INHALING INHERE INHERENT INHERENTLY INHERES INHERIT INHERITABLE INHERITANCE INHERITANCES INHERITED INHERITING INHERITOR INHERITORS INHERITRESS INHERITRESSES INHERITRICES INHERITRIX INHERITS INHIBIT INHIBITED INHIBITING INHIBITION INHIBITIONS INHIBITOR INHIBITORS INHIBITORY INHIBITS INHOMOGENEITIES INHOMOGENEITY INHOMOGENEOUS INHOSPITABLE INHUMAN INHUMANE INIMICAL INIMITABLE INIQUITIES INIQUITY INITIAL INITIALED INITIALING INITIALIZATION INITIALIZATIONS INITIALIZE INITIALIZED INITIALIZER INITIALIZERS INITIALIZES INITIALIZING INITIALLY INITIALS INITIATE INITIATED INITIATES INITIATING INITIATION INITIATIONS INITIATIVE INITIATIVES INITIATOR INITIATORS INJECT INJECTED INJECTING INJECTION INJECTIONS INJECTIVE INJECTS INJUDICIOUS INJUN INJUNCTION INJUNCTIONS INJUNS INJURE INJURED INJURES INJURIES INJURING INJURIOUS INJURY INJUSTICE INJUSTICES INK INKED INKER INKERS INKING INKINGS INKLING INKLINGS INKS INLAID INLAND INLAY INLET INLETS INLINE INMAN INMATE INMATES INN INNARDS INNATE INNATELY INNER INNERMOST INNING INNINGS INNOCENCE INNOCENT INNOCENTLY INNOCENTS INNOCUOUS INNOCUOUSLY INNOCUOUSNESS INNOVATE INNOVATION INNOVATIONS INNOVATIVE INNS INNUENDO INNUMERABILITY INNUMERABLE INNUMERABLY INOCULATE INOPERABLE INOPERATIVE INOPPORTUNE INORDINATE INORDINATELY INORGANIC INPUT INPUTS INQUEST INQUIRE INQUIRED INQUIRER INQUIRERS INQUIRES INQUIRIES INQUIRING INQUIRY INQUISITION INQUISITIONS INQUISITIVE INQUISITIVELY INQUISITIVENESS INROAD INROADS INSANE INSANELY INSANITY INSATIABLE INSCRIBE INSCRIBED INSCRIBES INSCRIBING INSCRIPTION INSCRIPTIONS INSCRUTABLE INSECT INSECTICIDE INSECTS INSECURE INSECURELY INSEMINATE INSENSIBLE INSENSITIVE INSENSITIVELY INSENSITIVITY INSEPARABLE INSERT INSERTED INSERTING INSERTION INSERTIONS INSERTS INSET INSIDE INSIDER INSIDERS INSIDES INSIDIOUS INSIDIOUSLY INSIDIOUSNESS INSIGHT INSIGHTFUL INSIGHTS INSIGNIA INSIGNIFICANCE INSIGNIFICANT INSINCERE INSINCERITY INSINUATE INSINUATED INSINUATES INSINUATING INSINUATION INSINUATIONS INSIPID INSIST INSISTED INSISTENCE INSISTENT INSISTENTLY INSISTING INSISTS INSOFAR INSOLENCE INSOLENT INSOLENTLY INSOLUBLE INSOLVABLE INSOLVENT INSOMNIA INSOMNIAC INSPECT INSPECTED INSPECTING INSPECTION INSPECTIONS INSPECTOR INSPECTORS INSPECTS INSPIRATION INSPIRATIONS INSPIRE INSPIRED INSPIRER INSPIRES INSPIRING INSTABILITIES INSTABILITY INSTALL INSTALLATION INSTALLATIONS INSTALLED INSTALLER INSTALLERS INSTALLING INSTALLMENT INSTALLMENTS INSTALLS INSTANCE INSTANCES INSTANT INSTANTANEOUS INSTANTANEOUSLY INSTANTER INSTANTIATE INSTANTIATED INSTANTIATES INSTANTIATING INSTANTIATION INSTANTIATIONS INSTANTLY INSTANTS INSTEAD INSTIGATE INSTIGATED INSTIGATES INSTIGATING INSTIGATOR INSTIGATORS INSTILL INSTINCT INSTINCTIVE INSTINCTIVELY INSTINCTS INSTINCTUAL INSTITUTE INSTITUTED INSTITUTER INSTITUTERS INSTITUTES INSTITUTING INSTITUTION INSTITUTIONAL INSTITUTIONALIZE INSTITUTIONALIZED INSTITUTIONALIZES INSTITUTIONALIZING INSTITUTIONALLY INSTITUTIONS INSTRUCT INSTRUCTED INSTRUCTING INSTRUCTION INSTRUCTIONAL INSTRUCTIONS INSTRUCTIVE INSTRUCTIVELY INSTRUCTOR INSTRUCTORS INSTRUCTS INSTRUMENT INSTRUMENTAL INSTRUMENTALIST INSTRUMENTALISTS INSTRUMENTALLY INSTRUMENTALS INSTRUMENTATION INSTRUMENTED INSTRUMENTING INSTRUMENTS INSUBORDINATE INSUFFERABLE INSUFFICIENT INSUFFICIENTLY INSULAR INSULATE INSULATED INSULATES INSULATING INSULATION INSULATOR INSULATORS INSULIN INSULT INSULTED INSULTING INSULTS INSUPERABLE INSUPPORTABLE INSURANCE INSURE INSURED INSURER INSURERS INSURES INSURGENT INSURGENTS INSURING INSURMOUNTABLE INSURRECTION INSURRECTIONS INTACT INTANGIBLE INTANGIBLES INTEGER INTEGERS INTEGRABLE INTEGRAL INTEGRALS INTEGRAND INTEGRATE INTEGRATED INTEGRATES INTEGRATING INTEGRATION INTEGRATIONS INTEGRATIVE INTEGRITY INTEL INTELLECT INTELLECTS INTELLECTUAL INTELLECTUALLY INTELLECTUALS INTELLIGENCE INTELLIGENT INTELLIGENTLY INTELLIGENTSIA INTELLIGIBILITY INTELLIGIBLE INTELLIGIBLY INTELSAT INTEMPERATE INTEND INTENDED INTENDING INTENDS INTENSE INTENSELY INTENSIFICATION INTENSIFIED INTENSIFIER INTENSIFIERS INTENSIFIES INTENSIFY INTENSIFYING INTENSITIES INTENSITY INTENSIVE INTENSIVELY INTENT INTENTION INTENTIONAL INTENTIONALLY INTENTIONED INTENTIONS INTENTLY INTENTNESS INTENTS INTER INTERACT INTERACTED INTERACTING INTERACTION INTERACTIONS INTERACTIVE INTERACTIVELY INTERACTIVITY INTERACTS INTERCEPT INTERCEPTED INTERCEPTING INTERCEPTION INTERCEPTOR INTERCEPTS INTERCHANGE INTERCHANGEABILITY INTERCHANGEABLE INTERCHANGEABLY INTERCHANGED INTERCHANGER INTERCHANGES INTERCHANGING INTERCHANGINGS INTERCHANNEL INTERCITY INTERCOM INTERCOMMUNICATE INTERCOMMUNICATED INTERCOMMUNICATES INTERCOMMUNICATING INTERCOMMUNICATION INTERCONNECT INTERCONNECTED INTERCONNECTING INTERCONNECTION INTERCONNECTIONS INTERCONNECTS INTERCONTINENTAL INTERCOURSE INTERDATA INTERDEPENDENCE INTERDEPENDENCIES INTERDEPENDENCY INTERDEPENDENT INTERDICT INTERDICTION INTERDISCIPLINARY INTEREST INTERESTED INTERESTING INTERESTINGLY INTERESTS INTERFACE INTERFACED INTERFACER INTERFACES INTERFACING INTERFERE INTERFERED INTERFERENCE INTERFERENCES INTERFERES INTERFERING INTERFERINGLY INTERFEROMETER INTERFEROMETRIC INTERFEROMETRY INTERFRAME INTERGROUP INTERIM INTERIOR INTERIORS INTERJECT INTERLACE INTERLACED INTERLACES INTERLACING INTERLEAVE INTERLEAVED INTERLEAVES INTERLEAVING INTERLINK INTERLINKED INTERLINKS INTERLISP INTERMEDIARY INTERMEDIATE INTERMEDIATES INTERMINABLE INTERMINGLE INTERMINGLED INTERMINGLES INTERMINGLING INTERMISSION INTERMITTENT INTERMITTENTLY INTERMIX INTERMIXED INTERMODULE INTERN INTERNAL INTERNALIZE INTERNALIZED INTERNALIZES INTERNALIZING INTERNALLY INTERNALS INTERNATIONAL INTERNATIONALITY INTERNATIONALLY INTERNED INTERNET INTERNET INTERNETWORK INTERNING INTERNS INTERNSHIP INTEROFFICE INTERPERSONAL INTERPLAY INTERPOL INTERPOLATE INTERPOLATED INTERPOLATES INTERPOLATING INTERPOLATION INTERPOLATIONS INTERPOSE INTERPOSED INTERPOSES INTERPOSING INTERPRET INTERPRETABLE INTERPRETATION INTERPRETATIONS INTERPRETED INTERPRETER INTERPRETERS INTERPRETING INTERPRETIVE INTERPRETIVELY INTERPRETS INTERPROCESS INTERRELATE INTERRELATED INTERRELATES INTERRELATING INTERRELATION INTERRELATIONS INTERRELATIONSHIP INTERRELATIONSHIPS INTERROGATE INTERROGATED INTERROGATES INTERROGATING INTERROGATION INTERROGATIONS INTERROGATIVE INTERRUPT INTERRUPTED INTERRUPTIBLE INTERRUPTING INTERRUPTION INTERRUPTIONS INTERRUPTIVE INTERRUPTS INTERSECT INTERSECTED INTERSECTING INTERSECTION INTERSECTIONS INTERSECTS INTERSPERSE INTERSPERSED INTERSPERSES INTERSPERSING INTERSPERSION INTERSTAGE INTERSTATE INTERTWINE INTERTWINED INTERTWINES INTERTWINING INTERVAL INTERVALS INTERVENE INTERVENED INTERVENES INTERVENING INTERVENTION INTERVENTIONS INTERVIEW INTERVIEWED INTERVIEWEE INTERVIEWER INTERVIEWERS INTERVIEWING INTERVIEWS INTERWOVEN INTESTATE INTESTINAL INTESTINE INTESTINES INTIMACY INTIMATE INTIMATED INTIMATELY INTIMATING INTIMATION INTIMATIONS INTIMIDATE INTIMIDATED INTIMIDATES INTIMIDATING INTIMIDATION INTO INTOLERABLE INTOLERABLY INTOLERANCE INTOLERANT INTONATION INTONATIONS INTONE INTOXICANT INTOXICATE INTOXICATED INTOXICATING INTOXICATION INTRACTABILITY INTRACTABLE INTRACTABLY INTRAGROUP INTRALINE INTRAMURAL INTRAMUSCULAR INTRANSIGENT INTRANSITIVE INTRANSITIVELY INTRAOFFICE INTRAPROCESS INTRASTATE INTRAVENOUS INTREPID INTRICACIES INTRICACY INTRICATE INTRICATELY INTRIGUE INTRIGUED INTRIGUES INTRIGUING INTRINSIC INTRINSICALLY INTRODUCE INTRODUCED INTRODUCES INTRODUCING INTRODUCTION INTRODUCTIONS INTRODUCTORY INTROSPECT INTROSPECTION INTROSPECTIONS INTROSPECTIVE INTROVERT INTROVERTED INTRUDE INTRUDED INTRUDER INTRUDERS INTRUDES INTRUDING INTRUSION INTRUSIONS INTRUST INTUBATE INTUBATED INTUBATES INTUBATION INTUITION INTUITIONIST INTUITIONS INTUITIVE INTUITIVELY INUNDATE INVADE INVADED INVADER INVADERS INVADES INVADING INVALID INVALIDATE INVALIDATED INVALIDATES INVALIDATING INVALIDATION INVALIDATIONS INVALIDITIES INVALIDITY INVALIDLY INVALIDS INVALUABLE INVARIABLE INVARIABLY INVARIANCE INVARIANT INVARIANTLY INVARIANTS INVASION INVASIONS INVECTIVE INVENT INVENTED INVENTING INVENTION INVENTIONS INVENTIVE INVENTIVELY INVENTIVENESS INVENTOR INVENTORIES INVENTORS INVENTORY INVENTS INVERNESS INVERSE INVERSELY INVERSES INVERSION INVERSIONS INVERT INVERTEBRATE INVERTEBRATES INVERTED INVERTER INVERTERS INVERTIBLE INVERTING INVERTS INVEST INVESTED INVESTIGATE INVESTIGATED INVESTIGATES INVESTIGATING INVESTIGATION INVESTIGATIONS INVESTIGATIVE INVESTIGATOR INVESTIGATORS INVESTIGATORY INVESTING INVESTMENT INVESTMENTS INVESTOR INVESTORS INVESTS INVETERATE INVIGORATE INVINCIBLE INVISIBILITY INVISIBLE INVISIBLY INVITATION INVITATIONS INVITE INVITED INVITES INVITING INVOCABLE INVOCATION INVOCATIONS INVOICE INVOICED INVOICES INVOICING INVOKE INVOKED INVOKER INVOKES INVOKING INVOLUNTARILY INVOLUNTARY INVOLVE INVOLVED INVOLVEMENT INVOLVEMENTS INVOLVES INVOLVING INWARD INWARDLY INWARDNESS INWARDS IODINE ION IONIAN IONIANS IONICIZATION IONICIZATIONS IONICIZE IONICIZES IONOSPHERE IONOSPHERIC IONS IOTA IOWA IRA IRAN IRANIAN IRANIANS IRANIZE IRANIZES IRAQ IRAQI IRAQIS IRATE IRATELY IRATENESS IRE IRELAND IRENE IRES IRIS IRISH IRISHIZE IRISHIZES IRISHMAN IRISHMEN IRK IRKED IRKING IRKS IRKSOME IRMA IRON IRONED IRONIC IRONICAL IRONICALLY IRONIES IRONING IRONINGS IRONS IRONY IROQUOIS IRRADIATE IRRATIONAL IRRATIONALLY IRRATIONALS IRRAWADDY IRRECONCILABLE IRRECOVERABLE IRREDUCIBLE IRREDUCIBLY IRREFLEXIVE IRREFUTABLE IRREGULAR IRREGULARITIES IRREGULARITY IRREGULARLY IRREGULARS IRRELEVANCE IRRELEVANCES IRRELEVANT IRRELEVANTLY IRREPLACEABLE IRREPRESSIBLE IRREPRODUCIBILITY IRREPRODUCIBLE IRRESISTIBLE IRRESPECTIVE IRRESPECTIVELY IRRESPONSIBLE IRRESPONSIBLY IRRETRIEVABLY IRREVERENT IRREVERSIBILITY IRREVERSIBLE IRREVERSIBLY IRREVOCABLE IRREVOCABLY IRRIGATE IRRIGATED IRRIGATES IRRIGATING IRRIGATION IRRITABLE IRRITANT IRRITATE IRRITATED IRRITATES IRRITATING IRRITATION IRRITATIONS IRVIN IRVINE IRVING IRWIN ISAAC ISAACS ISAACSON ISABEL ISABELLA ISADORE ISAIAH ISFAHAN ISING ISIS ISLAM ISLAMABAD ISLAMIC ISLAMIZATION ISLAMIZATIONS ISLAMIZE ISLAMIZES ISLAND ISLANDER ISLANDERS ISLANDIA ISLANDS ISLE ISLES ISLET ISLETS ISOLATE ISOLATED ISOLATES ISOLATING ISOLATION ISOLATIONS ISOLDE ISOMETRIC ISOMORPHIC ISOMORPHICALLY ISOMORPHISM ISOMORPHISMS ISOTOPE ISOTOPES ISRAEL ISRAELI ISRAELIS ISRAELITE ISRAELITES ISRAELITIZE ISRAELITIZES ISSUANCE ISSUE ISSUED ISSUER ISSUERS ISSUES ISSUING ISTANBUL ISTHMUS ISTVAN ITALIAN ITALIANIZATION ITALIANIZATIONS ITALIANIZE ITALIANIZER ITALIANIZERS ITALIANIZES ITALIANS ITALIC ITALICIZE ITALICIZED ITALICS ITALY ITCH ITCHES ITCHING ITEL ITEM ITEMIZATION ITEMIZATIONS ITEMIZE ITEMIZED ITEMIZES ITEMIZING ITEMS ITERATE ITERATED ITERATES ITERATING ITERATION ITERATIONS ITERATIVE ITERATIVELY ITERATOR ITERATORS ITHACA ITHACAN ITINERARIES ITINERARY ITO ITS ITSELF IVAN IVANHOE IVERSON IVIES IVORY IVY IZAAK IZVESTIA JAB JABBED JABBING JABLONSKY JABS JACK JACKASS JACKET JACKETED JACKETS JACKIE JACKING JACKKNIFE JACKMAN JACKPOT JACKSON JACKSONIAN JACKSONS JACKSONVILLE JACKY JACOB JACOBEAN JACOBI JACOBIAN JACOBINIZE JACOBITE JACOBS JACOBSEN JACOBSON JACOBUS JACOBY JACQUELINE JACQUES JADE JADED JAEGER JAGUAR JAIL JAILED JAILER JAILERS JAILING JAILS JAIME JAKARTA JAKE JAKES JAM JAMAICA JAMAICAN JAMES JAMESON JAMESTOWN JAMMED JAMMING JAMS JANE JANEIRO JANESVILLE JANET JANICE JANIS JANITOR JANITORS JANOS JANSEN JANSENIST JANUARIES JANUARY JANUS JAPAN JAPANESE JAPANIZATION JAPANIZATIONS JAPANIZE JAPANIZED JAPANIZES JAPANIZING JAR JARGON JARRED JARRING JARRINGLY JARS JARVIN JASON JASTROW JAUNDICE JAUNT JAUNTINESS JAUNTS JAUNTY JAVA JAVANESE JAVELIN JAVELINS JAW JAWBONE JAWS JAY JAYCEE JAYCEES JAZZ JAZZY JEALOUS JEALOUSIES JEALOUSLY JEALOUSY JEAN JEANNE JEANNIE JEANS JED JEEP JEEPS JEER JEERS JEFF JEFFERSON JEFFERSONIAN JEFFERSONIANS JEFFREY JEHOVAH JELLIES JELLO JELLY JELLYFISH JENKINS JENNIE JENNIFER JENNINGS JENNY JENSEN JEOPARDIZE JEOPARDIZED JEOPARDIZES JEOPARDIZING JEOPARDY JEREMIAH JEREMY JERES JERICHO JERK JERKED JERKINESS JERKING JERKINGS JERKS JERKY JEROBOAM JEROME JERRY JERSEY JERSEYS JERUSALEM JESSE JESSICA JESSIE JESSY JEST JESTED JESTER JESTING JESTS JESUIT JESUITISM JESUITIZE JESUITIZED JESUITIZES JESUITIZING JESUITS JESUS JET JETLINER JETS JETTED JETTING JEW JEWEL JEWELED JEWELER JEWELL JEWELLED JEWELRIES JEWELRY JEWELS JEWETT JEWISH JEWISHNESS JEWS JIFFY JIG JIGS JIGSAW JILL JIM JIMENEZ JIMMIE JINGLE JINGLED JINGLING JINNY JITTER JITTERBUG JITTERY JOAN JOANNA JOANNE JOAQUIN JOB JOBREL JOBS JOCKEY JOCKSTRAP JOCUND JODY JOE JOEL JOES JOG JOGGING JOGS JOHANN JOHANNA JOHANNES JOHANNESBURG JOHANSEN JOHANSON JOHN JOHNNIE JOHNNY JOHNS JOHNSEN JOHNSON JOHNSTON JOHNSTOWN JOIN JOINED JOINER JOINERS JOINING JOINS JOINT JOINTLY JOINTS JOKE JOKED JOKER JOKERS JOKES JOKING JOKINGLY JOLIET JOLLA JOLLY JOLT JOLTED JOLTING JOLTS JON JONAS JONATHAN JONATHANIZATION JONATHANIZATIONS JONES JONESES JONQUIL JOPLIN JORDAN JORDANIAN JORGE JORGENSEN JORGENSON JOSE JOSEF JOSEPH JOSEPHINE JOSEPHSON JOSEPHUS JOSHUA JOSIAH JOSTLE JOSTLED JOSTLES JOSTLING JOT JOTS JOTTED JOTTING JOULE JOURNAL JOURNALISM JOURNALIST JOURNALISTS JOURNALIZE JOURNALIZED JOURNALIZES JOURNALIZING JOURNALS JOURNEY JOURNEYED JOURNEYING JOURNEYINGS JOURNEYMAN JOURNEYMEN JOURNEYS JOUST JOUSTED JOUSTING JOUSTS JOVANOVICH JOVE JOVIAL JOVIAN JOY JOYCE JOYFUL JOYFULLY JOYOUS JOYOUSLY JOYOUSNESS JOYRIDE JOYS JOYSTICK JUAN JUANITA JUBAL JUBILEE JUDAICA JUDAISM JUDAS JUDD JUDDER JUDDERED JUDDERING JUDDERS JUDE JUDEA JUDGE JUDGED JUDGES JUDGING JUDGMENT JUDGMENTS JUDICIAL JUDICIARY JUDICIOUS JUDICIOUSLY JUDITH JUDO JUDSON JUDY JUG JUGGLE JUGGLER JUGGLERS JUGGLES JUGGLING JUGOSLAVIA JUGS JUICE JUICES JUICIEST JUICY JUKES JULES JULIA JULIAN JULIE JULIES JULIET JULIO JULIUS JULY JUMBLE JUMBLED JUMBLES JUMBO JUMP JUMPED JUMPER JUMPERS JUMPING JUMPS JUMPY JUNCTION JUNCTIONS JUNCTURE JUNCTURES JUNE JUNEAU JUNES JUNG JUNGIAN JUNGLE JUNGLES JUNIOR JUNIORS JUNIPER JUNK JUNKER JUNKERS JUNKS JUNKY JUNO JUNTA JUPITER JURA JURAS JURASSIC JURE JURIES JURISDICTION JURISDICTIONS JURISPRUDENCE JURIST JUROR JURORS JURY JUST JUSTICE JUSTICES JUSTIFIABLE JUSTIFIABLY JUSTIFICATION JUSTIFICATIONS JUSTIFIED JUSTIFIER JUSTIFIERS JUSTIFIES JUSTIFY JUSTIFYING JUSTINE JUSTINIAN JUSTLY JUSTNESS JUT JUTISH JUTLAND JUTTING JUVENILE JUVENILES JUXTAPOSE JUXTAPOSED JUXTAPOSES JUXTAPOSING KABUKI KABUL KADDISH KAFKA KAFKAESQUE KAHN KAJAR KALAMAZOO KALI KALMUK KAMCHATKA KAMIKAZE KAMIKAZES KAMPALA KAMPUCHEA KANARESE KANE KANGAROO KANJI KANKAKEE KANNADA KANSAS KANT KANTIAN KAPLAN KAPPA KARACHI KARAMAZOV KARATE KAREN KARL KAROL KARP KASHMIR KASKASKIA KATE KATHARINE KATHERINE KATHLEEN KATHY KATIE KATMANDU KATOWICE KATZ KAUFFMAN KAUFMAN KAY KEATON KEATS KEEGAN KEEL KEELED KEELING KEELS KEEN KEENAN KEENER KEENEST KEENLY KEENNESS KEEP KEEPER KEEPERS KEEPING KEEPS KEITH KELLER KELLEY KELLOGG KELLY KELSEY KELVIN KEMP KEN KENDALL KENILWORTH KENNAN KENNECOTT KENNEDY KENNEL KENNELS KENNETH KENNEY KENNING KENNY KENOSHA KENSINGTON KENT KENTON KENTUCKY KENYA KENYON KEPLER KEPT KERCHIEF KERCHIEFS KERMIT KERN KERNEL KERNELS KERNIGHAN KEROSENE KEROUAC KERR KESSLER KETCHUP KETTERING KETTLE KETTLES KEVIN KEWASKUM KEWAUNEE KEY KEYBOARD KEYBOARDS KEYED KEYES KEYHOLE KEYING KEYNES KEYNESIAN KEYNOTE KEYPAD KEYPADS KEYS KEYSTROKE KEYSTROKES KEYWORD KEYWORDS KHARTOUM KHMER KHRUSHCHEV KHRUSHCHEVS KICK KICKAPOO KICKED KICKER KICKERS KICKING KICKOFF KICKS KID KIDDE KIDDED KIDDIE KIDDING KIDNAP KIDNAPPER KIDNAPPERS KIDNAPPING KIDNAPPINGS KIDNAPS KIDNEY KIDNEYS KIDS KIEFFER KIEL KIEV KIEWIT KIGALI KIKUYU KILGORE KILIMANJARO KILL KILLEBREW KILLED KILLER KILLERS KILLING KILLINGLY KILLINGS KILLJOY KILLS KILOBIT KILOBITS KILOBLOCK KILOBYTE KILOBYTES KILOGRAM KILOGRAMS KILOHERTZ KILOHM KILOJOULE KILOMETER KILOMETERS KILOTON KILOVOLT KILOWATT KILOWORD KIM KIMBALL KIMBERLY KIMONO KIN KIND KINDER KINDERGARTEN KINDEST KINDHEARTED KINDLE KINDLED KINDLES KINDLING KINDLY KINDNESS KINDRED KINDS KINETIC KING KINGDOM KINGDOMS KINGLY KINGPIN KINGS KINGSBURY KINGSLEY KINGSTON KINGSTOWN KINGWOOD KINK KINKY KINNEY KINNICKINNIC KINSEY KINSHASHA KINSHIP KINSMAN KIOSK KIOWA KIPLING KIRBY KIRCHNER KIRCHOFF KIRK KIRKLAND KIRKPATRICK KIRKWOOD KIROV KISS KISSED KISSER KISSERS KISSES KISSING KIT KITAKYUSHU KITCHEN KITCHENETTE KITCHENS KITE KITED KITES KITING KITS KITTEN KITTENISH KITTENS KITTY KIWANIS KLAN KLAUS KLAXON KLEIN KLEINROCK KLINE KLUDGE KLUDGES KLUX KLYSTRON KNACK KNAPP KNAPSACK KNAPSACKS KNAUER KNAVE KNAVES KNEAD KNEADS KNEE KNEECAP KNEED KNEEING KNEEL KNEELED KNEELING KNEELS KNEES KNELL KNELLS KNELT KNEW KNICKERBOCKER KNICKERBOCKERS KNIFE KNIFED KNIFES KNIFING KNIGHT KNIGHTED KNIGHTHOOD KNIGHTING KNIGHTLY KNIGHTS KNIGHTSBRIDGE KNIT KNITS KNIVES KNOB KNOBELOCH KNOBS KNOCK KNOCKDOWN KNOCKED KNOCKER KNOCKERS KNOCKING KNOCKOUT KNOCKS KNOLL KNOLLS KNOSSOS KNOT KNOTS KNOTT KNOTTED KNOTTING KNOW KNOWABLE KNOWER KNOWHOW KNOWING KNOWINGLY KNOWLEDGE KNOWLEDGEABLE KNOWLES KNOWLTON KNOWN KNOWS KNOX KNOXVILLE KNUCKLE KNUCKLED KNUCKLES KNUDSEN KNUDSON KNUTH KNUTSEN KNUTSON KOALA KOBAYASHI KOCH KOCHAB KODACHROME KODAK KODIAK KOENIG KOENIGSBERG KOHLER KONG KONRAD KOPPERS KORAN KOREA KOREAN KOREANS KOSHER KOVACS KOWALEWSKI KOWALSKI KOWLOON KOWTOW KRAEMER KRAKATOA KRAKOW KRAMER KRAUSE KREBS KREMLIN KRESGE KRIEGER KRISHNA KRISTIN KRONECKER KRUEGER KRUGER KRUSE KUALA KUDO KUENNING KUHN KUMAR KURD KURDISH KURT KUWAIT KUWAITI KYOTO LAB LABAN LABEL LABELED LABELING LABELLED LABELLER LABELLERS LABELLING LABELS LABOR LABORATORIES LABORATORY LABORED LABORER LABORERS LABORING LABORINGS LABORIOUS LABORIOUSLY LABORS LABRADOR LABS LABYRINTH LABYRINTHS LAC LACE LACED LACERATE LACERATED LACERATES LACERATING LACERATION LACERATIONS LACERTA LACES LACEY LACHESIS LACING LACK LACKAWANNA LACKED LACKEY LACKING LACKS LACQUER LACQUERED LACQUERS LACROSSE LACY LAD LADDER LADEN LADIES LADING LADLE LADS LADY LADYLIKE LAFAYETTE LAG LAGER LAGERS LAGOON LAGOONS LAGOS LAGRANGE LAGRANGIAN LAGS LAGUERRE LAGUNA LAHORE LAID LAIDLAW LAIN LAIR LAIRS LAISSEZ LAKE LAKEHURST LAKES LAKEWOOD LAMAR LAMARCK LAMB LAMBDA LAMBDAS LAMBERT LAMBS LAME LAMED LAMELY LAMENESS LAMENT LAMENTABLE LAMENTATION LAMENTATIONS LAMENTED LAMENTING LAMENTS LAMES LAMINAR LAMING LAMP LAMPLIGHT LAMPOON LAMPORT LAMPREY LAMPS LANA LANCASHIRE LANCASTER LANCE LANCED LANCELOT LANCER LANCES LAND LANDED LANDER LANDERS LANDFILL LANDING LANDINGS LANDIS LANDLADIES LANDLADY LANDLORD LANDLORDS LANDMARK LANDMARKS LANDOWNER LANDOWNERS LANDS LANDSCAPE LANDSCAPED LANDSCAPES LANDSCAPING LANDSLIDE LANDWEHR LANE LANES LANG LANGE LANGELAND LANGFORD LANGLEY LANGMUIR LANGUAGE LANGUAGES LANGUID LANGUIDLY LANGUIDNESS LANGUISH LANGUISHED LANGUISHES LANGUISHING LANKA LANSING LANTERN LANTERNS LAO LAOCOON LAOS LAOTIAN LAOTIANS LAP LAPEL LAPELS LAPLACE LAPLACIAN LAPPING LAPS LAPSE LAPSED LAPSES LAPSING LARAMIE LARD LARDER LAREDO LARES LARGE LARGELY LARGENESS LARGER LARGEST LARK LARKIN LARKS LARRY LARS LARSEN LARSON LARVA LARVAE LARYNX LASCIVIOUS LASER LASERS LASH LASHED LASHES LASHING LASHINGS LASS LASSES LASSO LAST LASTED LASTING LASTLY LASTS LASZLO LATCH LATCHED LATCHES LATCHING LATE LATELY LATENCY LATENESS LATENT LATER LATERAL LATERALLY LATERAN LATEST LATEX LATHE LATHROP LATIN LATINATE LATINITY LATINIZATION LATINIZATIONS LATINIZE LATINIZED LATINIZER LATINIZERS LATINIZES LATINIZING LATITUDE LATITUDES LATRINE LATRINES LATROBE LATTER LATTERLY LATTICE LATTICES LATTIMER LATVIA LAUDABLE LAUDERDALE LAUE LAUGH LAUGHABLE LAUGHABLY LAUGHED LAUGHING LAUGHINGLY LAUGHINGSTOCK LAUGHLIN LAUGHS LAUGHTER LAUNCH LAUNCHED LAUNCHER LAUNCHES LAUNCHING LAUNCHINGS LAUNDER LAUNDERED LAUNDERER LAUNDERING LAUNDERINGS LAUNDERS LAUNDROMAT LAUNDROMATS LAUNDRY LAUREATE LAUREL LAURELS LAUREN LAURENCE LAURENT LAURENTIAN LAURIE LAUSANNE LAVA LAVATORIES LAVATORY LAVENDER LAVISH LAVISHED LAVISHING LAVISHLY LAVOISIER LAW LAWBREAKER LAWFORD LAWFUL LAWFULLY LAWGIVER LAWLESS LAWLESSNESS LAWN LAWNS LAWRENCE LAWRENCEVILLE LAWS LAWSON LAWSUIT LAWSUITS LAWYER LAWYERS LAX LAXATIVE LAY LAYER LAYERED LAYERING LAYERS LAYING LAYMAN LAYMEN LAYOFF LAYOFFS LAYOUT LAYOUTS LAYS LAYTON LAZARUS LAZED LAZIER LAZIEST LAZILY LAZINESS LAZING LAZY LAZYBONES LEAD LEADED LEADEN LEADER LEADERS LEADERSHIP LEADERSHIPS LEADING LEADINGS LEADS LEAF LEAFED LEAFIEST LEAFING LEAFLESS LEAFLET LEAFLETS LEAFY LEAGUE LEAGUED LEAGUER LEAGUERS LEAGUES LEAK LEAKAGE LEAKAGES LEAKED LEAKING LEAKS LEAKY LEAN LEANDER LEANED LEANER LEANEST LEANING LEANNESS LEANS LEAP LEAPED LEAPFROG LEAPING LEAPS LEAPT LEAR LEARN LEARNED LEARNER LEARNERS LEARNING LEARNS LEARY LEASE LEASED LEASES LEASH LEASHES LEASING LEAST LEATHER LEATHERED LEATHERN LEATHERNECK LEATHERS LEAVE LEAVED LEAVEN LEAVENED LEAVENING LEAVENWORTH LEAVES LEAVING LEAVINGS LEBANESE LEBANON LEBESGUE LECHERY LECTURE LECTURED LECTURER LECTURERS LECTURES LECTURING LED LEDGE LEDGER LEDGERS LEDGES LEE LEECH LEECHES LEEDS LEEK LEER LEERY LEES LEEUWENHOEK LEEWARD LEEWAY LEFT LEFTIST LEFTISTS LEFTMOST LEFTOVER LEFTOVERS LEFTWARD LEG LEGACIES LEGACY LEGAL LEGALITY LEGALIZATION LEGALIZE LEGALIZED LEGALIZES LEGALIZING LEGALLY LEGEND LEGENDARY LEGENDRE LEGENDS LEGER LEGERS LEGGED LEGGINGS LEGIBILITY LEGIBLE LEGIBLY LEGION LEGIONS LEGISLATE LEGISLATED LEGISLATES LEGISLATING LEGISLATION LEGISLATIVE LEGISLATOR LEGISLATORS LEGISLATURE LEGISLATURES LEGITIMACY LEGITIMATE LEGITIMATELY LEGS LEGUME LEHIGH LEHMAN LEIBNIZ LEIDEN LEIGH LEIGHTON LEILA LEIPZIG LEISURE LEISURELY LELAND LEMKE LEMMA LEMMAS LEMMING LEMMINGS LEMON LEMONADE LEMONS LEMUEL LEN LENA LEND LENDER LENDERS LENDING LENDS LENGTH LENGTHEN LENGTHENED LENGTHENING LENGTHENS LENGTHLY LENGTHS LENGTHWISE LENGTHY LENIENCY LENIENT LENIENTLY LENIN LENINGRAD LENINISM LENINIST LENNOX LENNY LENORE LENS LENSES LENT LENTEN LENTIL LENTILS LEO LEON LEONA LEONARD LEONARDO LEONE LEONID LEOPARD LEOPARDS LEOPOLD LEOPOLDVILLE LEPER LEPROSY LEROY LESBIAN LESBIANS LESLIE LESOTHO LESS LESSEN LESSENED LESSENING LESSENS LESSER LESSON LESSONS LESSOR LEST LESTER LET LETHAL LETHE LETITIA LETS LETTER LETTERED LETTERER LETTERHEAD LETTERING LETTERS LETTING LETTUCE LEUKEMIA LEV LEVEE LEVEES LEVEL LEVELED LEVELER LEVELING LEVELLED LEVELLER LEVELLEST LEVELLING LEVELLY LEVELNESS LEVELS LEVER LEVERAGE LEVERS LEVI LEVIABLE LEVIED LEVIES LEVIN LEVINE LEVIS LEVITICUS LEVITT LEVITY LEVY LEVYING LEW LEWD LEWDLY LEWDNESS LEWELLYN LEXICAL LEXICALLY LEXICOGRAPHIC LEXICOGRAPHICAL LEXICOGRAPHICALLY LEXICON LEXICONS LEXINGTON LEYDEN LIABILITIES LIABILITY LIABLE LIAISON LIAISONS LIAR LIARS LIBEL LIBELOUS LIBERACE LIBERAL LIBERALIZE LIBERALIZED LIBERALIZES LIBERALIZING LIBERALLY LIBERALS LIBERATE LIBERATED LIBERATES LIBERATING LIBERATION LIBERATOR LIBERATORS LIBERIA LIBERTARIAN LIBERTIES LIBERTY LIBIDO LIBRARIAN LIBRARIANS LIBRARIES LIBRARY LIBRETTO LIBREVILLE LIBYA LIBYAN LICE LICENSE LICENSED LICENSEE LICENSES LICENSING LICENSOR LICENTIOUS LICHEN LICHENS LICHTER LICK LICKED LICKING LICKS LICORICE LID LIDS LIE LIEBERMAN LIECHTENSTEIN LIED LIEGE LIEN LIENS LIES LIEU LIEUTENANT LIEUTENANTS LIFE LIFEBLOOD LIFEBOAT LIFEGUARD LIFELESS LIFELESSNESS LIFELIKE LIFELONG LIFER LIFESPAN LIFESTYLE LIFESTYLES LIFETIME LIFETIMES LIFT LIFTED LIFTER LIFTERS LIFTING LIFTS LIGAMENT LIGATURE LIGGET LIGGETT LIGHT LIGHTED LIGHTEN LIGHTENS LIGHTER LIGHTERS LIGHTEST LIGHTFACE LIGHTHEARTED LIGHTHOUSE LIGHTHOUSES LIGHTING LIGHTLY LIGHTNESS LIGHTNING LIGHTNINGS LIGHTS LIGHTWEIGHT LIKE LIKED LIKELIER LIKELIEST LIKELIHOOD LIKELIHOODS LIKELINESS LIKELY LIKEN LIKENED LIKENESS LIKENESSES LIKENING LIKENS LIKES LIKEWISE LIKING LILA LILAC LILACS LILIAN LILIES LILLIAN LILLIPUT LILLIPUTIAN LILLIPUTIANIZE LILLIPUTIANIZES LILLY LILY LIMA LIMAN LIMB LIMBER LIMBO LIMBS LIME LIMELIGHT LIMERICK LIMES LIMESTONE LIMIT LIMITABILITY LIMITABLY LIMITATION LIMITATIONS LIMITED LIMITER LIMITERS LIMITING LIMITLESS LIMITS LIMOUSINE LIMP LIMPED LIMPING LIMPLY LIMPNESS LIMPS LIN LINCOLN LIND LINDA LINDBERG LINDBERGH LINDEN LINDHOLM LINDQUIST LINDSAY LINDSEY LINDSTROM LINDY LINE LINEAR LINEARITIES LINEARITY LINEARIZABLE LINEARIZE LINEARIZED LINEARIZES LINEARIZING LINEARLY LINED LINEN LINENS LINER LINERS LINES LINEUP LINGER LINGERED LINGERIE LINGERING LINGERS LINGO LINGUA LINGUIST LINGUISTIC LINGUISTICALLY LINGUISTICS LINGUISTS LINING LININGS LINK LINKAGE LINKAGES LINKED LINKER LINKERS LINKING LINKS LINNAEUS LINOLEUM LINOTYPE LINSEED LINT LINTON LINUS LINUX LION LIONEL LIONESS LIONESSES LIONS LIP LIPPINCOTT LIPS LIPSCHITZ LIPSCOMB LIPSTICK LIPTON LIQUID LIQUIDATE LIQUIDATION LIQUIDATIONS LIQUIDITY LIQUIDS LIQUOR LIQUORS LISA LISBON LISE LISP LISPED LISPING LISPS LISS LISSAJOUS LIST LISTED LISTEN LISTENED LISTENER LISTENERS LISTENING LISTENS LISTER LISTERIZE LISTERIZES LISTERS LISTING LISTINGS LISTLESS LISTON LISTS LIT LITANY LITER LITERACY LITERAL LITERALLY LITERALNESS LITERALS LITERARY LITERATE LITERATURE LITERATURES LITERS LITHE LITHOGRAPH LITHOGRAPHY LITHUANIA LITHUANIAN LITIGANT LITIGATE LITIGATION LITIGIOUS LITMUS LITTER LITTERBUG LITTERED LITTERING LITTERS LITTLE LITTLENESS LITTLER LITTLEST LITTLETON LITTON LIVABLE LIVABLY LIVE LIVED LIVELIHOOD LIVELY LIVENESS LIVER LIVERIED LIVERMORE LIVERPOOL LIVERPUDLIAN LIVERS LIVERY LIVES LIVESTOCK LIVID LIVING LIVINGSTON LIZ LIZARD LIZARDS LIZZIE LIZZY LLOYD LOAD LOADED LOADER LOADERS LOADING LOADINGS LOADS LOAF LOAFED LOAFER LOAN LOANED LOANING LOANS LOATH LOATHE LOATHED LOATHING LOATHLY LOATHSOME LOAVES LOBBIED LOBBIES LOBBY LOBBYING LOBE LOBES LOBSTER LOBSTERS LOCAL LOCALITIES LOCALITY LOCALIZATION LOCALIZE LOCALIZED LOCALIZES LOCALIZING LOCALLY LOCALS LOCATE LOCATED LOCATES LOCATING LOCATION LOCATIONS LOCATIVE LOCATIVES LOCATOR LOCATORS LOCI LOCK LOCKE LOCKED LOCKER LOCKERS LOCKHART LOCKHEED LOCKIAN LOCKING LOCKINGS LOCKOUT LOCKOUTS LOCKS LOCKSMITH LOCKSTEP LOCKUP LOCKUPS LOCKWOOD LOCOMOTION LOCOMOTIVE LOCOMOTIVES LOCUS LOCUST LOCUSTS LODGE LODGED LODGER LODGES LODGING LODGINGS LODOWICK LOEB LOFT LOFTINESS LOFTS LOFTY LOGAN LOGARITHM LOGARITHMIC LOGARITHMICALLY LOGARITHMS LOGGED LOGGER LOGGERS LOGGING LOGIC LOGICAL LOGICALLY LOGICIAN LOGICIANS LOGICS LOGIN LOGINS LOGISTIC LOGISTICS LOGJAM LOGO LOGS LOIN LOINCLOTH LOINS LOIRE LOIS LOITER LOITERED LOITERER LOITERING LOITERS LOKI LOLA LOMB LOMBARD LOMBARDY LOME LONDON LONDONDERRY LONDONER LONDONIZATION LONDONIZATIONS LONDONIZE LONDONIZES LONE LONELIER LONELIEST LONELINESS LONELY LONER LONERS LONESOME LONG LONGED LONGER LONGEST LONGEVITY LONGFELLOW LONGHAND LONGING LONGINGS LONGITUDE LONGITUDES LONGS LONGSTANDING LONGSTREET LOOK LOOKAHEAD LOOKED LOOKER LOOKERS LOOKING LOOKOUT LOOKS LOOKUP LOOKUPS LOOM LOOMED LOOMING LOOMIS LOOMS LOON LOOP LOOPED LOOPHOLE LOOPHOLES LOOPING LOOPS LOOSE LOOSED LOOSELEAF LOOSELY LOOSEN LOOSENED LOOSENESS LOOSENING LOOSENS LOOSER LOOSES LOOSEST LOOSING LOOT LOOTED LOOTER LOOTING LOOTS LOPEZ LOPSIDED LORD LORDLY LORDS LORDSHIP LORE LORELEI LOREN LORENTZIAN LORENZ LORETTA LORINDA LORRAINE LORRY LOS LOSE LOSER LOSERS LOSES LOSING LOSS LOSSES LOSSIER LOSSIEST LOSSY LOST LOT LOTHARIO LOTION LOTS LOTTE LOTTERY LOTTIE LOTUS LOU LOUD LOUDER LOUDEST LOUDLY LOUDNESS LOUDSPEAKER LOUDSPEAKERS LOUIS LOUISA LOUISE LOUISIANA LOUISIANAN LOUISVILLE LOUNGE LOUNGED LOUNGES LOUNGING LOUNSBURY LOURDES LOUSE LOUSY LOUT LOUVRE LOVABLE LOVABLY LOVE LOVED LOVEJOY LOVELACE LOVELAND LOVELIER LOVELIES LOVELIEST LOVELINESS LOVELORN LOVELY LOVER LOVERS LOVES LOVING LOVINGLY LOW LOWE LOWELL LOWER LOWERED LOWERING LOWERS LOWEST LOWLAND LOWLANDS LOWLIEST LOWLY LOWNESS LOWRY LOWS LOY LOYAL LOYALLY LOYALTIES LOYALTY LOYOLA LUBBOCK LUBELL LUBRICANT LUBRICATE LUBRICATION LUCAS LUCERNE LUCIA LUCIAN LUCID LUCIEN LUCIFER LUCILLE LUCIUS LUCK LUCKED LUCKIER LUCKIEST LUCKILY LUCKLESS LUCKS LUCKY LUCRATIVE LUCRETIA LUCRETIUS LUCY LUDICROUS LUDICROUSLY LUDICROUSNESS LUDLOW LUDMILLA LUDWIG LUFTHANSA LUFTWAFFE LUGGAGE LUIS LUKE LUKEWARM LULL LULLABY LULLED LULLS LUMBER LUMBERED LUMBERING LUMINOUS LUMINOUSLY LUMMOX LUMP LUMPED LUMPING LUMPS LUMPUR LUMPY LUNAR LUNATIC LUNCH LUNCHED LUNCHEON LUNCHEONS LUNCHES LUNCHING LUND LUNDBERG LUNDQUIST LUNG LUNGED LUNGS LURA LURCH LURCHED LURCHES LURCHING LURE LURED LURES LURING LURK LURKED LURKING LURKS LUSAKA LUSCIOUS LUSCIOUSLY LUSCIOUSNESS LUSH LUST LUSTER LUSTFUL LUSTILY LUSTINESS LUSTROUS LUSTS LUSTY LUTE LUTES LUTHER LUTHERAN LUTHERANIZE LUTHERANIZER LUTHERANIZERS LUTHERANIZES LUTZ LUXEMBOURG LUXEMBURG LUXURIANT LUXURIANTLY LUXURIES LUXURIOUS LUXURIOUSLY LUXURY LUZON LYDIA LYING LYKES LYLE LYMAN LYMPH LYNCH LYNCHBURG LYNCHED LYNCHER LYNCHES LYNDON LYNN LYNX LYNXES LYON LYONS LYRA LYRE LYRIC LYRICS LYSENKO MABEL MAC MACADAMIA MACARTHUR MACARTHUR MACASSAR MACAULAY MACAULAYAN MACAULAYISM MACAULAYISMS MACBETH MACDONALD MACDONALD MACDOUGALL MACDOUGALL MACDRAW MACE MACED MACEDON MACEDONIA MACEDONIAN MACES MACGREGOR MACGREGOR MACH MACHIAVELLI MACHIAVELLIAN MACHINATION MACHINE MACHINED MACHINELIKE MACHINERY MACHINES MACHINING MACHO MACINTOSH MACINTOSH MACINTOSH MACKENZIE MACKENZIE MACKEREL MACKEY MACKINAC MACKINAW MACMAHON MACMILLAN MACMILLAN MACON MACPAINT MACRO MACROECONOMICS MACROMOLECULE MACROMOLECULES MACROPHAGE MACROS MACROSCOPIC MAD MADAGASCAR MADAM MADAME MADAMES MADDEN MADDENING MADDER MADDEST MADDOX MADE MADEIRA MADELEINE MADELINE MADHOUSE MADHYA MADISON MADLY MADMAN MADMEN MADNESS MADONNA MADONNAS MADRAS MADRID MADSEN MAE MAELSTROM MAESTRO MAFIA MAFIOSI MAGAZINE MAGAZINES MAGDALENE MAGELLAN MAGELLANIC MAGENTA MAGGIE MAGGOT MAGGOTS MAGIC MAGICAL MAGICALLY MAGICIAN MAGICIANS MAGILL MAGISTRATE MAGISTRATES MAGNA MAGNESIUM MAGNET MAGNETIC MAGNETICALLY MAGNETISM MAGNETISMS MAGNETIZABLE MAGNETIZED MAGNETO MAGNIFICATION MAGNIFICENCE MAGNIFICENT MAGNIFICENTLY MAGNIFIED MAGNIFIER MAGNIFIES MAGNIFY MAGNIFYING MAGNITUDE MAGNITUDES MAGNOLIA MAGNUM MAGNUSON MAGOG MAGPIE MAGRUDER MAGUIRE MAGUIRES MAHARASHTRA MAHAYANA MAHAYANIST MAHOGANY MAHONEY MAID MAIDEN MAIDENS MAIDS MAIER MAIL MAILABLE MAILBOX MAILBOXES MAILED MAILER MAILING MAILINGS MAILMAN MAILMEN MAILS MAIM MAIMED MAIMING MAIMS MAIN MAINE MAINFRAME MAINFRAMES MAINLAND MAINLINE MAINLY MAINS MAINSTAY MAINSTREAM MAINTAIN MAINTAINABILITY MAINTAINABLE MAINTAINED MAINTAINER MAINTAINERS MAINTAINING MAINTAINS MAINTENANCE MAINTENANCES MAIZE MAJESTIC MAJESTIES MAJESTY MAJOR MAJORCA MAJORED MAJORING MAJORITIES MAJORITY MAJORS MAKABLE MAKE MAKER MAKERS MAKES MAKESHIFT MAKEUP MAKEUPS MAKING MAKINGS MALABAR MALADIES MALADY MALAGASY MALAMUD MALARIA MALAWI MALAY MALAYIZE MALAYIZES MALAYSIA MALAYSIAN MALCOLM MALCONTENT MALDEN MALDIVE MALE MALEFACTOR MALEFACTORS MALENESS MALES MALEVOLENT MALFORMED MALFUNCTION MALFUNCTIONED MALFUNCTIONING MALFUNCTIONS MALI MALIBU MALICE MALICIOUS MALICIOUSLY MALICIOUSNESS MALIGN MALIGNANT MALIGNANTLY MALL MALLARD MALLET MALLETS MALLORY MALNUTRITION MALONE MALONEY MALPRACTICE MALRAUX MALT MALTA MALTED MALTESE MALTHUS MALTHUSIAN MALTON MALTS MAMA MAMMA MAMMAL MAMMALIAN MAMMALS MAMMAS MAMMOTH MAN MANAGE MANAGEABLE MANAGEABLENESS MANAGED MANAGEMENT MANAGEMENTS MANAGER MANAGERIAL MANAGERS MANAGES MANAGING MANAGUA MANAMA MANCHESTER MANCHURIA MANDARIN MANDATE MANDATED MANDATES MANDATING MANDATORY MANDELBROT MANDIBLE MANE MANES MANEUVER MANEUVERED MANEUVERING MANEUVERS MANFRED MANGER MANGERS MANGLE MANGLED MANGLER MANGLES MANGLING MANHATTAN MANHATTANIZE MANHATTANIZES MANHOLE MANHOOD MANIA MANIAC MANIACAL MANIACS MANIC MANICURE MANICURED MANICURES MANICURING MANIFEST MANIFESTATION MANIFESTATIONS MANIFESTED MANIFESTING MANIFESTLY MANIFESTS MANIFOLD MANIFOLDS MANILA MANIPULABILITY MANIPULABLE MANIPULATABLE MANIPULATE MANIPULATED MANIPULATES MANIPULATING MANIPULATION MANIPULATIONS MANIPULATIVE MANIPULATOR MANIPULATORS MANIPULATORY MANITOBA MANITOWOC MANKIND MANKOWSKI MANLEY MANLY MANN MANNED MANNER MANNERED MANNERLY MANNERS MANNING MANOMETER MANOMETERS MANOR MANORS MANPOWER MANS MANSFIELD MANSION MANSIONS MANSLAUGHTER MANTEL MANTELS MANTIS MANTISSA MANTISSAS MANTLE MANTLEPIECE MANTLES MANUAL MANUALLY MANUALS MANUEL MANUFACTURE MANUFACTURED MANUFACTURER MANUFACTURERS MANUFACTURES MANUFACTURING MANURE MANUSCRIPT MANUSCRIPTS MANVILLE MANY MAO MAORI MAP MAPLE MAPLECREST MAPLES MAPPABLE MAPPED MAPPING MAPPINGS MAPS MARATHON MARBLE MARBLES MARBLING MARC MARCEAU MARCEL MARCELLO MARCH MARCHED MARCHER MARCHES MARCHING MARCIA MARCO MARCOTTE MARCUS MARCY MARDI MARDIS MARE MARES MARGARET MARGARINE MARGERY MARGIN MARGINAL MARGINALLY MARGINS MARGO MARGUERITE MARIANNE MARIE MARIETTA MARIGOLD MARIJUANA MARILYN MARIN MARINA MARINADE MARINATE MARINE MARINER MARINES MARINO MARIO MARION MARIONETTE MARITAL MARITIME MARJORIE MARJORY MARK MARKABLE MARKED MARKEDLY MARKER MARKERS MARKET MARKETABILITY MARKETABLE MARKETED MARKETING MARKETINGS MARKETPLACE MARKETPLACES MARKETS MARKHAM MARKING MARKINGS MARKISM MARKOV MARKOVIAN MARKOVITZ MARKS MARLBORO MARLBOROUGH MARLENE MARLOWE MARMALADE MARMOT MAROON MARQUETTE MARQUIS MARRIAGE MARRIAGEABLE MARRIAGES MARRIED MARRIES MARRIOTT MARROW MARRY MARRYING MARS MARSEILLES MARSH MARSHA MARSHAL MARSHALED MARSHALING MARSHALL MARSHALLED MARSHALLING MARSHALS MARSHES MARSHMALLOW MART MARTEN MARTHA MARTIAL MARTIAN MARTIANS MARTINEZ MARTINGALE MARTINI MARTINIQUE MARTINSON MARTS MARTY MARTYR MARTYRDOM MARTYRS MARVEL MARVELED MARVELLED MARVELLING MARVELOUS MARVELOUSLY MARVELOUSNESS MARVELS MARVIN MARX MARXIAN MARXISM MARXISMS MARXIST MARY MARYLAND MARYLANDERS MASCARA MASCULINE MASCULINELY MASCULINITY MASERU MASH MASHED MASHES MASHING MASK MASKABLE MASKED MASKER MASKING MASKINGS MASKS MASOCHIST MASOCHISTS MASON MASONIC MASONITE MASONRY MASONS MASQUERADE MASQUERADER MASQUERADES MASQUERADING MASS MASSACHUSETTS MASSACRE MASSACRED MASSACRES MASSAGE MASSAGES MASSAGING MASSED MASSES MASSEY MASSING MASSIVE MAST MASTED MASTER MASTERED MASTERFUL MASTERFULLY MASTERING MASTERINGS MASTERLY MASTERMIND MASTERPIECE MASTERPIECES MASTERS MASTERY MASTODON MASTS MASTURBATE MASTURBATED MASTURBATES MASTURBATING MASTURBATION MAT MATCH MATCHABLE MATCHED MATCHER MATCHERS MATCHES MATCHING MATCHINGS MATCHLESS MATE MATED MATEO MATER MATERIAL MATERIALIST MATERIALIZE MATERIALIZED MATERIALIZES MATERIALIZING MATERIALLY MATERIALS MATERNAL MATERNALLY MATERNITY MATES MATH MATHEMATICA MATHEMATICAL MATHEMATICALLY MATHEMATICIAN MATHEMATICIANS MATHEMATICS MATHEMATIK MATHEWSON MATHIAS MATHIEU MATILDA MATING MATINGS MATISSE MATISSES MATRIARCH MATRIARCHAL MATRICES MATRICULATE MATRICULATION MATRIMONIAL MATRIMONY MATRIX MATROID MATRON MATRONLY MATS MATSON MATSUMOTO MATT MATTED MATTER MATTERED MATTERS MATTHEW MATTHEWS MATTIE MATTRESS MATTRESSES MATTSON MATURATION MATURE MATURED MATURELY MATURES MATURING MATURITIES MATURITY MAUDE MAUL MAUREEN MAURICE MAURICIO MAURINE MAURITANIA MAURITIUS MAUSOLEUM MAVERICK MAVIS MAWR MAX MAXIM MAXIMA MAXIMAL MAXIMALLY MAXIMILIAN MAXIMIZE MAXIMIZED MAXIMIZER MAXIMIZERS MAXIMIZES MAXIMIZING MAXIMS MAXIMUM MAXIMUMS MAXINE MAXTOR MAXWELL MAXWELLIAN MAY MAYA MAYANS MAYBE MAYER MAYFAIR MAYFLOWER MAYHAP MAYHEM MAYNARD MAYO MAYONNAISE MAYOR MAYORAL MAYORS MAZDA MAZE MAZES MBABANE MCADAM MCADAMS MCALLISTER MCBRIDE MCCABE MCCALL MCCALLUM MCCANN MCCARTHY MCCARTY MCCAULEY MCCLAIN MCCLELLAN MCCLURE MCCLUSKEY MCCONNEL MCCONNELL MCCORMICK MCCOY MCCRACKEN MCCULLOUGH MCDANIEL MCDERMOTT MCDONALD MCDONNELL MCDOUGALL MCDOWELL MCELHANEY MCELROY MCFADDEN MCFARLAND MCGEE MCGILL MCGINNIS MCGOVERN MCGOWAN MCGRATH MCGRAW MCGREGOR MCGUIRE MCHUGH MCINTOSH MCINTYRE MCKAY MCKEE MCKENNA MCKENZIE MCKEON MCKESSON MCKINLEY MCKINNEY MCKNIGHT MCLANAHAN MCLAUGHLIN MCLEAN MCLEOD MCMAHON MCMARTIN MCMILLAN MCMULLEN MCNALLY MCNAUGHTON MCNEIL MCNULTY MCPHERSON MEAD MEADOW MEADOWS MEAGER MEAGERLY MEAGERNESS MEAL MEALS MEALTIME MEALY MEAN MEANDER MEANDERED MEANDERING MEANDERS MEANER MEANEST MEANING MEANINGFUL MEANINGFULLY MEANINGFULNESS MEANINGLESS MEANINGLESSLY MEANINGLESSNESS MEANINGS MEANLY MEANNESS MEANS MEANT MEANTIME MEANWHILE MEASLE MEASLES MEASURABLE MEASURABLY MEASURE MEASURED MEASUREMENT MEASUREMENTS MEASURER MEASURES MEASURING MEAT MEATS MEATY MECCA MECHANIC MECHANICAL MECHANICALLY MECHANICS MECHANISM MECHANISMS MECHANIZATION MECHANIZATIONS MECHANIZE MECHANIZED MECHANIZES MECHANIZING MEDAL MEDALLION MEDALLIONS MEDALS MEDDLE MEDDLED MEDDLER MEDDLES MEDDLING MEDEA MEDFIELD MEDFORD MEDIA MEDIAN MEDIANS MEDIATE MEDIATED MEDIATES MEDIATING MEDIATION MEDIATIONS MEDIATOR MEDIC MEDICAID MEDICAL MEDICALLY MEDICARE MEDICI MEDICINAL MEDICINALLY MEDICINE MEDICINES MEDICIS MEDICS MEDIEVAL MEDIOCRE MEDIOCRITY MEDITATE MEDITATED MEDITATES MEDITATING MEDITATION MEDITATIONS MEDITATIVE MEDITERRANEAN MEDITERRANEANIZATION MEDITERRANEANIZATIONS MEDITERRANEANIZE MEDITERRANEANIZES MEDIUM MEDIUMS MEDLEY MEDUSA MEDUSAN MEEK MEEKER MEEKEST MEEKLY MEEKNESS MEET MEETING MEETINGHOUSE MEETINGS MEETS MEG MEGABAUD MEGABIT MEGABITS MEGABYTE MEGABYTES MEGAHERTZ MEGALOMANIA MEGATON MEGAVOLT MEGAWATT MEGAWORD MEGAWORDS MEGOHM MEIER MEIJI MEISTER MEISTERSINGER MEKONG MEL MELAMPUS MELANCHOLY MELANESIA MELANESIAN MELANIE MELBOURNE MELCHER MELINDA MELISANDE MELISSA MELLON MELLOW MELLOWED MELLOWING MELLOWNESS MELLOWS MELODIES MELODIOUS MELODIOUSLY MELODIOUSNESS MELODRAMA MELODRAMAS MELODRAMATIC MELODY MELON MELONS MELPOMENE MELT MELTED MELTING MELTINGLY MELTS MELVILLE MELVIN MEMBER MEMBERS MEMBERSHIP MEMBERSHIPS MEMBRANE MEMENTO MEMO MEMOIR MEMOIRS MEMORABILIA MEMORABLE MEMORABLENESS MEMORANDA MEMORANDUM MEMORIAL MEMORIALLY MEMORIALS MEMORIES MEMORIZATION MEMORIZE MEMORIZED MEMORIZER MEMORIZES MEMORIZING MEMORY MEMORYLESS MEMOS MEMPHIS MEN MENACE MENACED MENACING MENAGERIE MENARCHE MENCKEN MEND MENDACIOUS MENDACITY MENDED MENDEL MENDELIAN MENDELIZE MENDELIZES MENDELSSOHN MENDER MENDING MENDOZA MENDS MENELAUS MENIAL MENIALS MENLO MENNONITE MENNONITES MENOMINEE MENORCA MENS MENSCH MENSTRUATE MENSURABLE MENSURATION MENTAL MENTALITIES MENTALITY MENTALLY MENTION MENTIONABLE MENTIONED MENTIONER MENTIONERS MENTIONING MENTIONS MENTOR MENTORS MENU MENUS MENZIES MEPHISTOPHELES MERCANTILE MERCATOR MERCEDES MERCENARIES MERCENARINESS MERCENARY MERCHANDISE MERCHANDISER MERCHANDISING MERCHANT MERCHANTS MERCIFUL MERCIFULLY MERCILESS MERCILESSLY MERCK MERCURIAL MERCURY MERCY MERE MEREDITH MERELY MEREST MERGE MERGED MERGER MERGERS MERGES MERGING MERIDIAN MERINGUE MERIT MERITED MERITING MERITORIOUS MERITORIOUSLY MERITORIOUSNESS MERITS MERIWETHER MERLE MERMAID MERRIAM MERRICK MERRIEST MERRILL MERRILY MERRIMAC MERRIMACK MERRIMENT MERRITT MERRY MERRYMAKE MERVIN MESCALINE MESH MESON MESOPOTAMIA MESOZOIC MESQUITE MESS MESSAGE MESSAGES MESSED MESSENGER MESSENGERS MESSES MESSIAH MESSIAHS MESSIER MESSIEST MESSILY MESSINESS MESSING MESSY MET META METABOLIC METABOLISM METACIRCULAR METACIRCULARITY METAL METALANGUAGE METALLIC METALLIZATION METALLIZATIONS METALLURGY METALS METAMATHEMATICAL METAMORPHOSIS METAPHOR METAPHORICAL METAPHORICALLY METAPHORS METAPHYSICAL METAPHYSICALLY METAPHYSICS METAVARIABLE METCALF METE METED METEOR METEORIC METEORITE METEORITIC METEOROLOGY METEORS METER METERING METERS METES METHANE METHOD METHODICAL METHODICALLY METHODICALNESS METHODISM METHODIST METHODISTS METHODOLOGICAL METHODOLOGICALLY METHODOLOGIES METHODOLOGISTS METHODOLOGY METHODS METHUEN METHUSELAH METHUSELAHS METICULOUSLY METING METRECAL METRIC METRICAL METRICS METRO METRONOME METROPOLIS METROPOLITAN METS METTLE METTLESOME METZLER MEW MEWED MEWS MEXICAN MEXICANIZE MEXICANIZES MEXICANS MEXICO MEYER MEYERS MIAMI MIASMA MICA MICE MICHAEL MICHAELS MICHEL MICHELANGELO MICHELE MICHELIN MICHELSON MICHIGAN MICK MICKEY MICKIE MICKY MICRO MICROARCHITECTS MICROARCHITECTURE MICROARCHITECTURES MICROBIAL MICROBICIDAL MICROBICIDE MICROCODE MICROCODED MICROCODES MICROCODING MICROCOMPUTER MICROCOMPUTERS MICROCOSM MICROCYCLE MICROCYCLES MICROECONOMICS MICROELECTRONICS MICROFILM MICROFILMS MICROFINANCE MICROGRAMMING MICROINSTRUCTION MICROINSTRUCTIONS MICROJUMP MICROJUMPS MICROLEVEL MICRON MICRONESIA MICRONESIAN MICROOPERATIONS MICROPHONE MICROPHONES MICROPHONING MICROPORT MICROPROCEDURE MICROPROCEDURES MICROPROCESSING MICROPROCESSOR MICROPROCESSORS MICROPROGRAM MICROPROGRAMMABLE MICROPROGRAMMED MICROPROGRAMMER MICROPROGRAMMING MICROPROGRAMS MICROS MICROSCOPE MICROSCOPES MICROSCOPIC MICROSCOPY MICROSECOND MICROSECONDS MICROSOFT MICROSTORE MICROSYSTEMS MICROVAX MICROVAXES MICROWAVE MICROWAVES MICROWORD MICROWORDS MID MIDAS MIDDAY MIDDLE MIDDLEBURY MIDDLEMAN MIDDLEMEN MIDDLES MIDDLESEX MIDDLETON MIDDLETOWN MIDDLING MIDGET MIDLANDIZE MIDLANDIZES MIDNIGHT MIDNIGHTS MIDPOINT MIDPOINTS MIDRANGE MIDSCALE MIDSECTION MIDSHIPMAN MIDSHIPMEN MIDST MIDSTREAM MIDSTS MIDSUMMER MIDWAY MIDWEEK MIDWEST MIDWESTERN MIDWESTERNER MIDWESTERNERS MIDWIFE MIDWINTER MIDWIVES MIEN MIGHT MIGHTIER MIGHTIEST MIGHTILY MIGHTINESS MIGHTY MIGRANT MIGRATE MIGRATED MIGRATES MIGRATING MIGRATION MIGRATIONS MIGRATORY MIGUEL MIKE MIKHAIL MIKOYAN MILAN MILD MILDER MILDEST MILDEW MILDLY MILDNESS MILDRED MILE MILEAGE MILES MILESTONE MILESTONES MILITANT MILITANTLY MILITARILY MILITARISM MILITARY MILITIA MILK MILKED MILKER MILKERS MILKINESS MILKING MILKMAID MILKMAIDS MILKS MILKY MILL MILLARD MILLED MILLENNIUM MILLER MILLET MILLIAMMETER MILLIAMPERE MILLIE MILLIJOULE MILLIKAN MILLIMETER MILLIMETERS MILLINERY MILLING MILLINGTON MILLION MILLIONAIRE MILLIONAIRES MILLIONS MILLIONTH MILLIPEDE MILLIPEDES MILLISECOND MILLISECONDS MILLIVOLT MILLIVOLTMETER MILLIWATT MILLS MILLSTONE MILLSTONES MILNE MILQUETOAST MILQUETOASTS MILTON MILTONIAN MILTONIC MILTONISM MILTONIST MILTONIZE MILTONIZED MILTONIZES MILTONIZING MILWAUKEE MIMEOGRAPH MIMI MIMIC MIMICKED MIMICKING MIMICS MINARET MINCE MINCED MINCEMEAT MINCES MINCING MIND MINDANAO MINDED MINDFUL MINDFULLY MINDFULNESS MINDING MINDLESS MINDLESSLY MINDS MINE MINED MINEFIELD MINER MINERAL MINERALS MINERS MINERVA MINES MINESWEEPER MINGLE MINGLED MINGLES MINGLING MINI MINIATURE MINIATURES MINIATURIZATION MINIATURIZE MINIATURIZED MINIATURIZES MINIATURIZING MINICOMPUTER MINICOMPUTERS MINIMA MINIMAL MINIMALLY MINIMAX MINIMIZATION MINIMIZATIONS MINIMIZE MINIMIZED MINIMIZER MINIMIZERS MINIMIZES MINIMIZING MINIMUM MINING MINION MINIS MINISTER MINISTERED MINISTERING MINISTERS MINISTRIES MINISTRY MINK MINKS MINNEAPOLIS MINNESOTA MINNIE MINNOW MINNOWS MINOAN MINOR MINORING MINORITIES MINORITY MINORS MINOS MINOTAUR MINSK MINSKY MINSTREL MINSTRELS MINT MINTED MINTER MINTING MINTS MINUEND MINUET MINUS MINUSCULE MINUTE MINUTELY MINUTEMAN MINUTEMEN MINUTENESS MINUTER MINUTES MIOCENE MIPS MIRA MIRACLE MIRACLES MIRACULOUS MIRACULOUSLY MIRAGE MIRANDA MIRE MIRED MIRES MIRFAK MIRIAM MIRROR MIRRORED MIRRORING MIRRORS MIRTH MISANTHROPE MISBEHAVING MISCALCULATION MISCALCULATIONS MISCARRIAGE MISCARRY MISCEGENATION MISCELLANEOUS MISCELLANEOUSLY MISCELLANEOUSNESS MISCHIEF MISCHIEVOUS MISCHIEVOUSLY MISCHIEVOUSNESS MISCONCEPTION MISCONCEPTIONS MISCONDUCT MISCONSTRUE MISCONSTRUED MISCONSTRUES MISDEMEANORS MISER MISERABLE MISERABLENESS MISERABLY MISERIES MISERLY MISERS MISERY MISFIT MISFITS MISFORTUNE MISFORTUNES MISGIVING MISGIVINGS MISGUIDED MISHAP MISHAPS MISINFORMED MISJUDGED MISJUDGMENT MISLEAD MISLEADING MISLEADS MISLED MISMANAGEMENT MISMATCH MISMATCHED MISMATCHES MISMATCHING MISNOMER MISPLACE MISPLACED MISPLACES MISPLACING MISPRONUNCIATION MISREPRESENTATION MISREPRESENTATIONS MISS MISSED MISSES MISSHAPEN MISSILE MISSILES MISSING MISSION MISSIONARIES MISSIONARY MISSIONER MISSIONS MISSISSIPPI MISSISSIPPIAN MISSISSIPPIANS MISSIVE MISSOULA MISSOURI MISSPELL MISSPELLED MISSPELLING MISSPELLINGS MISSPELLS MISSY MIST MISTAKABLE MISTAKE MISTAKEN MISTAKENLY MISTAKES MISTAKING MISTED MISTER MISTERS MISTINESS MISTING MISTLETOE MISTRESS MISTRUST MISTRUSTED MISTS MISTY MISTYPE MISTYPED MISTYPES MISTYPING MISUNDERSTAND MISUNDERSTANDER MISUNDERSTANDERS MISUNDERSTANDING MISUNDERSTANDINGS MISUNDERSTOOD MISUSE MISUSED MISUSES MISUSING MITCH MITCHELL MITER MITIGATE MITIGATED MITIGATES MITIGATING MITIGATION MITIGATIVE MITRE MITRES MITTEN MITTENS MIX MIXED MIXER MIXERS MIXES MIXING MIXTURE MIXTURES MIXUP MIZAR MNEMONIC MNEMONICALLY MNEMONICS MOAN MOANED MOANS MOAT MOATS MOB MOBIL MOBILE MOBILITY MOBS MOBSTER MOCCASIN MOCCASINS MOCK MOCKED MOCKER MOCKERY MOCKING MOCKINGBIRD MOCKS MOCKUP MODAL MODALITIES MODALITY MODALLY MODE MODEL MODELED MODELING MODELINGS MODELS MODEM MODEMS MODERATE MODERATED MODERATELY MODERATENESS MODERATES MODERATING MODERATION MODERN MODERNITY MODERNIZE MODERNIZED MODERNIZER MODERNIZING MODERNLY MODERNNESS MODERNS MODES MODEST MODESTLY MODESTO MODESTY MODICUM MODIFIABILITY MODIFIABLE MODIFICATION MODIFICATIONS MODIFIED MODIFIER MODIFIERS MODIFIES MODIFY MODIFYING MODULA MODULAR MODULARITY MODULARIZATION MODULARIZE MODULARIZED MODULARIZES MODULARIZING MODULARLY MODULATE MODULATED MODULATES MODULATING MODULATION MODULATIONS MODULATOR MODULATORS MODULE MODULES MODULI MODULO MODULUS MODUS MOE MOEN MOGADISCIO MOGADISHU MOGHUL MOHAMMED MOHAMMEDAN MOHAMMEDANISM MOHAMMEDANIZATION MOHAMMEDANIZATIONS MOHAMMEDANIZE MOHAMMEDANIZES MOHAWK MOHR MOINES MOISEYEV MOIST MOISTEN MOISTLY MOISTNESS MOISTURE MOLAR MOLASSES MOLD MOLDAVIA MOLDED MOLDER MOLDING MOLDS MOLE MOLECULAR MOLECULE MOLECULES MOLEHILL MOLES MOLEST MOLESTED MOLESTING MOLESTS MOLIERE MOLINE MOLL MOLLIE MOLLIFY MOLLUSK MOLLY MOLLYCODDLE MOLOCH MOLOCHIZE MOLOCHIZES MOLOTOV MOLTEN MOLUCCAS MOMENT MOMENTARILY MOMENTARINESS MOMENTARY MOMENTOUS MOMENTOUSLY MOMENTOUSNESS MOMENTS MOMENTUM MOMMY MONA MONACO MONADIC MONARCH MONARCHIES MONARCHS MONARCHY MONASH MONASTERIES MONASTERY MONASTIC MONDAY MONDAYS MONET MONETARISM MONETARY MONEY MONEYED MONEYS MONFORT MONGOLIA MONGOLIAN MONGOLIANISM MONGOOSE MONICA MONITOR MONITORED MONITORING MONITORS MONK MONKEY MONKEYED MONKEYING MONKEYS MONKISH MONKS MONMOUTH MONOALPHABETIC MONOCEROS MONOCHROMATIC MONOCHROME MONOCOTYLEDON MONOCULAR MONOGAMOUS MONOGAMY MONOGRAM MONOGRAMS MONOGRAPH MONOGRAPHES MONOGRAPHS MONOLITH MONOLITHIC MONOLOGUE MONONGAHELA MONOPOLIES MONOPOLIZE MONOPOLIZED MONOPOLIZING MONOPOLY MONOPROGRAMMED MONOPROGRAMMING MONOSTABLE MONOTHEISM MONOTONE MONOTONIC MONOTONICALLY MONOTONICITY MONOTONOUS MONOTONOUSLY MONOTONOUSNESS MONOTONY MONROE MONROVIA MONSANTO MONSOON MONSTER MONSTERS MONSTROSITY MONSTROUS MONSTROUSLY MONT MONTAGUE MONTAIGNE MONTANA MONTANAN MONTCLAIR MONTENEGRIN MONTENEGRO MONTEREY MONTEVERDI MONTEVIDEO MONTGOMERY MONTH MONTHLY MONTHS MONTICELLO MONTMARTRE MONTPELIER MONTRACHET MONTREAL MONTY MONUMENT MONUMENTAL MONUMENTALLY MONUMENTS MOO MOOD MOODINESS MOODS MOODY MOON MOONED MOONEY MOONING MOONLIGHT MOONLIGHTER MOONLIGHTING MOONLIKE MOONLIT MOONS MOONSHINE MOOR MOORE MOORED MOORING MOORINGS MOORISH MOORS MOOSE MOOT MOP MOPED MOPS MORAINE MORAL MORALE MORALITIES MORALITY MORALLY MORALS MORAN MORASS MORATORIUM MORAVIA MORAVIAN MORAVIANIZED MORAVIANIZEDS MORBID MORBIDLY MORBIDNESS MORE MOREHOUSE MORELAND MOREOVER MORES MORESBY MORGAN MORIARTY MORIBUND MORLEY MORMON MORN MORNING MORNINGS MOROCCAN MOROCCO MORON MOROSE MORPHINE MORPHISM MORPHISMS MORPHOLOGICAL MORPHOLOGY MORRILL MORRIS MORRISON MORRISSEY MORRISTOWN MORROW MORSE MORSEL MORSELS MORTAL MORTALITY MORTALLY MORTALS MORTAR MORTARED MORTARING MORTARS MORTEM MORTGAGE MORTGAGES MORTICIAN MORTIFICATION MORTIFIED MORTIFIES MORTIFY MORTIFYING MORTIMER MORTON MOSAIC MOSAICS MOSCONE MOSCOW MOSER MOSES MOSLEM MOSLEMIZE MOSLEMIZES MOSLEMS MOSQUE MOSQUITO MOSQUITOES MOSS MOSSBERG MOSSES MOSSY MOST MOSTLY MOTEL MOTELS MOTH MOTHBALL MOTHBALLS MOTHER MOTHERED MOTHERER MOTHERERS MOTHERHOOD MOTHERING MOTHERLAND MOTHERLY MOTHERS MOTIF MOTIFS MOTION MOTIONED MOTIONING MOTIONLESS MOTIONLESSLY MOTIONLESSNESS MOTIONS MOTIVATE MOTIVATED MOTIVATES MOTIVATING MOTIVATION MOTIVATIONS MOTIVE MOTIVES MOTLEY MOTOR MOTORCAR MOTORCARS MOTORCYCLE MOTORCYCLES MOTORING MOTORIST MOTORISTS MOTORIZE MOTORIZED MOTORIZES MOTORIZING MOTOROLA MOTORS MOTTO MOTTOES MOULD MOULDING MOULTON MOUND MOUNDED MOUNDS MOUNT MOUNTABLE MOUNTAIN MOUNTAINEER MOUNTAINEERING MOUNTAINEERS MOUNTAINOUS MOUNTAINOUSLY MOUNTAINS MOUNTED MOUNTER MOUNTING MOUNTINGS MOUNTS MOURN MOURNED MOURNER MOURNERS MOURNFUL MOURNFULLY MOURNFULNESS MOURNING MOURNS MOUSE MOUSER MOUSES MOUSETRAP MOUSY MOUTH MOUTHE MOUTHED MOUTHES MOUTHFUL MOUTHING MOUTHPIECE MOUTHS MOUTON MOVABLE MOVE MOVED MOVEMENT MOVEMENTS MOVER MOVERS MOVES MOVIE MOVIES MOVING MOVINGS MOW MOWED MOWER MOWS MOYER MOZART MUCH MUCK MUCKER MUCKING MUCUS MUD MUDD MUDDIED MUDDINESS MUDDLE MUDDLED MUDDLEHEAD MUDDLER MUDDLERS MUDDLES MUDDLING MUDDY MUELLER MUENSTER MUFF MUFFIN MUFFINS MUFFLE MUFFLED MUFFLER MUFFLES MUFFLING MUFFS MUG MUGGING MUGS MUHAMMAD MUIR MUKDEN MULATTO MULBERRIES MULBERRY MULE MULES MULL MULLAH MULLEN MULTI MULTIBIT MULTIBUS MULTIBYTE MULTICAST MULTICASTING MULTICASTS MULTICELLULAR MULTICOMPUTER MULTICS MULTICS MULTIDIMENSIONAL MULTILATERAL MULTILAYER MULTILAYERED MULTILEVEL MULTIMEDIA MULTINATIONAL MULTIPLE MULTIPLES MULTIPLEX MULTIPLEXED MULTIPLEXER MULTIPLEXERS MULTIPLEXES MULTIPLEXING MULTIPLEXOR MULTIPLEXORS MULTIPLICAND MULTIPLICANDS MULTIPLICATION MULTIPLICATIONS MULTIPLICATIVE MULTIPLICATIVES MULTIPLICITY MULTIPLIED MULTIPLIER MULTIPLIERS MULTIPLIES MULTIPLY MULTIPLYING MULTIPROCESS MULTIPROCESSING MULTIPROCESSOR MULTIPROCESSORS MULTIPROGRAM MULTIPROGRAMMED MULTIPROGRAMMING MULTISTAGE MULTITUDE MULTITUDES MULTIUSER MULTIVARIATE MULTIWORD MUMBLE MUMBLED MUMBLER MUMBLERS MUMBLES MUMBLING MUMBLINGS MUMFORD MUMMIES MUMMY MUNCH MUNCHED MUNCHING MUNCIE MUNDANE MUNDANELY MUNDT MUNG MUNICH MUNICIPAL MUNICIPALITIES MUNICIPALITY MUNICIPALLY MUNITION MUNITIONS MUNROE MUNSEY MUNSON MUONG MURAL MURDER MURDERED MURDERER MURDERERS MURDERING MURDEROUS MURDEROUSLY MURDERS MURIEL MURKY MURMUR MURMURED MURMURER MURMURING MURMURS MURPHY MURRAY MURROW MUSCAT MUSCLE MUSCLED MUSCLES MUSCLING MUSCOVITE MUSCOVY MUSCULAR MUSCULATURE MUSE MUSED MUSES MUSEUM MUSEUMS MUSH MUSHROOM MUSHROOMED MUSHROOMING MUSHROOMS MUSHY MUSIC MUSICAL MUSICALLY MUSICALS MUSICIAN MUSICIANLY MUSICIANS MUSICOLOGY MUSING MUSINGS MUSK MUSKEGON MUSKET MUSKETS MUSKOX MUSKOXEN MUSKRAT MUSKRATS MUSKS MUSLIM MUSLIMS MUSLIN MUSSEL MUSSELS MUSSOLINI MUSSOLINIS MUSSORGSKY MUST MUSTACHE MUSTACHED MUSTACHES MUSTARD MUSTER MUSTINESS MUSTS MUSTY MUTABILITY MUTABLE MUTABLENESS MUTANDIS MUTANT MUTATE MUTATED MUTATES MUTATING MUTATION MUTATIONS MUTATIS MUTATIVE MUTE MUTED MUTELY MUTENESS MUTILATE MUTILATED MUTILATES MUTILATING MUTILATION MUTINIES MUTINY MUTT MUTTER MUTTERED MUTTERER MUTTERERS MUTTERING MUTTERS MUTTON MUTUAL MUTUALLY MUZAK MUZO MUZZLE MUZZLES MYCENAE MYCENAEAN MYERS MYNHEER MYRA MYRIAD MYRON MYRTLE MYSELF MYSORE MYSTERIES MYSTERIOUS MYSTERIOUSLY MYSTERIOUSNESS MYSTERY MYSTIC MYSTICAL MYSTICS MYSTIFY MYTH MYTHICAL MYTHOLOGIES MYTHOLOGY NAB NABISCO NABLA NABLAS NADIA NADINE NADIR NAG NAGASAKI NAGGED NAGGING NAGOYA NAGS NAGY NAIL NAILED NAILING NAILS NAIR NAIROBI NAIVE NAIVELY NAIVENESS NAIVETE NAKAMURA NAKAYAMA NAKED NAKEDLY NAKEDNESS NAKOMA NAME NAMEABLE NAMED NAMELESS NAMELESSLY NAMELY NAMER NAMERS NAMES NAMESAKE NAMESAKES NAMING NAN NANCY NANETTE NANKING NANOINSTRUCTION NANOINSTRUCTIONS NANOOK NANOPROGRAM NANOPROGRAMMING NANOSECOND NANOSECONDS NANOSTORE NANOSTORES NANTUCKET NAOMI NAP NAPKIN NAPKINS NAPLES NAPOLEON NAPOLEONIC NAPOLEONIZE NAPOLEONIZES NAPS NARBONNE NARCISSUS NARCOTIC NARCOTICS NARRAGANSETT NARRATE NARRATION NARRATIVE NARRATIVES NARROW NARROWED NARROWER NARROWEST NARROWING NARROWLY NARROWNESS NARROWS NARY NASA NASAL NASALLY NASAS NASH NASHUA NASHVILLE NASSAU NASTIER NASTIEST NASTILY NASTINESS NASTY NAT NATAL NATALIE NATCHEZ NATE NATHAN NATHANIEL NATION NATIONAL NATIONALIST NATIONALISTS NATIONALITIES NATIONALITY NATIONALIZATION NATIONALIZE NATIONALIZED NATIONALIZES NATIONALIZING NATIONALLY NATIONALS NATIONHOOD NATIONS NATIONWIDE NATIVE NATIVELY NATIVES NATIVITY NATO NATOS NATURAL NATURALISM NATURALIST NATURALIZATION NATURALLY NATURALNESS NATURALS NATURE NATURED NATURES NAUGHT NAUGHTIER NAUGHTINESS NAUGHTY NAUR NAUSEA NAUSEATE NAUSEUM NAVAHO NAVAJO NAVAL NAVALLY NAVEL NAVIES NAVIGABLE NAVIGATE NAVIGATED NAVIGATES NAVIGATING NAVIGATION NAVIGATOR NAVIGATORS NAVONA NAVY NAY NAZARENE NAZARETH NAZI NAZIS NAZISM NDJAMENA NEAL NEANDERTHAL NEAPOLITAN NEAR NEARBY NEARED NEARER NEAREST NEARING NEARLY NEARNESS NEARS NEARSIGHTED NEAT NEATER NEATEST NEATLY NEATNESS NEBRASKA NEBRASKAN NEBUCHADNEZZAR NEBULA NEBULAR NEBULOUS NECESSARIES NECESSARILY NECESSARY NECESSITATE NECESSITATED NECESSITATES NECESSITATING NECESSITATION NECESSITIES NECESSITY NECK NECKING NECKLACE NECKLACES NECKLINE NECKS NECKTIE NECKTIES NECROSIS NECTAR NED NEED NEEDED NEEDFUL NEEDHAM NEEDING NEEDLE NEEDLED NEEDLER NEEDLERS NEEDLES NEEDLESS NEEDLESSLY NEEDLESSNESS NEEDLEWORK NEEDLING NEEDS NEEDY NEFF NEGATE NEGATED NEGATES NEGATING NEGATION NEGATIONS NEGATIVE NEGATIVELY NEGATIVES NEGATOR NEGATORS NEGLECT NEGLECTED NEGLECTING NEGLECTS NEGLIGEE NEGLIGENCE NEGLIGENT NEGLIGIBLE NEGOTIABLE NEGOTIATE NEGOTIATED NEGOTIATES NEGOTIATING NEGOTIATION NEGOTIATIONS NEGRO NEGROES NEGROID NEGROIZATION NEGROIZATIONS NEGROIZE NEGROIZES NEHRU NEIGH NEIGHBOR NEIGHBORHOOD NEIGHBORHOODS NEIGHBORING NEIGHBORLY NEIGHBORS NEIL NEITHER NELL NELLIE NELSEN NELSON NEMESIS NEOCLASSIC NEON NEONATAL NEOPHYTE NEOPHYTES NEPAL NEPALI NEPHEW NEPHEWS NEPTUNE NERO NERVE NERVES NERVOUS NERVOUSLY NERVOUSNESS NESS NEST NESTED NESTER NESTING NESTLE NESTLED NESTLES NESTLING NESTOR NESTS NET NETHER NETHERLANDS NETS NETTED NETTING NETTLE NETTLED NETWORK NETWORKED NETWORKING NETWORKS NEUMANN NEURAL NEURITIS NEUROLOGICAL NEUROLOGISTS NEURON NEURONS NEUROSES NEUROSIS NEUROTIC NEUTER NEUTRAL NEUTRALITIES NEUTRALITY NEUTRALIZE NEUTRALIZED NEUTRALIZING NEUTRALLY NEUTRINO NEUTRINOS NEUTRON NEVA NEVADA NEVER NEVERTHELESS NEVINS NEW NEWARK NEWBOLD NEWBORN NEWBURY NEWBURYPORT NEWCASTLE NEWCOMER NEWCOMERS NEWELL NEWER NEWEST NEWFOUNDLAND NEWLY NEWLYWED NEWMAN NEWMANIZE NEWMANIZES NEWNESS NEWPORT NEWS NEWSCAST NEWSGROUP NEWSLETTER NEWSLETTERS NEWSMAN NEWSMEN NEWSPAPER NEWSPAPERS NEWSSTAND NEWSWEEK NEWSWEEKLY NEWT NEWTON NEWTONIAN NEXT NGUYEN NIAGARA NIAMEY NIBBLE NIBBLED NIBBLER NIBBLERS NIBBLES NIBBLING NIBELUNG NICARAGUA NICCOLO NICE NICELY NICENESS NICER NICEST NICHE NICHOLAS NICHOLLS NICHOLS NICHOLSON NICK NICKED NICKEL NICKELS NICKER NICKING NICKLAUS NICKNAME NICKNAMED NICKNAMES NICKS NICODEMUS NICOSIA NICOTINE NIECE NIECES NIELSEN NIELSON NIETZSCHE NIFTY NIGER NIGERIA NIGERIAN NIGH NIGHT NIGHTCAP NIGHTCLUB NIGHTFALL NIGHTGOWN NIGHTINGALE NIGHTINGALES NIGHTLY NIGHTMARE NIGHTMARES NIGHTMARISH NIGHTS NIGHTTIME NIHILISM NIJINSKY NIKKO NIKOLAI NIL NILE NILSEN NILSSON NIMBLE NIMBLENESS NIMBLER NIMBLY NIMBUS NINA NINE NINEFOLD NINES NINETEEN NINETEENS NINETEENTH NINETIES NINETIETH NINETY NINEVEH NINTH NIOBE NIP NIPPLE NIPPON NIPPONIZE NIPPONIZES NIPS NITRIC NITROGEN NITROUS NITTY NIXON NOAH NOBEL NOBILITY NOBLE NOBLEMAN NOBLENESS NOBLER NOBLES NOBLEST NOBLY NOBODY NOCTURNAL NOCTURNALLY NOD NODAL NODDED NODDING NODE NODES NODS NODULAR NODULE NOEL NOETHERIAN NOISE NOISELESS NOISELESSLY NOISES NOISIER NOISILY NOISINESS NOISY NOLAN NOLL NOMENCLATURE NOMINAL NOMINALLY NOMINATE NOMINATED NOMINATING NOMINATION NOMINATIVE NOMINEE NON NONADAPTIVE NONBIODEGRADABLE NONBLOCKING NONCE NONCHALANT NONCOMMERCIAL NONCOMMUNICATION NONCONSECUTIVELY NONCONSERVATIVE NONCRITICAL NONCYCLIC NONDECREASING NONDESCRIPT NONDESCRIPTLY NONDESTRUCTIVELY NONDETERMINACY NONDETERMINATE NONDETERMINATELY NONDETERMINISM NONDETERMINISTIC NONDETERMINISTICALLY NONE NONEMPTY NONETHELESS NONEXISTENCE NONEXISTENT NONEXTENSIBLE NONFUNCTIONAL NONGOVERNMENTAL NONIDEMPOTENT NONINTERACTING NONINTERFERENCE NONINTERLEAVED NONINTRUSIVE NONINTUITIVE NONINVERTING NONLINEAR NONLINEARITIES NONLINEARITY NONLINEARLY NONLOCAL NONMASKABLE NONMATHEMATICAL NONMILITARY NONNEGATIVE NONNEGLIGIBLE NONNUMERICAL NONOGENARIAN NONORTHOGONAL NONORTHOGONALITY NONPERISHABLE NONPERSISTENT NONPORTABLE NONPROCEDURAL NONPROCEDURALLY NONPROFIT NONPROGRAMMABLE NONPROGRAMMER NONSEGMENTED NONSENSE NONSENSICAL NONSEQUENTIAL NONSPECIALIST NONSPECIALISTS NONSTANDARD NONSYNCHRONOUS NONTECHNICAL NONTERMINAL NONTERMINALS NONTERMINATING NONTERMINATION NONTHERMAL NONTRANSPARENT NONTRIVIAL NONUNIFORM NONUNIFORMITY NONZERO NOODLE NOOK NOOKS NOON NOONDAY NOONS NOONTIDE NOONTIME NOOSE NOR NORA NORDHOFF NORDIC NORDSTROM NOREEN NORFOLK NORM NORMA NORMAL NORMALCY NORMALITY NORMALIZATION NORMALIZE NORMALIZED NORMALIZES NORMALIZING NORMALLY NORMALS NORMAN NORMANDY NORMANIZATION NORMANIZATIONS NORMANIZE NORMANIZER NORMANIZERS NORMANIZES NORMATIVE NORMS NORRIS NORRISTOWN NORSE NORTH NORTHAMPTON NORTHBOUND NORTHEAST NORTHEASTER NORTHEASTERN NORTHERLY NORTHERN NORTHERNER NORTHERNERS NORTHERNLY NORTHFIELD NORTHROP NORTHRUP NORTHUMBERLAND NORTHWARD NORTHWARDS NORTHWEST NORTHWESTERN NORTON NORWALK NORWAY NORWEGIAN NORWICH NOSE NOSED NOSES NOSING NOSTALGIA NOSTALGIC NOSTRADAMUS NOSTRAND NOSTRIL NOSTRILS NOT NOTABLE NOTABLES NOTABLY NOTARIZE NOTARIZED NOTARIZES NOTARIZING NOTARY NOTATION NOTATIONAL NOTATIONS NOTCH NOTCHED NOTCHES NOTCHING NOTE NOTEBOOK NOTEBOOKS NOTED NOTES NOTEWORTHY NOTHING NOTHINGNESS NOTHINGS NOTICE NOTICEABLE NOTICEABLY NOTICED NOTICES NOTICING NOTIFICATION NOTIFICATIONS NOTIFIED NOTIFIER NOTIFIERS NOTIFIES NOTIFY NOTIFYING NOTING NOTION NOTIONS NOTORIETY NOTORIOUS NOTORIOUSLY NOTRE NOTTINGHAM NOTWITHSTANDING NOUAKCHOTT NOUN NOUNS NOURISH NOURISHED NOURISHES NOURISHING NOURISHMENT NOVAK NOVEL NOVELIST NOVELISTS NOVELS NOVELTIES NOVELTY NOVEMBER NOVEMBERS NOVICE NOVICES NOVOSIBIRSK NOW NOWADAYS NOWHERE NOXIOUS NOYES NOZZLE NUANCE NUANCES NUBIA NUBIAN NUBILE NUCLEAR NUCLEI NUCLEIC NUCLEOTIDE NUCLEOTIDES NUCLEUS NUCLIDE NUDE NUDGE NUDGED NUDITY NUGENT NUGGET NUISANCE NUISANCES NULL NULLARY NULLED NULLIFIED NULLIFIERS NULLIFIES NULLIFY NULLIFYING NULLS NUMB NUMBED NUMBER NUMBERED NUMBERER NUMBERING NUMBERLESS NUMBERS NUMBING NUMBLY NUMBNESS NUMBS NUMERABLE NUMERAL NUMERALS NUMERATOR NUMERATORS NUMERIC NUMERICAL NUMERICALLY NUMERICS NUMEROUS NUMISMATIC NUMISMATIST NUN NUNS NUPTIAL NURSE NURSED NURSERIES NURSERY NURSES NURSING NURTURE NURTURED NURTURES NURTURING NUT NUTATE NUTRIA NUTRIENT NUTRITION NUTRITIOUS NUTS NUTSHELL NUTSHELLS NUZZLE NYLON NYMPH NYMPHOMANIA NYMPHOMANIAC NYMPHS NYQUIST OAF OAK OAKEN OAKLAND OAKLEY OAKMONT OAKS OAR OARS OASES OASIS OAT OATEN OATH OATHS OATMEAL OATS OBEDIENCE OBEDIENCES OBEDIENT OBEDIENTLY OBELISK OBERLIN OBERON OBESE OBEY OBEYED OBEYING OBEYS OBFUSCATE OBFUSCATORY OBITUARY OBJECT OBJECTED OBJECTING OBJECTION OBJECTIONABLE OBJECTIONS OBJECTIVE OBJECTIVELY OBJECTIVES OBJECTOR OBJECTORS OBJECTS OBLIGATED OBLIGATION OBLIGATIONS OBLIGATORY OBLIGE OBLIGED OBLIGES OBLIGING OBLIGINGLY OBLIQUE OBLIQUELY OBLIQUENESS OBLITERATE OBLITERATED OBLITERATES OBLITERATING OBLITERATION OBLIVION OBLIVIOUS OBLIVIOUSLY OBLIVIOUSNESS OBLONG OBNOXIOUS OBOE OBSCENE OBSCURE OBSCURED OBSCURELY OBSCURER OBSCURES OBSCURING OBSCURITIES OBSCURITY OBSEQUIOUS OBSERVABLE OBSERVANCE OBSERVANCES OBSERVANT OBSERVATION OBSERVATIONS OBSERVATORY OBSERVE OBSERVED OBSERVER OBSERVERS OBSERVES OBSERVING OBSESSION OBSESSIONS OBSESSIVE OBSOLESCENCE OBSOLESCENT OBSOLETE OBSOLETED OBSOLETES OBSOLETING OBSTACLE OBSTACLES OBSTINACY OBSTINATE OBSTINATELY OBSTRUCT OBSTRUCTED OBSTRUCTING OBSTRUCTION OBSTRUCTIONS OBSTRUCTIVE OBTAIN OBTAINABLE OBTAINABLY OBTAINED OBTAINING OBTAINS OBVIATE OBVIATED OBVIATES OBVIATING OBVIATION OBVIATIONS OBVIOUS OBVIOUSLY OBVIOUSNESS OCCAM OCCASION OCCASIONAL OCCASIONALLY OCCASIONED OCCASIONING OCCASIONINGS OCCASIONS OCCIDENT OCCIDENTAL OCCIDENTALIZATION OCCIDENTALIZATIONS OCCIDENTALIZE OCCIDENTALIZED OCCIDENTALIZES OCCIDENTALIZING OCCIDENTALS OCCIPITAL OCCLUDE OCCLUDED OCCLUDES OCCLUSION OCCLUSIONS OCCULT OCCUPANCIES OCCUPANCY OCCUPANT OCCUPANTS OCCUPATION OCCUPATIONAL OCCUPATIONALLY OCCUPATIONS OCCUPIED OCCUPIER OCCUPIES OCCUPY OCCUPYING OCCUR OCCURRED OCCURRENCE OCCURRENCES OCCURRING OCCURS OCEAN OCEANIA OCEANIC OCEANOGRAPHY OCEANS OCONOMOWOC OCTAGON OCTAGONAL OCTAHEDRA OCTAHEDRAL OCTAHEDRON OCTAL OCTANE OCTAVE OCTAVES OCTAVIA OCTET OCTETS OCTOBER OCTOBERS OCTOGENARIAN OCTOPUS ODD ODDER ODDEST ODDITIES ODDITY ODDLY ODDNESS ODDS ODE ODERBERG ODERBERGS ODES ODESSA ODIN ODIOUS ODIOUSLY ODIOUSNESS ODIUM ODOR ODOROUS ODOROUSLY ODOROUSNESS ODORS ODYSSEUS ODYSSEY OEDIPAL OEDIPALLY OEDIPUS OFF OFFENBACH OFFEND OFFENDED OFFENDER OFFENDERS OFFENDING OFFENDS OFFENSE OFFENSES OFFENSIVE OFFENSIVELY OFFENSIVENESS OFFER OFFERED OFFERER OFFERERS OFFERING OFFERINGS OFFERS OFFHAND OFFICE OFFICEMATE OFFICER OFFICERS OFFICES OFFICIAL OFFICIALDOM OFFICIALLY OFFICIALS OFFICIATE OFFICIO OFFICIOUS OFFICIOUSLY OFFICIOUSNESS OFFING OFFLOAD OFFS OFFSET OFFSETS OFFSETTING OFFSHORE OFFSPRING OFT OFTEN OFTENTIMES OGDEN OHIO OHM OHMMETER OIL OILCLOTH OILED OILER OILERS OILIER OILIEST OILING OILS OILY OINTMENT OJIBWA OKAMOTO OKAY OKINAWA OKLAHOMA OKLAHOMAN OLAF OLAV OLD OLDEN OLDENBURG OLDER OLDEST OLDNESS OLDSMOBILE OLDUVAI OLDY OLEANDER OLEG OLEOMARGARINE OLGA OLIGARCHY OLIGOCENE OLIN OLIVE OLIVER OLIVERS OLIVES OLIVETTI OLIVIA OLIVIER OLSEN OLSON OLYMPIA OLYMPIAN OLYMPIANIZE OLYMPIANIZES OLYMPIC OLYMPICS OLYMPUS OMAHA OMAN OMEGA OMELET OMEN OMENS OMICRON OMINOUS OMINOUSLY OMINOUSNESS OMISSION OMISSIONS OMIT OMITS OMITTED OMITTING OMNIBUS OMNIDIRECTIONAL OMNIPOTENT OMNIPRESENT OMNISCIENT OMNISCIENTLY OMNIVORE ONANISM ONCE ONCOLOGY ONE ONEIDA ONENESS ONEROUS ONES ONESELF ONETIME ONGOING ONION ONIONS ONLINE ONLOOKER ONLY ONONDAGA ONRUSH ONSET ONSETS ONSLAUGHT ONTARIO ONTO ONTOLOGY ONUS ONWARD ONWARDS ONYX OOZE OOZED OPACITY OPAL OPALS OPAQUE OPAQUELY OPAQUENESS OPCODE OPEC OPEL OPEN OPENED OPENER OPENERS OPENING OPENINGS OPENLY OPENNESS OPENS OPERA OPERABLE OPERAND OPERANDI OPERANDS OPERAS OPERATE OPERATED OPERATES OPERATING OPERATION OPERATIONAL OPERATIONALLY OPERATIONS OPERATIVE OPERATIVES OPERATOR OPERATORS OPERETTA OPHIUCHUS OPHIUCUS OPIATE OPINION OPINIONS OPIUM OPOSSUM OPPENHEIMER OPPONENT OPPONENTS OPPORTUNE OPPORTUNELY OPPORTUNISM OPPORTUNISTIC OPPORTUNITIES OPPORTUNITY OPPOSABLE OPPOSE OPPOSED OPPOSES OPPOSING OPPOSITE OPPOSITELY OPPOSITENESS OPPOSITES OPPOSITION OPPRESS OPPRESSED OPPRESSES OPPRESSING OPPRESSION OPPRESSIVE OPPRESSOR OPPRESSORS OPPROBRIUM OPT OPTED OPTHALMIC OPTIC OPTICAL OPTICALLY OPTICS OPTIMA OPTIMAL OPTIMALITY OPTIMALLY OPTIMISM OPTIMIST OPTIMISTIC OPTIMISTICALLY OPTIMIZATION OPTIMIZATIONS OPTIMIZE OPTIMIZED OPTIMIZER OPTIMIZERS OPTIMIZES OPTIMIZING OPTIMUM OPTING OPTION OPTIONAL OPTIONALLY OPTIONS OPTOACOUSTIC OPTOMETRIST OPTOMETRY OPTS OPULENCE OPULENT OPUS ORACLE ORACLES ORAL ORALLY ORANGE ORANGES ORANGUTAN ORATION ORATIONS ORATOR ORATORIES ORATORS ORATORY ORB ORBIT ORBITAL ORBITALLY ORBITED ORBITER ORBITERS ORBITING ORBITS ORCHARD ORCHARDS ORCHESTRA ORCHESTRAL ORCHESTRAS ORCHESTRATE ORCHID ORCHIDS ORDAIN ORDAINED ORDAINING ORDAINS ORDEAL ORDER ORDERED ORDERING ORDERINGS ORDERLIES ORDERLY ORDERS ORDINAL ORDINANCE ORDINANCES ORDINARILY ORDINARINESS ORDINARY ORDINATE ORDINATES ORDINATION ORE OREGANO OREGON OREGONIANS ORES ORESTEIA ORESTES ORGAN ORGANIC ORGANISM ORGANISMS ORGANIST ORGANISTS ORGANIZABLE ORGANIZATION ORGANIZATIONAL ORGANIZATIONALLY ORGANIZATIONS ORGANIZE ORGANIZED ORGANIZER ORGANIZERS ORGANIZES ORGANIZING ORGANS ORGASM ORGIASTIC ORGIES ORGY ORIENT ORIENTAL ORIENTALIZATION ORIENTALIZATIONS ORIENTALIZE ORIENTALIZED ORIENTALIZES ORIENTALIZING ORIENTALS ORIENTATION ORIENTATIONS ORIENTED ORIENTING ORIENTS ORIFICE ORIFICES ORIGIN ORIGINAL ORIGINALITY ORIGINALLY ORIGINALS ORIGINATE ORIGINATED ORIGINATES ORIGINATING ORIGINATION ORIGINATOR ORIGINATORS ORIGINS ORIN ORINOCO ORIOLE ORION ORKNEY ORLANDO ORLEANS ORLICK ORLY ORNAMENT ORNAMENTAL ORNAMENTALLY ORNAMENTATION ORNAMENTED ORNAMENTING ORNAMENTS ORNATE ORNERY ORONO ORPHAN ORPHANAGE ORPHANED ORPHANS ORPHEUS ORPHIC ORPHICALLY ORR ORTEGA ORTHANT ORTHODONTIST ORTHODOX ORTHODOXY ORTHOGONAL ORTHOGONALITY ORTHOGONALLY ORTHOPEDIC ORVILLE ORWELL ORWELLIAN OSAKA OSBERT OSBORN OSBORNE OSCAR OSCILLATE OSCILLATED OSCILLATES OSCILLATING OSCILLATION OSCILLATIONS OSCILLATOR OSCILLATORS OSCILLATORY OSCILLOSCOPE OSCILLOSCOPES OSGOOD OSHKOSH OSIRIS OSLO OSMOSIS OSMOTIC OSSIFY OSTENSIBLE OSTENSIBLY OSTENTATIOUS OSTEOPATH OSTEOPATHIC OSTEOPATHY OSTEOPOROSIS OSTRACISM OSTRANDER OSTRICH OSTRICHES OSWALD OTHELLO OTHER OTHERS OTHERWISE OTHERWORLDLY OTIS OTT OTTAWA OTTER OTTERS OTTO OTTOMAN OTTOMANIZATION OTTOMANIZATIONS OTTOMANIZE OTTOMANIZES OUAGADOUGOU OUCH OUGHT OUNCE OUNCES OUR OURS OURSELF OURSELVES OUST OUT OUTBOUND OUTBREAK OUTBREAKS OUTBURST OUTBURSTS OUTCAST OUTCASTS OUTCOME OUTCOMES OUTCRIES OUTCRY OUTDATED OUTDO OUTDOOR OUTDOORS OUTER OUTERMOST OUTFIT OUTFITS OUTFITTED OUTGOING OUTGREW OUTGROW OUTGROWING OUTGROWN OUTGROWS OUTGROWTH OUTING OUTLANDISH OUTLAST OUTLASTS OUTLAW OUTLAWED OUTLAWING OUTLAWS OUTLAY OUTLAYS OUTLET OUTLETS OUTLINE OUTLINED OUTLINES OUTLINING OUTLIVE OUTLIVED OUTLIVES OUTLIVING OUTLOOK OUTLYING OUTNUMBERED OUTPERFORM OUTPERFORMED OUTPERFORMING OUTPERFORMS OUTPOST OUTPOSTS OUTPUT OUTPUTS OUTPUTTING OUTRAGE OUTRAGED OUTRAGEOUS OUTRAGEOUSLY OUTRAGES OUTRIGHT OUTRUN OUTRUNS OUTS OUTSET OUTSIDE OUTSIDER OUTSIDERS OUTSKIRTS OUTSTANDING OUTSTANDINGLY OUTSTRETCHED OUTSTRIP OUTSTRIPPED OUTSTRIPPING OUTSTRIPS OUTVOTE OUTVOTED OUTVOTES OUTVOTING OUTWARD OUTWARDLY OUTWEIGH OUTWEIGHED OUTWEIGHING OUTWEIGHS OUTWIT OUTWITS OUTWITTED OUTWITTING OVAL OVALS OVARIES OVARY OVEN OVENS OVER OVERALL OVERALLS OVERBOARD OVERCAME OVERCOAT OVERCOATS OVERCOME OVERCOMES OVERCOMING OVERCROWD OVERCROWDED OVERCROWDING OVERCROWDS OVERDONE OVERDOSE OVERDRAFT OVERDRAFTS OVERDUE OVEREMPHASIS OVEREMPHASIZED OVERESTIMATE OVERESTIMATED OVERESTIMATES OVERESTIMATING OVERESTIMATION OVERFLOW OVERFLOWED OVERFLOWING OVERFLOWS OVERGROWN OVERHANG OVERHANGING OVERHANGS OVERHAUL OVERHAULING OVERHEAD OVERHEADS OVERHEAR OVERHEARD OVERHEARING OVERHEARS OVERJOY OVERJOYED OVERKILL OVERLAND OVERLAP OVERLAPPED OVERLAPPING OVERLAPS OVERLAY OVERLAYING OVERLAYS OVERLOAD OVERLOADED OVERLOADING OVERLOADS OVERLOOK OVERLOOKED OVERLOOKING OVERLOOKS OVERLY OVERNIGHT OVERNIGHTER OVERNIGHTERS OVERPOWER OVERPOWERED OVERPOWERING OVERPOWERS OVERPRINT OVERPRINTED OVERPRINTING OVERPRINTS OVERPRODUCTION OVERRIDDEN OVERRIDE OVERRIDES OVERRIDING OVERRODE OVERRULE OVERRULED OVERRULES OVERRUN OVERRUNNING OVERRUNS OVERSEAS OVERSEE OVERSEEING OVERSEER OVERSEERS OVERSEES OVERSHADOW OVERSHADOWED OVERSHADOWING OVERSHADOWS OVERSHOOT OVERSHOT OVERSIGHT OVERSIGHTS OVERSIMPLIFIED OVERSIMPLIFIES OVERSIMPLIFY OVERSIMPLIFYING OVERSIZED OVERSTATE OVERSTATED OVERSTATEMENT OVERSTATEMENTS OVERSTATES OVERSTATING OVERSTOCKS OVERSUBSCRIBED OVERT OVERTAKE OVERTAKEN OVERTAKER OVERTAKERS OVERTAKES OVERTAKING OVERTHREW OVERTHROW OVERTHROWN OVERTIME OVERTLY OVERTONE OVERTONES OVERTOOK OVERTURE OVERTURES OVERTURN OVERTURNED OVERTURNING OVERTURNS OVERUSE OVERVIEW OVERVIEWS OVERWHELM OVERWHELMED OVERWHELMING OVERWHELMINGLY OVERWHELMS OVERWORK OVERWORKED OVERWORKING OVERWORKS OVERWRITE OVERWRITES OVERWRITING OVERWRITTEN OVERZEALOUS OVID OWE OWED OWEN OWENS OWES OWING OWL OWLS OWN OWNED OWNER OWNERS OWNERSHIP OWNERSHIPS OWNING OWNS OXEN OXFORD OXIDE OXIDES OXIDIZE OXIDIZED OXNARD OXONIAN OXYGEN OYSTER OYSTERS OZARK OZARKS OZONE OZZIE PABLO PABST PACE PACED PACEMAKER PACER PACERS PACES PACIFIC PACIFICATION PACIFIED PACIFIER PACIFIES PACIFISM PACIFIST PACIFY PACING PACK PACKAGE PACKAGED PACKAGER PACKAGERS PACKAGES PACKAGING PACKAGINGS PACKARD PACKARDS PACKED PACKER PACKERS PACKET PACKETS PACKING PACKS PACKWOOD PACT PACTS PAD PADDED PADDING PADDLE PADDOCK PADDY PADLOCK PADS PAGAN PAGANINI PAGANS PAGE PAGEANT PAGEANTRY PAGEANTS PAGED PAGER PAGERS PAGES PAGINATE PAGINATED PAGINATES PAGINATING PAGINATION PAGING PAGODA PAID PAIL PAILS PAIN PAINE PAINED PAINFUL PAINFULLY PAINLESS PAINS PAINSTAKING PAINSTAKINGLY PAINT PAINTED PAINTER PAINTERS PAINTING PAINTINGS PAINTS PAIR PAIRED PAIRING PAIRINGS PAIRS PAIRWISE PAJAMA PAJAMAS PAKISTAN PAKISTANI PAKISTANIS PAL PALACE PALACES PALATE PALATES PALATINE PALE PALED PALELY PALENESS PALEOLITHIC PALEOZOIC PALER PALERMO PALES PALEST PALESTINE PALESTINIAN PALFREY PALINDROME PALINDROMIC PALING PALL PALLADIAN PALLADIUM PALLIATE PALLIATIVE PALLID PALM PALMED PALMER PALMING PALMOLIVE PALMS PALMYRA PALO PALOMAR PALPABLE PALS PALSY PAM PAMELA PAMPER PAMPHLET PAMPHLETS PAN PANACEA PANACEAS PANAMA PANAMANIAN PANCAKE PANCAKES PANCHO PANDA PANDANUS PANDAS PANDEMIC PANDEMONIUM PANDER PANDORA PANE PANEL PANELED PANELING PANELIST PANELISTS PANELS PANES PANG PANGAEA PANGS PANIC PANICKED PANICKING PANICKY PANICS PANNED PANNING PANORAMA PANORAMIC PANS PANSIES PANSY PANT PANTED PANTHEISM PANTHEIST PANTHEON PANTHER PANTHERS PANTIES PANTING PANTOMIME PANTRIES PANTRY PANTS PANTY PANTYHOSE PAOLI PAPA PAPAL PAPER PAPERBACK PAPERBACKS PAPERED PAPERER PAPERERS PAPERING PAPERINGS PAPERS PAPERWEIGHT PAPERWORK PAPOOSE PAPPAS PAPUA PAPYRUS PAR PARABOLA PARABOLIC PARABOLOID PARABOLOIDAL PARACHUTE PARACHUTED PARACHUTES PARADE PARADED PARADES PARADIGM PARADIGMS PARADING PARADISE PARADOX PARADOXES PARADOXICAL PARADOXICALLY PARAFFIN PARAGON PARAGONS PARAGRAPH PARAGRAPHING PARAGRAPHS PARAGUAY PARAGUAYAN PARAGUAYANS PARAKEET PARALLAX PARALLEL PARALLELED PARALLELING PARALLELISM PARALLELIZE PARALLELIZED PARALLELIZES PARALLELIZING PARALLELOGRAM PARALLELOGRAMS PARALLELS PARALYSIS PARALYZE PARALYZED PARALYZES PARALYZING PARAMETER PARAMETERIZABLE PARAMETERIZATION PARAMETERIZATIONS PARAMETERIZE PARAMETERIZED PARAMETERIZES PARAMETERIZING PARAMETERLESS PARAMETERS PARAMETRIC PARAMETRIZED PARAMILITARY PARAMOUNT PARAMUS PARANOIA PARANOIAC PARANOID PARANORMAL PARAPET PARAPETS PARAPHERNALIA PARAPHRASE PARAPHRASED PARAPHRASES PARAPHRASING PARAPSYCHOLOGY PARASITE PARASITES PARASITIC PARASITICS PARASOL PARBOIL PARC PARCEL PARCELED PARCELING PARCELS PARCH PARCHED PARCHMENT PARDON PARDONABLE PARDONABLY PARDONED PARDONER PARDONERS PARDONING PARDONS PARE PAREGORIC PARENT PARENTAGE PARENTAL PARENTHESES PARENTHESIS PARENTHESIZED PARENTHESIZES PARENTHESIZING PARENTHETIC PARENTHETICAL PARENTHETICALLY PARENTHOOD PARENTS PARES PARETO PARIAH PARIMUTUEL PARING PARINGS PARIS PARISH PARISHES PARISHIONER PARISIAN PARISIANIZATION PARISIANIZATIONS PARISIANIZE PARISIANIZES PARITY PARK PARKE PARKED PARKER PARKERS PARKERSBURG PARKHOUSE PARKING PARKINSON PARKINSONIAN PARKLAND PARKLIKE PARKS PARKWAY PARLAY PARLEY PARLIAMENT PARLIAMENTARIAN PARLIAMENTARY PARLIAMENTS PARLOR PARLORS PARMESAN PAROCHIAL PARODY PAROLE PAROLED PAROLES PAROLING PARR PARRIED PARRISH PARROT PARROTING PARROTS PARRS PARRY PARS PARSE PARSED PARSER PARSERS PARSES PARSI PARSIFAL PARSIMONY PARSING PARSINGS PARSLEY PARSON PARSONS PART PARTAKE PARTAKER PARTAKES PARTAKING PARTED PARTER PARTERS PARTHENON PARTHIA PARTIAL PARTIALITY PARTIALLY PARTICIPANT PARTICIPANTS PARTICIPATE PARTICIPATED PARTICIPATES PARTICIPATING PARTICIPATION PARTICIPLE PARTICLE PARTICLES PARTICULAR PARTICULARLY PARTICULARS PARTICULATE PARTIES PARTING PARTINGS PARTISAN PARTISANS PARTITION PARTITIONED PARTITIONING PARTITIONS PARTLY PARTNER PARTNERED PARTNERS PARTNERSHIP PARTOOK PARTRIDGE PARTRIDGES PARTS PARTY PASADENA PASCAL PASCAL PASO PASS PASSAGE PASSAGES PASSAGEWAY PASSAIC PASSE PASSED PASSENGER PASSENGERS PASSER PASSERS PASSES PASSING PASSION PASSIONATE PASSIONATELY PASSIONS PASSIVATE PASSIVE PASSIVELY PASSIVENESS PASSIVITY PASSOVER PASSPORT PASSPORTS PASSWORD PASSWORDS PAST PASTE PASTED PASTEL PASTERNAK PASTES PASTEUR PASTIME PASTIMES PASTING PASTNESS PASTOR PASTORAL PASTORS PASTRY PASTS PASTURE PASTURES PAT PATAGONIA PATAGONIANS PATCH PATCHED PATCHES PATCHING PATCHWORK PATCHY PATE PATEN PATENT PATENTABLE PATENTED PATENTER PATENTERS PATENTING PATENTLY PATENTS PATERNAL PATERNALLY PATERNOSTER PATERSON PATH PATHETIC PATHNAME PATHNAMES PATHOGEN PATHOGENESIS PATHOLOGICAL PATHOLOGY PATHOS PATHS PATHWAY PATHWAYS PATIENCE PATIENT PATIENTLY PATIENTS PATINA PATIO PATRIARCH PATRIARCHAL PATRIARCHS PATRIARCHY PATRICE PATRICIA PATRICIAN PATRICIANS PATRICK PATRIMONIAL PATRIMONY PATRIOT PATRIOTIC PATRIOTISM PATRIOTS PATROL PATROLLED PATROLLING PATROLMAN PATROLMEN PATROLS PATRON PATRONAGE PATRONIZE PATRONIZED PATRONIZES PATRONIZING PATRONS PATS PATSIES PATSY PATTER PATTERED PATTERING PATTERINGS PATTERN PATTERNED PATTERNING PATTERNS PATTERS PATTERSON PATTI PATTIES PATTON PATTY PAUCITY PAUL PAULA PAULETTE PAULI PAULINE PAULING PAULINIZE PAULINIZES PAULO PAULSEN PAULSON PAULUS PAUNCH PAUNCHY PAUPER PAUSE PAUSED PAUSES PAUSING PAVE PAVED PAVEMENT PAVEMENTS PAVES PAVILION PAVILIONS PAVING PAVLOV PAVLOVIAN PAW PAWING PAWN PAWNS PAWNSHOP PAWS PAWTUCKET PAY PAYABLE PAYCHECK PAYCHECKS PAYED PAYER PAYERS PAYING PAYMENT PAYMENTS PAYNE PAYNES PAYNIZE PAYNIZES PAYOFF PAYOFFS PAYROLL PAYS PAYSON PAZ PEA PEABODY PEACE PEACEABLE PEACEFUL PEACEFULLY PEACEFULNESS PEACETIME PEACH PEACHES PEACHTREE PEACOCK PEACOCKS PEAK PEAKED PEAKS PEAL PEALE PEALED PEALING PEALS PEANUT PEANUTS PEAR PEARCE PEARL PEARLS PEARLY PEARS PEARSON PEAS PEASANT PEASANTRY PEASANTS PEASE PEAT PEBBLE PEBBLES PECCARY PECK PECKED PECKING PECKS PECOS PECTORAL PECULIAR PECULIARITIES PECULIARITY PECULIARLY PECUNIARY PEDAGOGIC PEDAGOGICAL PEDAGOGICALLY PEDAGOGY PEDAL PEDANT PEDANTIC PEDANTRY PEDDLE PEDDLER PEDDLERS PEDESTAL PEDESTRIAN PEDESTRIANS PEDIATRIC PEDIATRICIAN PEDIATRICS PEDIGREE PEDRO PEEK PEEKED PEEKING PEEKS PEEL PEELED PEELING PEELS PEEP PEEPED PEEPER PEEPHOLE PEEPING PEEPS PEER PEERED PEERING PEERLESS PEERS PEG PEGASUS PEGBOARD PEGGY PEGS PEIPING PEJORATIVE PEKING PELHAM PELICAN PELLAGRA PELOPONNESE PELT PELTING PELTS PELVIC PELVIS PEMBROKE PEN PENAL PENALIZE PENALIZED PENALIZES PENALIZING PENALTIES PENALTY PENANCE PENCE PENCHANT PENCIL PENCILED PENCILS PEND PENDANT PENDED PENDING PENDLETON PENDS PENDULUM PENDULUMS PENELOPE PENETRABLE PENETRATE PENETRATED PENETRATES PENETRATING PENETRATINGLY PENETRATION PENETRATIONS PENETRATIVE PENETRATOR PENETRATORS PENGUIN PENGUINS PENH PENICILLIN PENINSULA PENINSULAS PENIS PENISES PENITENT PENITENTIARY PENN PENNED PENNIES PENNILESS PENNING PENNSYLVANIA PENNY PENROSE PENS PENSACOLA PENSION PENSIONER PENSIONS PENSIVE PENT PENTAGON PENTAGONS PENTATEUCH PENTECOST PENTECOSTAL PENTHOUSE PENULTIMATE PENUMBRA PEONY PEOPLE PEOPLED PEOPLES PEORIA PEP PEPPER PEPPERED PEPPERING PEPPERMINT PEPPERONI PEPPERS PEPPERY PEPPY PEPSI PEPSICO PEPSICO PEPTIDE PER PERCEIVABLE PERCEIVABLY PERCEIVE PERCEIVED PERCEIVER PERCEIVERS PERCEIVES PERCEIVING PERCENT PERCENTAGE PERCENTAGES PERCENTILE PERCENTILES PERCENTS PERCEPTIBLE PERCEPTIBLY PERCEPTION PERCEPTIONS PERCEPTIVE PERCEPTIVELY PERCEPTUAL PERCEPTUALLY PERCH PERCHANCE PERCHED PERCHES PERCHING PERCIVAL PERCUSSION PERCUTANEOUS PERCY PEREMPTORY PERENNIAL PERENNIALLY PEREZ PERFECT PERFECTED PERFECTIBLE PERFECTING PERFECTION PERFECTIONIST PERFECTIONISTS PERFECTLY PERFECTNESS PERFECTS PERFORCE PERFORM PERFORMANCE PERFORMANCES PERFORMED PERFORMER PERFORMERS PERFORMING PERFORMS PERFUME PERFUMED PERFUMES PERFUMING PERFUNCTORY PERGAMON PERHAPS PERICLEAN PERICLES PERIHELION PERIL PERILLA PERILOUS PERILOUSLY PERILS PERIMETER PERIOD PERIODIC PERIODICAL PERIODICALLY PERIODICALS PERIODS PERIPHERAL PERIPHERALLY PERIPHERALS PERIPHERIES PERIPHERY PERISCOPE PERISH PERISHABLE PERISHABLES PERISHED PERISHER PERISHERS PERISHES PERISHING PERJURE PERJURY PERK PERKINS PERKY PERLE PERMANENCE PERMANENT PERMANENTLY PERMEABLE PERMEATE PERMEATED PERMEATES PERMEATING PERMEATION PERMIAN PERMISSIBILITY PERMISSIBLE PERMISSIBLY PERMISSION PERMISSIONS PERMISSIVE PERMISSIVELY PERMIT PERMITS PERMITTED PERMITTING PERMUTATION PERMUTATIONS PERMUTE PERMUTED PERMUTES PERMUTING PERNICIOUS PERNOD PEROXIDE PERPENDICULAR PERPENDICULARLY PERPENDICULARS PERPETRATE PERPETRATED PERPETRATES PERPETRATING PERPETRATION PERPETRATIONS PERPETRATOR PERPETRATORS PERPETUAL PERPETUALLY PERPETUATE PERPETUATED PERPETUATES PERPETUATING PERPETUATION PERPETUITY PERPLEX PERPLEXED PERPLEXING PERPLEXITY PERRY PERSECUTE PERSECUTED PERSECUTES PERSECUTING PERSECUTION PERSECUTOR PERSECUTORS PERSEID PERSEPHONE PERSEUS PERSEVERANCE PERSEVERE PERSEVERED PERSEVERES PERSEVERING PERSHING PERSIA PERSIAN PERSIANIZATION PERSIANIZATIONS PERSIANIZE PERSIANIZES PERSIANS PERSIST PERSISTED PERSISTENCE PERSISTENT PERSISTENTLY PERSISTING PERSISTS PERSON PERSONAGE PERSONAGES PERSONAL PERSONALITIES PERSONALITY PERSONALIZATION PERSONALIZE PERSONALIZED PERSONALIZES PERSONALIZING PERSONALLY PERSONIFICATION PERSONIFIED PERSONIFIES PERSONIFY PERSONIFYING PERSONNEL PERSONS PERSPECTIVE PERSPECTIVES PERSPICUOUS PERSPICUOUSLY PERSPIRATION PERSPIRE PERSUADABLE PERSUADE PERSUADED PERSUADER PERSUADERS PERSUADES PERSUADING PERSUASION PERSUASIONS PERSUASIVE PERSUASIVELY PERSUASIVENESS PERTAIN PERTAINED PERTAINING PERTAINS PERTH PERTINENT PERTURB PERTURBATION PERTURBATIONS PERTURBED PERU PERUSAL PERUSE PERUSED PERUSER PERUSERS PERUSES PERUSING PERUVIAN PERUVIANIZE PERUVIANIZES PERUVIANS PERVADE PERVADED PERVADES PERVADING PERVASIVE PERVASIVELY PERVERSION PERVERT PERVERTED PERVERTS PESSIMISM PESSIMIST PESSIMISTIC PEST PESTER PESTICIDE PESTILENCE PESTILENT PESTS PET PETAL PETALS PETE PETER PETERS PETERSBURG PETERSEN PETERSON PETITION PETITIONED PETITIONER PETITIONING PETITIONS PETKIEWICZ PETRI PETROLEUM PETS PETTED PETTER PETTERS PETTIBONE PETTICOAT PETTICOATS PETTINESS PETTING PETTY PETULANCE PETULANT PEUGEOT PEW PEWAUKEE PEWS PEWTER PFIZER PHAEDRA PHANTOM PHANTOMS PHARMACEUTIC PHARMACIST PHARMACOLOGY PHARMACOPOEIA PHARMACY PHASE PHASED PHASER PHASERS PHASES PHASING PHEASANT PHEASANTS PHELPS PHENOMENA PHENOMENAL PHENOMENALLY PHENOMENOLOGICAL PHENOMENOLOGICALLY PHENOMENOLOGIES PHENOMENOLOGY PHENOMENON PHI PHIGS PHIL PHILADELPHIA PHILANTHROPY PHILCO PHILHARMONIC PHILIP PHILIPPE PHILIPPIANS PHILIPPINE PHILIPPINES PHILISTINE PHILISTINES PHILISTINIZE PHILISTINIZES PHILLIES PHILLIP PHILLIPS PHILLY PHILOSOPHER PHILOSOPHERS PHILOSOPHIC PHILOSOPHICAL PHILOSOPHICALLY PHILOSOPHIES PHILOSOPHIZE PHILOSOPHIZED PHILOSOPHIZER PHILOSOPHIZERS PHILOSOPHIZES PHILOSOPHIZING PHILOSOPHY PHIPPS PHOBOS PHOENICIA PHOENIX PHONE PHONED PHONEME PHONEMES PHONEMIC PHONES PHONETIC PHONETICS PHONING PHONOGRAPH PHONOGRAPHS PHONY PHOSGENE PHOSPHATE PHOSPHATES PHOSPHOR PHOSPHORESCENT PHOSPHORIC PHOSPHORUS PHOTO PHOTOCOPIED PHOTOCOPIER PHOTOCOPIERS PHOTOCOPIES PHOTOCOPY PHOTOCOPYING PHOTODIODE PHOTODIODES PHOTOGENIC PHOTOGRAPH PHOTOGRAPHED PHOTOGRAPHER PHOTOGRAPHERS PHOTOGRAPHIC PHOTOGRAPHING PHOTOGRAPHS PHOTOGRAPHY PHOTON PHOTOS PHOTOSENSITIVE PHOTOTYPESETTER PHOTOTYPESETTERS PHRASE PHRASED PHRASEOLOGY PHRASES PHRASING PHRASINGS PHYLA PHYLLIS PHYLUM PHYSIC PHYSICAL PHYSICALLY PHYSICALNESS PHYSICALS PHYSICIAN PHYSICIANS PHYSICIST PHYSICISTS PHYSICS PHYSIOLOGICAL PHYSIOLOGICALLY PHYSIOLOGY PHYSIOTHERAPIST PHYSIOTHERAPY PHYSIQUE PHYTOPLANKTON PIANIST PIANO PIANOS PICA PICAS PICASSO PICAYUNE PICCADILLY PICCOLO PICK PICKAXE PICKED PICKER PICKERING PICKERS PICKET PICKETED PICKETER PICKETERS PICKETING PICKETS PICKETT PICKFORD PICKING PICKINGS PICKLE PICKLED PICKLES PICKLING PICKMAN PICKS PICKUP PICKUPS PICKY PICNIC PICNICKED PICNICKING PICNICS PICOFARAD PICOJOULE PICOSECOND PICT PICTORIAL PICTORIALLY PICTURE PICTURED PICTURES PICTURESQUE PICTURESQUENESS PICTURING PIDDLE PIDGIN PIE PIECE PIECED PIECEMEAL PIECES PIECEWISE PIECING PIEDFORT PIEDMONT PIER PIERCE PIERCED PIERCES PIERCING PIERRE PIERS PIERSON PIES PIETY PIEZOELECTRIC PIG PIGEON PIGEONHOLE PIGEONS PIGGISH PIGGY PIGGYBACK PIGGYBACKED PIGGYBACKING PIGGYBACKS PIGMENT PIGMENTATION PIGMENTED PIGMENTS PIGPEN PIGS PIGSKIN PIGTAIL PIKE PIKER PIKES PILATE PILE PILED PILERS PILES PILFER PILFERAGE PILGRIM PILGRIMAGE PILGRIMAGES PILGRIMS PILING PILINGS PILL PILLAGE PILLAGED PILLAR PILLARED PILLARS PILLORY PILLOW PILLOWS PILLS PILLSBURY PILOT PILOTING PILOTS PIMP PIMPLE PIN PINAFORE PINBALL PINCH PINCHED PINCHES PINCHING PINCUSHION PINE PINEAPPLE PINEAPPLES PINED PINEHURST PINES PING PINHEAD PINHOLE PINING PINION PINK PINKER PINKEST PINKIE PINKISH PINKLY PINKNESS PINKS PINNACLE PINNACLES PINNED PINNING PINNINGS PINOCHLE PINPOINT PINPOINTING PINPOINTS PINS PINSCHER PINSKY PINT PINTO PINTS PINWHEEL PION PIONEER PIONEERED PIONEERING PIONEERS PIOTR PIOUS PIOUSLY PIP PIPE PIPED PIPELINE PIPELINED PIPELINES PIPELINING PIPER PIPERS PIPES PIPESTONE PIPETTE PIPING PIQUE PIRACY PIRAEUS PIRATE PIRATES PISA PISCATAWAY PISCES PISS PISTACHIO PISTIL PISTILS PISTOL PISTOLS PISTON PISTONS PIT PITCH PITCHED PITCHER PITCHERS PITCHES PITCHFORK PITCHING PITEOUS PITEOUSLY PITFALL PITFALLS PITH PITHED PITHES PITHIER PITHIEST PITHINESS PITHING PITHY PITIABLE PITIED PITIER PITIERS PITIES PITIFUL PITIFULLY PITILESS PITILESSLY PITNEY PITS PITT PITTED PITTSBURGH PITTSBURGHERS PITTSFIELD PITTSTON PITUITARY PITY PITYING PITYINGLY PIUS PIVOT PIVOTAL PIVOTING PIVOTS PIXEL PIXELS PIZARRO PIZZA PLACARD PLACARDS PLACATE PLACE PLACEBO PLACED PLACEHOLDER PLACEMENT PLACEMENTS PLACENTA PLACENTAL PLACER PLACES PLACID PLACIDLY PLACING PLAGIARISM PLAGIARIST PLAGUE PLAGUED PLAGUES PLAGUING PLAID PLAIDS PLAIN PLAINER PLAINEST PLAINFIELD PLAINLY PLAINNESS PLAINS PLAINTEXT PLAINTEXTS PLAINTIFF PLAINTIFFS PLAINTIVE PLAINTIVELY PLAINTIVENESS PLAINVIEW PLAIT PLAITS PLAN PLANAR PLANARITY PLANCK PLANE PLANED PLANELOAD PLANER PLANERS PLANES PLANET PLANETARIA PLANETARIUM PLANETARY PLANETESIMAL PLANETOID PLANETS PLANING PLANK PLANKING PLANKS PLANKTON PLANNED PLANNER PLANNERS PLANNING PLANOCONCAVE PLANOCONVEX PLANS PLANT PLANTATION PLANTATIONS PLANTED PLANTER PLANTERS PLANTING PLANTINGS PLANTS PLAQUE PLASMA PLASTER PLASTERED PLASTERER PLASTERING PLASTERS PLASTIC PLASTICITY PLASTICS PLATE PLATEAU PLATEAUS PLATED PLATELET PLATELETS PLATEN PLATENS PLATES PLATFORM PLATFORMS PLATING PLATINUM PLATITUDE PLATO PLATONIC PLATONISM PLATONIST PLATOON PLATTE PLATTER PLATTERS PLATTEVILLE PLAUSIBILITY PLAUSIBLE PLAY PLAYABLE PLAYBACK PLAYBOY PLAYED PLAYER PLAYERS PLAYFUL PLAYFULLY PLAYFULNESS PLAYGROUND PLAYGROUNDS PLAYHOUSE PLAYING PLAYMATE PLAYMATES PLAYOFF PLAYROOM PLAYS PLAYTHING PLAYTHINGS PLAYTIME PLAYWRIGHT PLAYWRIGHTS PLAYWRITING PLAZA PLEA PLEAD PLEADED PLEADER PLEADING PLEADS PLEAS PLEASANT PLEASANTLY PLEASANTNESS PLEASE PLEASED PLEASES PLEASING PLEASINGLY PLEASURE PLEASURES PLEAT PLEBEIAN PLEBIAN PLEBISCITE PLEBISCITES PLEDGE PLEDGED PLEDGES PLEIADES PLEISTOCENE PLENARY PLENIPOTENTIARY PLENTEOUS PLENTIFUL PLENTIFULLY PLENTY PLETHORA PLEURISY PLEXIGLAS PLIABLE PLIANT PLIED PLIERS PLIES PLIGHT PLINY PLIOCENE PLOD PLODDING PLOT PLOTS PLOTTED PLOTTER PLOTTERS PLOTTING PLOW PLOWED PLOWER PLOWING PLOWMAN PLOWS PLOWSHARE PLOY PLOYS PLUCK PLUCKED PLUCKING PLUCKS PLUCKY PLUG PLUGGABLE PLUGGED PLUGGING PLUGS PLUM PLUMAGE PLUMB PLUMBED PLUMBING PLUMBS PLUME PLUMED PLUMES PLUMMET PLUMMETING PLUMP PLUMPED PLUMPNESS PLUMS PLUNDER PLUNDERED PLUNDERER PLUNDERERS PLUNDERING PLUNDERS PLUNGE PLUNGED PLUNGER PLUNGERS PLUNGES PLUNGING PLUNK PLURAL PLURALITY PLURALS PLUS PLUSES PLUSH PLUTARCH PLUTO PLUTONIUM PLY PLYMOUTH PLYWOOD PNEUMATIC PNEUMONIA POACH POACHER POACHES POCAHONTAS POCKET POCKETBOOK POCKETBOOKS POCKETED POCKETFUL POCKETING POCKETS POCONO POCONOS POD PODIA PODIUM PODS PODUNK POE POEM POEMS POET POETIC POETICAL POETICALLY POETICS POETRIES POETRY POETS POGO POGROM POIGNANCY POIGNANT POINCARE POINDEXTER POINT POINTED POINTEDLY POINTER POINTERS POINTING POINTLESS POINTS POINTY POISE POISED POISES POISON POISONED POISONER POISONING POISONOUS POISONOUSNESS POISONS POISSON POKE POKED POKER POKERFACE POKES POKING POLAND POLAR POLARIS POLARITIES POLARITY POLAROID POLE POLECAT POLED POLEMIC POLEMICS POLES POLICE POLICED POLICEMAN POLICEMEN POLICES POLICIES POLICING POLICY POLING POLIO POLISH POLISHED POLISHER POLISHERS POLISHES POLISHING POLITBURO POLITE POLITELY POLITENESS POLITER POLITEST POLITIC POLITICAL POLITICALLY POLITICIAN POLITICIANS POLITICKING POLITICS POLK POLKA POLL POLLARD POLLED POLLEN POLLING POLLOI POLLS POLLUTANT POLLUTE POLLUTED POLLUTES POLLUTING POLLUTION POLLUX POLO POLYALPHABETIC POLYGON POLYGONS POLYHYMNIA POLYMER POLYMERS POLYMORPHIC POLYNESIA POLYNESIAN POLYNOMIAL POLYNOMIALS POLYPHEMUS POLYTECHNIC POLYTHEIST POMERANIA POMERANIAN POMONA POMP POMPADOUR POMPEII POMPEY POMPOSITY POMPOUS POMPOUSLY POMPOUSNESS PONCE PONCHARTRAIN PONCHO POND PONDER PONDERED PONDERING PONDEROUS PONDERS PONDS PONG PONIES PONTIAC PONTIFF PONTIFIC PONTIFICATE PONY POOCH POODLE POOL POOLE POOLED POOLING POOLS POOR POORER POOREST POORLY POORNESS POP POPCORN POPE POPEK POPEKS POPISH POPLAR POPLIN POPPED POPPIES POPPING POPPY POPS POPSICLE POPSICLES POPULACE POPULAR POPULARITY POPULARIZATION POPULARIZE POPULARIZED POPULARIZES POPULARIZING POPULARLY POPULATE POPULATED POPULATES POPULATING POPULATION POPULATIONS POPULOUS POPULOUSNESS PORCELAIN PORCH PORCHES PORCINE PORCUPINE PORCUPINES PORE PORED PORES PORING PORK PORKER PORNOGRAPHER PORNOGRAPHIC PORNOGRAPHY POROUS PORPOISE PORRIDGE PORT PORTABILITY PORTABLE PORTAGE PORTAL PORTALS PORTE PORTED PORTEND PORTENDED PORTENDING PORTENDS PORTENT PORTENTOUS PORTER PORTERHOUSE PORTERS PORTFOLIO PORTFOLIOS PORTIA PORTICO PORTING PORTION PORTIONS PORTLAND PORTLY PORTMANTEAU PORTO PORTRAIT PORTRAITS PORTRAY PORTRAYAL PORTRAYED PORTRAYING PORTRAYS PORTS PORTSMOUTH PORTUGAL PORTUGUESE POSE POSED POSEIDON POSER POSERS POSES POSH POSING POSIT POSITED POSITING POSITION POSITIONAL POSITIONED POSITIONING POSITIONS POSITIVE POSITIVELY POSITIVENESS POSITIVES POSITRON POSITS POSNER POSSE POSSESS POSSESSED POSSESSES POSSESSING POSSESSION POSSESSIONAL POSSESSIONS POSSESSIVE POSSESSIVELY POSSESSIVENESS POSSESSOR POSSESSORS POSSIBILITIES POSSIBILITY POSSIBLE POSSIBLY POSSUM POSSUMS POST POSTAGE POSTAL POSTCARD POSTCONDITION POSTDOCTORAL POSTED POSTER POSTERIOR POSTERIORI POSTERITY POSTERS POSTFIX POSTGRADUATE POSTING POSTLUDE POSTMAN POSTMARK POSTMASTER POSTMASTERS POSTMORTEM POSTOPERATIVE POSTORDER POSTPONE POSTPONED POSTPONING POSTPROCESS POSTPROCESSOR POSTS POSTSCRIPT POSTSCRIPTS POSTULATE POSTULATED POSTULATES POSTULATING POSTULATION POSTULATIONS POSTURE POSTURES POT POTABLE POTASH POTASSIUM POTATO POTATOES POTBELLY POTEMKIN POTENT POTENTATE POTENTATES POTENTIAL POTENTIALITIES POTENTIALITY POTENTIALLY POTENTIALS POTENTIATING POTENTIOMETER POTENTIOMETERS POTHOLE POTION POTLATCH POTOMAC POTPOURRI POTS POTSDAM POTTAWATOMIE POTTED POTTER POTTERS POTTERY POTTING POTTS POUCH POUCHES POUGHKEEPSIE POULTICE POULTRY POUNCE POUNCED POUNCES POUNCING POUND POUNDED POUNDER POUNDERS POUNDING POUNDS POUR POURED POURER POURERS POURING POURS POUSSIN POUSSINS POUT POUTED POUTING POUTS POVERTY POWDER POWDERED POWDERING POWDERPUFF POWDERS POWDERY POWELL POWER POWERED POWERFUL POWERFULLY POWERFULNESS POWERING POWERLESS POWERLESSLY POWERLESSNESS POWERS POX POYNTING PRACTICABLE PRACTICABLY PRACTICAL PRACTICALITY PRACTICALLY PRACTICE PRACTICED PRACTICES PRACTICING PRACTITIONER PRACTITIONERS PRADESH PRADO PRAGMATIC PRAGMATICALLY PRAGMATICS PRAGMATISM PRAGMATIST PRAGUE PRAIRIE PRAISE PRAISED PRAISER PRAISERS PRAISES PRAISEWORTHY PRAISING PRAISINGLY PRANCE PRANCED PRANCER PRANCING PRANK PRANKS PRATE PRATT PRATTVILLE PRAVDA PRAY PRAYED PRAYER PRAYERS PRAYING PREACH PREACHED PREACHER PREACHERS PREACHES PREACHING PREALLOCATE PREALLOCATED PREALLOCATING PREAMBLE PREAMBLES PREASSIGN PREASSIGNED PREASSIGNING PREASSIGNS PRECAMBRIAN PRECARIOUS PRECARIOUSLY PRECARIOUSNESS PRECAUTION PRECAUTIONS PRECEDE PRECEDED PRECEDENCE PRECEDENCES PRECEDENT PRECEDENTED PRECEDENTS PRECEDES PRECEDING PRECEPT PRECEPTS PRECESS PRECESSION PRECINCT PRECINCTS PRECIOUS PRECIOUSLY PRECIOUSNESS PRECIPICE PRECIPITABLE PRECIPITATE PRECIPITATED PRECIPITATELY PRECIPITATENESS PRECIPITATES PRECIPITATING PRECIPITATION PRECIPITOUS PRECIPITOUSLY PRECISE PRECISELY PRECISENESS PRECISION PRECISIONS PRECLUDE PRECLUDED PRECLUDES PRECLUDING PRECOCIOUS PRECOCIOUSLY PRECOCITY PRECOMPUTE PRECOMPUTED PRECOMPUTING PRECONCEIVE PRECONCEIVED PRECONCEPTION PRECONCEPTIONS PRECONDITION PRECONDITIONED PRECONDITIONS PRECURSOR PRECURSORS PREDATE PREDATED PREDATES PREDATING PREDATORY PREDECESSOR PREDECESSORS PREDEFINE PREDEFINED PREDEFINES PREDEFINING PREDEFINITION PREDEFINITIONS PREDETERMINATION PREDETERMINE PREDETERMINED PREDETERMINES PREDETERMINING PREDICAMENT PREDICATE PREDICATED PREDICATES PREDICATING PREDICATION PREDICATIONS PREDICT PREDICTABILITY PREDICTABLE PREDICTABLY PREDICTED PREDICTING PREDICTION PREDICTIONS PREDICTIVE PREDICTOR PREDICTS PREDILECTION PREDILECTIONS PREDISPOSITION PREDOMINANT PREDOMINANTLY PREDOMINATE PREDOMINATED PREDOMINATELY PREDOMINATES PREDOMINATING PREDOMINATION PREEMINENCE PREEMINENT PREEMPT PREEMPTED PREEMPTING PREEMPTION PREEMPTIVE PREEMPTOR PREEMPTS PREEN PREEXISTING PREFAB PREFABRICATE PREFACE PREFACED PREFACES PREFACING PREFER PREFERABLE PREFERABLY PREFERENCE PREFERENCES PREFERENTIAL PREFERENTIALLY PREFERRED PREFERRING PREFERS PREFIX PREFIXED PREFIXES PREFIXING PREGNANCY PREGNANT PREHISTORIC PREINITIALIZE PREINITIALIZED PREINITIALIZES PREINITIALIZING PREJUDGE PREJUDGED PREJUDICE PREJUDICED PREJUDICES PREJUDICIAL PRELATE PRELIMINARIES PRELIMINARY PRELUDE PRELUDES PREMATURE PREMATURELY PREMATURITY PREMEDITATED PREMEDITATION PREMIER PREMIERS PREMISE PREMISES PREMIUM PREMIUMS PREMONITION PRENATAL PRENTICE PRENTICED PRENTICING PREOCCUPATION PREOCCUPIED PREOCCUPIES PREOCCUPY PREP PREPARATION PREPARATIONS PREPARATIVE PREPARATIVES PREPARATORY PREPARE PREPARED PREPARES PREPARING PREPEND PREPENDED PREPENDING PREPOSITION PREPOSITIONAL PREPOSITIONS PREPOSTEROUS PREPOSTEROUSLY PREPROCESSED PREPROCESSING PREPROCESSOR PREPROCESSORS PREPRODUCTION PREPROGRAMMED PREREQUISITE PREREQUISITES PREROGATIVE PREROGATIVES PRESBYTERIAN PRESBYTERIANISM PRESBYTERIANIZE PRESBYTERIANIZES PRESCOTT PRESCRIBE PRESCRIBED PRESCRIBES PRESCRIPTION PRESCRIPTIONS PRESCRIPTIVE PRESELECT PRESELECTED PRESELECTING PRESELECTS PRESENCE PRESENCES PRESENT PRESENTATION PRESENTATIONS PRESENTED PRESENTER PRESENTING PRESENTLY PRESENTNESS PRESENTS PRESERVATION PRESERVATIONS PRESERVE PRESERVED PRESERVER PRESERVERS PRESERVES PRESERVING PRESET PRESIDE PRESIDED PRESIDENCY PRESIDENT PRESIDENTIAL PRESIDENTS PRESIDES PRESIDING PRESLEY PRESS PRESSED PRESSER PRESSES PRESSING PRESSINGS PRESSURE PRESSURED PRESSURES PRESSURING PRESSURIZE PRESSURIZED PRESTIDIGITATE PRESTIGE PRESTIGIOUS PRESTON PRESUMABLY PRESUME PRESUMED PRESUMES PRESUMING PRESUMPTION PRESUMPTIONS PRESUMPTIVE PRESUMPTUOUS PRESUMPTUOUSNESS PRESUPPOSE PRESUPPOSED PRESUPPOSES PRESUPPOSING PRESUPPOSITION PRETEND PRETENDED PRETENDER PRETENDERS PRETENDING PRETENDS PRETENSE PRETENSES PRETENSION PRETENSIONS PRETENTIOUS PRETENTIOUSLY PRETENTIOUSNESS PRETEXT PRETEXTS PRETORIA PRETORIAN PRETTIER PRETTIEST PRETTILY PRETTINESS PRETTY PREVAIL PREVAILED PREVAILING PREVAILINGLY PREVAILS PREVALENCE PREVALENT PREVALENTLY PREVENT PREVENTABLE PREVENTABLY PREVENTED PREVENTING PREVENTION PREVENTIVE PREVENTIVES PREVENTS PREVIEW PREVIEWED PREVIEWING PREVIEWS PREVIOUS PREVIOUSLY PREY PREYED PREYING PREYS PRIAM PRICE PRICED PRICELESS PRICER PRICERS PRICES PRICING PRICK PRICKED PRICKING PRICKLY PRICKS PRIDE PRIDED PRIDES PRIDING PRIEST PRIESTLEY PRIGGISH PRIM PRIMA PRIMACY PRIMAL PRIMARIES PRIMARILY PRIMARY PRIMATE PRIME PRIMED PRIMENESS PRIMER PRIMERS PRIMES PRIMEVAL PRIMING PRIMITIVE PRIMITIVELY PRIMITIVENESS PRIMITIVES PRIMROSE PRINCE PRINCELY PRINCES PRINCESS PRINCESSES PRINCETON PRINCIPAL PRINCIPALITIES PRINCIPALITY PRINCIPALLY PRINCIPALS PRINCIPIA PRINCIPLE PRINCIPLED PRINCIPLES PRINT PRINTABLE PRINTABLY PRINTED PRINTER PRINTERS PRINTING PRINTOUT PRINTS PRIOR PRIORI PRIORITIES PRIORITY PRIORY PRISCILLA PRISM PRISMS PRISON PRISONER PRISONERS PRISONS PRISTINE PRITCHARD PRIVACIES PRIVACY PRIVATE PRIVATELY PRIVATES PRIVATION PRIVATIONS PRIVIES PRIVILEGE PRIVILEGED PRIVILEGES PRIVY PRIZE PRIZED PRIZER PRIZERS PRIZES PRIZEWINNING PRIZING PRO PROBABILISTIC PROBABILISTICALLY PROBABILITIES PROBABILITY PROBABLE PROBABLY PROBATE PROBATED PROBATES PROBATING PROBATION PROBATIVE PROBE PROBED PROBES PROBING PROBINGS PROBITY PROBLEM PROBLEMATIC PROBLEMATICAL PROBLEMATICALLY PROBLEMS PROCAINE PROCEDURAL PROCEDURALLY PROCEDURE PROCEDURES PROCEED PROCEEDED PROCEEDING PROCEEDINGS PROCEEDS PROCESS PROCESSED PROCESSES PROCESSING PROCESSION PROCESSOR PROCESSORS PROCLAIM PROCLAIMED PROCLAIMER PROCLAIMERS PROCLAIMING PROCLAIMS PROCLAMATION PROCLAMATIONS PROCLIVITIES PROCLIVITY PROCOTOLS PROCRASTINATE PROCRASTINATED PROCRASTINATES PROCRASTINATING PROCRASTINATION PROCREATE PROCRUSTEAN PROCRUSTEANIZE PROCRUSTEANIZES PROCRUSTES PROCTER PROCURE PROCURED PROCUREMENT PROCUREMENTS PROCURER PROCURERS PROCURES PROCURING PROCYON PROD PRODIGAL PRODIGALLY PRODIGIOUS PRODIGY PRODUCE PRODUCED PRODUCER PRODUCERS PRODUCES PRODUCIBLE PRODUCING PRODUCT PRODUCTION PRODUCTIONS PRODUCTIVE PRODUCTIVELY PRODUCTIVITY PRODUCTS PROFANE PROFANELY PROFESS PROFESSED PROFESSES PROFESSING PROFESSION PROFESSIONAL PROFESSIONALISM PROFESSIONALLY PROFESSIONALS PROFESSIONS PROFESSOR PROFESSORIAL PROFESSORS PROFFER PROFFERED PROFFERS PROFICIENCY PROFICIENT PROFICIENTLY PROFILE PROFILED PROFILES PROFILING PROFIT PROFITABILITY PROFITABLE PROFITABLY PROFITED PROFITEER PROFITEERS PROFITING PROFITS PROFITTED PROFLIGATE PROFOUND PROFOUNDEST PROFOUNDLY PROFUNDITY PROFUSE PROFUSION PROGENITOR PROGENY PROGNOSIS PROGNOSTICATE PROGRAM PROGRAMMABILITY PROGRAMMABLE PROGRAMMED PROGRAMMER PROGRAMMERS PROGRAMMING PROGRAMS PROGRESS PROGRESSED PROGRESSES PROGRESSING PROGRESSION PROGRESSIONS PROGRESSIVE PROGRESSIVELY PROHIBIT PROHIBITED PROHIBITING PROHIBITION PROHIBITIONS PROHIBITIVE PROHIBITIVELY PROHIBITORY PROHIBITS PROJECT PROJECTED PROJECTILE PROJECTING PROJECTION PROJECTIONS PROJECTIVE PROJECTIVELY PROJECTOR PROJECTORS PROJECTS PROKOFIEFF PROKOFIEV PROLATE PROLEGOMENA PROLETARIAT PROLIFERATE PROLIFERATED PROLIFERATES PROLIFERATING PROLIFERATION PROLIFIC PROLIX PROLOG PROLOGUE PROLONG PROLONGATE PROLONGED PROLONGING PROLONGS PROMENADE PROMENADES PROMETHEAN PROMETHEUS PROMINENCE PROMINENT PROMINENTLY PROMISCUOUS PROMISE PROMISED PROMISES PROMISING PROMONTORY PROMOTE PROMOTED PROMOTER PROMOTERS PROMOTES PROMOTING PROMOTION PROMOTIONAL PROMOTIONS PROMPT PROMPTED PROMPTER PROMPTEST PROMPTING PROMPTINGS PROMPTLY PROMPTNESS PROMPTS PROMULGATE PROMULGATED PROMULGATES PROMULGATING PROMULGATION PRONE PRONENESS PRONG PRONGED PRONGS PRONOUN PRONOUNCE PRONOUNCEABLE PRONOUNCED PRONOUNCEMENT PRONOUNCEMENTS PRONOUNCES PRONOUNCING PRONOUNS PRONUNCIATION PRONUNCIATIONS PROOF PROOFREAD PROOFREADER PROOFS PROP PROPAGANDA PROPAGANDIST PROPAGATE PROPAGATED PROPAGATES PROPAGATING PROPAGATION PROPAGATIONS PROPANE PROPEL PROPELLANT PROPELLED PROPELLER PROPELLERS PROPELLING PROPELS PROPENSITY PROPER PROPERLY PROPERNESS PROPERTIED PROPERTIES PROPERTY PROPHECIES PROPHECY PROPHESIED PROPHESIER PROPHESIES PROPHESY PROPHET PROPHETIC PROPHETS PROPITIOUS PROPONENT PROPONENTS PROPORTION PROPORTIONAL PROPORTIONALLY PROPORTIONATELY PROPORTIONED PROPORTIONING PROPORTIONMENT PROPORTIONS PROPOS PROPOSAL PROPOSALS PROPOSE PROPOSED PROPOSER PROPOSES PROPOSING PROPOSITION PROPOSITIONAL PROPOSITIONALLY PROPOSITIONED PROPOSITIONING PROPOSITIONS PROPOUND PROPOUNDED PROPOUNDING PROPOUNDS PROPRIETARY PROPRIETOR PROPRIETORS PROPRIETY PROPS PROPULSION PROPULSIONS PRORATE PRORATED PRORATES PROS PROSCENIUM PROSCRIBE PROSCRIPTION PROSE PROSECUTE PROSECUTED PROSECUTES PROSECUTING PROSECUTION PROSECUTIONS PROSECUTOR PROSELYTIZE PROSELYTIZED PROSELYTIZES PROSELYTIZING PROSERPINE PROSODIC PROSODICS PROSPECT PROSPECTED PROSPECTING PROSPECTION PROSPECTIONS PROSPECTIVE PROSPECTIVELY PROSPECTIVES PROSPECTOR PROSPECTORS PROSPECTS PROSPECTUS PROSPER PROSPERED PROSPERING PROSPERITY PROSPEROUS PROSPERS PROSTATE PROSTHETIC PROSTITUTE PROSTITUTION PROSTRATE PROSTRATION PROTAGONIST PROTEAN PROTECT PROTECTED PROTECTING PROTECTION PROTECTIONS PROTECTIVE PROTECTIVELY PROTECTIVENESS PROTECTOR PROTECTORATE PROTECTORS PROTECTS PROTEGE PROTEGES PROTEIN PROTEINS PROTEST PROTESTANT PROTESTANTISM PROTESTANTIZE PROTESTANTIZES PROTESTATION PROTESTATIONS PROTESTED PROTESTING PROTESTINGLY PROTESTOR PROTESTS PROTISTA PROTOCOL PROTOCOLS PROTON PROTONS PROTOPHYTA PROTOPLASM PROTOTYPE PROTOTYPED PROTOTYPES PROTOTYPICAL PROTOTYPICALLY PROTOTYPING PROTOZOA PROTOZOAN PROTRACT PROTRUDE PROTRUDED PROTRUDES PROTRUDING PROTRUSION PROTRUSIONS PROTUBERANT PROUD PROUDER PROUDEST PROUDLY PROUST PROVABILITY PROVABLE PROVABLY PROVE PROVED PROVEN PROVENANCE PROVENCE PROVER PROVERB PROVERBIAL PROVERBS PROVERS PROVES PROVIDE PROVIDED PROVIDENCE PROVIDENT PROVIDER PROVIDERS PROVIDES PROVIDING PROVINCE PROVINCES PROVINCIAL PROVING PROVISION PROVISIONAL PROVISIONALLY PROVISIONED PROVISIONING PROVISIONS PROVISO PROVOCATION PROVOKE PROVOKED PROVOKES PROVOST PROW PROWESS PROWL PROWLED PROWLER PROWLERS PROWLING PROWS PROXIMAL PROXIMATE PROXIMITY PROXMIRE PROXY PRUDENCE PRUDENT PRUDENTIAL PRUDENTLY PRUNE PRUNED PRUNER PRUNERS PRUNES PRUNING PRURIENT PRUSSIA PRUSSIAN PRUSSIANIZATION PRUSSIANIZATIONS PRUSSIANIZE PRUSSIANIZER PRUSSIANIZERS PRUSSIANIZES PRY PRYING PSALM PSALMS PSEUDO PSEUDOFILES PSEUDOINSTRUCTION PSEUDOINSTRUCTIONS PSEUDONYM PSEUDOPARALLELISM PSILOCYBIN PSYCH PSYCHE PSYCHEDELIC PSYCHES PSYCHIATRIC PSYCHIATRIST PSYCHIATRISTS PSYCHIATRY PSYCHIC PSYCHO PSYCHOANALYSIS PSYCHOANALYST PSYCHOANALYTIC PSYCHOBIOLOGY PSYCHOLOGICAL PSYCHOLOGICALLY PSYCHOLOGIST PSYCHOLOGISTS PSYCHOLOGY PSYCHOPATH PSYCHOPATHIC PSYCHOPHYSIC PSYCHOSES PSYCHOSIS PSYCHOSOCIAL PSYCHOSOMATIC PSYCHOTHERAPEUTIC PSYCHOTHERAPIST PSYCHOTHERAPY PSYCHOTIC PTOLEMAIC PTOLEMAISTS PTOLEMY PUB PUBERTY PUBLIC PUBLICATION PUBLICATIONS PUBLICITY PUBLICIZE PUBLICIZED PUBLICIZES PUBLICIZING PUBLICLY PUBLISH PUBLISHED PUBLISHER PUBLISHERS PUBLISHES PUBLISHING PUBS PUCCINI PUCKER PUCKERED PUCKERING PUCKERS PUDDING PUDDINGS PUDDLE PUDDLES PUDDLING PUERTO PUFF PUFFED PUFFIN PUFFING PUFFS PUGH PUKE PULASKI PULITZER PULL PULLED PULLER PULLEY PULLEYS PULLING PULLINGS PULLMAN PULLMANIZE PULLMANIZES PULLMANS PULLOVER PULLS PULMONARY PULP PULPING PULPIT PULPITS PULSAR PULSATE PULSATION PULSATIONS PULSE PULSED PULSES PULSING PUMA PUMICE PUMMEL PUMP PUMPED PUMPING PUMPKIN PUMPKINS PUMPS PUN PUNCH PUNCHED PUNCHER PUNCHES PUNCHING PUNCTUAL PUNCTUALLY PUNCTUATION PUNCTURE PUNCTURED PUNCTURES PUNCTURING PUNDIT PUNGENT PUNIC PUNISH PUNISHABLE PUNISHED PUNISHES PUNISHING PUNISHMENT PUNISHMENTS PUNITIVE PUNJAB PUNJABI PUNS PUNT PUNTED PUNTING PUNTS PUNY PUP PUPA PUPIL PUPILS PUPPET PUPPETEER PUPPETS PUPPIES PUPPY PUPS PURCELL PURCHASE PURCHASED PURCHASER PURCHASERS PURCHASES PURCHASING PURDUE PURE PURELY PURER PUREST PURGATORY PURGE PURGED PURGES PURGING PURIFICATION PURIFICATIONS PURIFIED PURIFIER PURIFIERS PURIFIES PURIFY PURIFYING PURINA PURIST PURITAN PURITANIC PURITANIZE PURITANIZER PURITANIZERS PURITANIZES PURITY PURPLE PURPLER PURPLEST PURPORT PURPORTED PURPORTEDLY PURPORTER PURPORTERS PURPORTING PURPORTS PURPOSE PURPOSED PURPOSEFUL PURPOSEFULLY PURPOSELY PURPOSES PURPOSIVE PURR PURRED PURRING PURRS PURSE PURSED PURSER PURSES PURSUANT PURSUE PURSUED PURSUER PURSUERS PURSUES PURSUING PURSUIT PURSUITS PURVEYOR PURVIEW PUS PUSAN PUSEY PUSH PUSHBUTTON PUSHDOWN PUSHED PUSHER PUSHERS PUSHES PUSHING PUSS PUSSY PUSSYCAT PUT PUTNAM PUTS PUTT PUTTER PUTTERING PUTTERS PUTTING PUTTY PUZZLE PUZZLED PUZZLEMENT PUZZLER PUZZLERS PUZZLES PUZZLING PUZZLINGS PYGMALION PYGMIES PYGMY PYLE PYONGYANG PYOTR PYRAMID PYRAMIDS PYRE PYREX PYRRHIC PYTHAGORAS PYTHAGOREAN PYTHAGOREANIZE PYTHAGOREANIZES PYTHAGOREANS PYTHON QATAR QUA QUACK QUACKED QUACKERY QUACKS QUAD QUADRANGLE QUADRANGULAR QUADRANT QUADRANTS QUADRATIC QUADRATICAL QUADRATICALLY QUADRATICS QUADRATURE QUADRATURES QUADRENNIAL QUADRILATERAL QUADRILLION QUADRUPLE QUADRUPLED QUADRUPLES QUADRUPLING QUADRUPOLE QUAFF QUAGMIRE QUAGMIRES QUAHOG QUAIL QUAILS QUAINT QUAINTLY QUAINTNESS QUAKE QUAKED QUAKER QUAKERESS QUAKERIZATION QUAKERIZATIONS QUAKERIZE QUAKERIZES QUAKERS QUAKES QUAKING QUALIFICATION QUALIFICATIONS QUALIFIED QUALIFIER QUALIFIERS QUALIFIES QUALIFY QUALIFYING QUALITATIVE QUALITATIVELY QUALITIES QUALITY QUALM QUANDARIES QUANDARY QUANTA QUANTICO QUANTIFIABLE QUANTIFICATION QUANTIFICATIONS QUANTIFIED QUANTIFIER QUANTIFIERS QUANTIFIES QUANTIFY QUANTIFYING QUANTILE QUANTITATIVE QUANTITATIVELY QUANTITIES QUANTITY QUANTIZATION QUANTIZE QUANTIZED QUANTIZES QUANTIZING QUANTUM QUARANTINE QUARANTINES QUARANTINING QUARK QUARREL QUARRELED QUARRELING QUARRELS QUARRELSOME QUARRIES QUARRY QUART QUARTER QUARTERBACK QUARTERED QUARTERING QUARTERLY QUARTERMASTER QUARTERS QUARTET QUARTETS QUARTILE QUARTS QUARTZ QUARTZITE QUASAR QUASH QUASHED QUASHES QUASHING QUASI QUASIMODO QUATERNARY QUAVER QUAVERED QUAVERING QUAVERS QUAY QUEASY QUEBEC QUEEN QUEENLY QUEENS QUEENSLAND QUEER QUEERER QUEEREST QUEERLY QUEERNESS QUELL QUELLING QUENCH QUENCHED QUENCHES QUENCHING QUERIED QUERIES QUERY QUERYING QUEST QUESTED QUESTER QUESTERS QUESTING QUESTION QUESTIONABLE QUESTIONABLY QUESTIONED QUESTIONER QUESTIONERS QUESTIONING QUESTIONINGLY QUESTIONINGS QUESTIONNAIRE QUESTIONNAIRES QUESTIONS QUESTS QUEUE QUEUED QUEUEING QUEUER QUEUERS QUEUES QUEUING QUEZON QUIBBLE QUICHUA QUICK QUICKEN QUICKENED QUICKENING QUICKENS QUICKER QUICKEST QUICKIE QUICKLIME QUICKLY QUICKNESS QUICKSAND QUICKSILVER QUIESCENT QUIET QUIETED QUIETER QUIETEST QUIETING QUIETLY QUIETNESS QUIETS QUIETUDE QUILL QUILT QUILTED QUILTING QUILTS QUINCE QUININE QUINN QUINT QUINTET QUINTILLION QUIP QUIRINAL QUIRK QUIRKY QUIT QUITE QUITO QUITS QUITTER QUITTERS QUITTING QUIVER QUIVERED QUIVERING QUIVERS QUIXOTE QUIXOTIC QUIXOTISM QUIZ QUIZZED QUIZZES QUIZZICAL QUIZZING QUO QUONSET QUORUM QUOTA QUOTAS QUOTATION QUOTATIONS QUOTE QUOTED QUOTES QUOTH QUOTIENT QUOTIENTS QUOTING RABAT RABBI RABBIT RABBITS RABBLE RABID RABIES RABIN RACCOON RACCOONS RACE RACED RACER RACERS RACES RACETRACK RACHEL RACHMANINOFF RACIAL RACIALLY RACINE RACING RACK RACKED RACKET RACKETEER RACKETEERING RACKETEERS RACKETS RACKING RACKS RADAR RADARS RADCLIFFE RADIAL RADIALLY RADIAN RADIANCE RADIANT RADIANTLY RADIATE RADIATED RADIATES RADIATING RADIATION RADIATIONS RADIATOR RADIATORS RADICAL RADICALLY RADICALS RADICES RADII RADIO RADIOACTIVE RADIOASTRONOMY RADIOED RADIOGRAPHY RADIOING RADIOLOGY RADIOS RADISH RADISHES RADIUM RADIUS RADIX RADON RAE RAFAEL RAFFERTY RAFT RAFTER RAFTERS RAFTS RAG RAGE RAGED RAGES RAGGED RAGGEDLY RAGGEDNESS RAGING RAGS RAGUSAN RAGWEED RAID RAIDED RAIDER RAIDERS RAIDING RAIDS RAIL RAILED RAILER RAILERS RAILING RAILROAD RAILROADED RAILROADER RAILROADERS RAILROADING RAILROADS RAILS RAILWAY RAILWAYS RAIMENT RAIN RAINBOW RAINCOAT RAINCOATS RAINDROP RAINDROPS RAINED RAINFALL RAINIER RAINIEST RAINING RAINS RAINSTORM RAINY RAISE RAISED RAISER RAISERS RAISES RAISIN RAISING RAKE RAKED RAKES RAKING RALEIGH RALLIED RALLIES RALLY RALLYING RALPH RALSTON RAM RAMADA RAMAN RAMBLE RAMBLER RAMBLES RAMBLING RAMBLINGS RAMIFICATION RAMIFICATIONS RAMIREZ RAMO RAMONA RAMP RAMPAGE RAMPANT RAMPART RAMPS RAMROD RAMS RAMSEY RAN RANCH RANCHED RANCHER RANCHERS RANCHES RANCHING RANCID RAND RANDALL RANDOLPH RANDOM RANDOMIZATION RANDOMIZE RANDOMIZED RANDOMIZES RANDOMLY RANDOMNESS RANDY RANG RANGE RANGED RANGELAND RANGER RANGERS RANGES RANGING RANGOON RANGY RANIER RANK RANKED RANKER RANKERS RANKEST RANKIN RANKINE RANKING RANKINGS RANKLE RANKLY RANKNESS RANKS RANSACK RANSACKED RANSACKING RANSACKS RANSOM RANSOMER RANSOMING RANSOMS RANT RANTED RANTER RANTERS RANTING RANTS RAOUL RAP RAPACIOUS RAPE RAPED RAPER RAPES RAPHAEL RAPID RAPIDITY RAPIDLY RAPIDS RAPIER RAPING RAPPORT RAPPROCHEMENT RAPS RAPT RAPTLY RAPTURE RAPTURES RAPTUROUS RAPUNZEL RARE RARELY RARENESS RARER RAREST RARITAN RARITY RASCAL RASCALLY RASCALS RASH RASHER RASHLY RASHNESS RASMUSSEN RASP RASPBERRY RASPED RASPING RASPS RASTER RASTUS RAT RATE RATED RATER RATERS RATES RATFOR RATHER RATIFICATION RATIFIED RATIFIES RATIFY RATIFYING RATING RATINGS RATIO RATION RATIONAL RATIONALE RATIONALES RATIONALITIES RATIONALITY RATIONALIZATION RATIONALIZATIONS RATIONALIZE RATIONALIZED RATIONALIZES RATIONALIZING RATIONALLY RATIONALS RATIONING RATIONS RATIOS RATS RATTLE RATTLED RATTLER RATTLERS RATTLES RATTLESNAKE RATTLESNAKES RATTLING RAUCOUS RAUL RAVAGE RAVAGED RAVAGER RAVAGERS RAVAGES RAVAGING RAVE RAVED RAVEN RAVENING RAVENOUS RAVENOUSLY RAVENS RAVES RAVINE RAVINES RAVING RAVINGS RAW RAWER RAWEST RAWLINGS RAWLINS RAWLINSON RAWLY RAWNESS RAWSON RAY RAYBURN RAYLEIGH RAYMOND RAYMONDVILLE RAYS RAYTHEON RAZE RAZOR RAZORS REABBREVIATE REABBREVIATED REABBREVIATES REABBREVIATING REACH REACHABILITY REACHABLE REACHABLY REACHED REACHER REACHES REACHING REACQUIRED REACT REACTED REACTING REACTION REACTIONARIES REACTIONARY REACTIONS REACTIVATE REACTIVATED REACTIVATES REACTIVATING REACTIVATION REACTIVE REACTIVELY REACTIVITY REACTOR REACTORS REACTS READ READABILITY READABLE READER READERS READIED READIER READIES READIEST READILY READINESS READING READINGS READJUSTED READOUT READOUTS READS READY READYING REAGAN REAL REALEST REALIGN REALIGNED REALIGNING REALIGNS REALISM REALIST REALISTIC REALISTICALLY REALISTS REALITIES REALITY REALIZABLE REALIZABLY REALIZATION REALIZATIONS REALIZE REALIZED REALIZES REALIZING REALLOCATE REALLY REALM REALMS REALNESS REALS REALTOR REAM REANALYZE REANALYZES REANALYZING REAP REAPED REAPER REAPING REAPPEAR REAPPEARED REAPPEARING REAPPEARS REAPPRAISAL REAPPRAISALS REAPS REAR REARED REARING REARRANGE REARRANGEABLE REARRANGED REARRANGEMENT REARRANGEMENTS REARRANGES REARRANGING REARREST REARRESTED REARS REASON REASONABLE REASONABLENESS REASONABLY REASONED REASONER REASONING REASONINGS REASONS REASSEMBLE REASSEMBLED REASSEMBLES REASSEMBLING REASSEMBLY REASSESSMENT REASSESSMENTS REASSIGN REASSIGNED REASSIGNING REASSIGNMENT REASSIGNMENTS REASSIGNS REASSURE REASSURED REASSURES REASSURING REAWAKEN REAWAKENED REAWAKENING REAWAKENS REBATE REBATES REBECCA REBEL REBELLED REBELLING REBELLION REBELLIONS REBELLIOUS REBELLIOUSLY REBELLIOUSNESS REBELS REBIND REBINDING REBINDS REBOOT REBOOTED REBOOTING REBOOTS REBOUND REBOUNDED REBOUNDING REBOUNDS REBROADCAST REBROADCASTING REBROADCASTS REBUFF REBUFFED REBUILD REBUILDING REBUILDS REBUILT REBUKE REBUKED REBUKES REBUKING REBUTTAL REBUTTED REBUTTING RECALCITRANT RECALCULATE RECALCULATED RECALCULATES RECALCULATING RECALCULATION RECALCULATIONS RECALIBRATE RECALIBRATED RECALIBRATES RECALIBRATING RECALL RECALLED RECALLING RECALLS RECANT RECAPITULATE RECAPITULATED RECAPITULATES RECAPITULATION RECAPTURE RECAPTURED RECAPTURES RECAPTURING RECAST RECASTING RECASTS RECEDE RECEDED RECEDES RECEDING RECEIPT RECEIPTS RECEIVABLE RECEIVE RECEIVED RECEIVER RECEIVERS RECEIVES RECEIVING RECENT RECENTLY RECENTNESS RECEPTACLE RECEPTACLES RECEPTION RECEPTIONIST RECEPTIONS RECEPTIVE RECEPTIVELY RECEPTIVENESS RECEPTIVITY RECEPTOR RECESS RECESSED RECESSES RECESSION RECESSIVE RECIFE RECIPE RECIPES RECIPIENT RECIPIENTS RECIPROCAL RECIPROCALLY RECIPROCATE RECIPROCATED RECIPROCATES RECIPROCATING RECIPROCATION RECIPROCITY RECIRCULATE RECIRCULATED RECIRCULATES RECIRCULATING RECITAL RECITALS RECITATION RECITATIONS RECITE RECITED RECITER RECITES RECITING RECKLESS RECKLESSLY RECKLESSNESS RECKON RECKONED RECKONER RECKONING RECKONINGS RECKONS RECLAIM RECLAIMABLE RECLAIMED RECLAIMER RECLAIMERS RECLAIMING RECLAIMS RECLAMATION RECLAMATIONS RECLASSIFICATION RECLASSIFIED RECLASSIFIES RECLASSIFY RECLASSIFYING RECLINE RECLINING RECODE RECODED RECODES RECODING RECOGNITION RECOGNITIONS RECOGNIZABILITY RECOGNIZABLE RECOGNIZABLY RECOGNIZE RECOGNIZED RECOGNIZER RECOGNIZERS RECOGNIZES RECOGNIZING RECOIL RECOILED RECOILING RECOILS RECOLLECT RECOLLECTED RECOLLECTING RECOLLECTION RECOLLECTIONS RECOMBINATION RECOMBINE RECOMBINED RECOMBINES RECOMBINING RECOMMEND RECOMMENDATION RECOMMENDATIONS RECOMMENDED RECOMMENDER RECOMMENDING RECOMMENDS RECOMPENSE RECOMPILE RECOMPILED RECOMPILES RECOMPILING RECOMPUTE RECOMPUTED RECOMPUTES RECOMPUTING RECONCILE RECONCILED RECONCILER RECONCILES RECONCILIATION RECONCILING RECONFIGURABLE RECONFIGURATION RECONFIGURATIONS RECONFIGURE RECONFIGURED RECONFIGURER RECONFIGURES RECONFIGURING RECONNECT RECONNECTED RECONNECTING RECONNECTION RECONNECTS RECONSIDER RECONSIDERATION RECONSIDERED RECONSIDERING RECONSIDERS RECONSTITUTED RECONSTRUCT RECONSTRUCTED RECONSTRUCTING RECONSTRUCTION RECONSTRUCTS RECONVERTED RECONVERTS RECORD RECORDED RECORDER RECORDERS RECORDING RECORDINGS RECORDS RECOUNT RECOUNTED RECOUNTING RECOUNTS RECOURSE RECOVER RECOVERABLE RECOVERED RECOVERIES RECOVERING RECOVERS RECOVERY RECREATE RECREATED RECREATES RECREATING RECREATION RECREATIONAL RECREATIONS RECREATIVE RECRUIT RECRUITED RECRUITER RECRUITING RECRUITS RECTA RECTANGLE RECTANGLES RECTANGULAR RECTIFY RECTOR RECTORS RECTUM RECTUMS RECUPERATE RECUR RECURRENCE RECURRENCES RECURRENT RECURRENTLY RECURRING RECURS RECURSE RECURSED RECURSES RECURSING RECURSION RECURSIONS RECURSIVE RECURSIVELY RECYCLABLE RECYCLE RECYCLED RECYCLES RECYCLING RED REDBREAST REDCOAT REDDEN REDDENED REDDER REDDEST REDDISH REDDISHNESS REDECLARE REDECLARED REDECLARES REDECLARING REDEEM REDEEMED REDEEMER REDEEMERS REDEEMING REDEEMS REDEFINE REDEFINED REDEFINES REDEFINING REDEFINITION REDEFINITIONS REDEMPTION REDESIGN REDESIGNED REDESIGNING REDESIGNS REDEVELOPMENT REDFORD REDHEAD REDHOOK REDIRECT REDIRECTED REDIRECTING REDIRECTION REDIRECTIONS REDISPLAY REDISPLAYED REDISPLAYING REDISPLAYS REDISTRIBUTE REDISTRIBUTED REDISTRIBUTES REDISTRIBUTING REDLY REDMOND REDNECK REDNESS REDO REDONE REDOUBLE REDOUBLED REDRAW REDRAWN REDRESS REDRESSED REDRESSES REDRESSING REDS REDSTONE REDUCE REDUCED REDUCER REDUCERS REDUCES REDUCIBILITY REDUCIBLE REDUCIBLY REDUCING REDUCTION REDUCTIONS REDUNDANCIES REDUNDANCY REDUNDANT REDUNDANTLY REDWOOD REED REEDS REEDUCATION REEDVILLE REEF REEFER REEFS REEL REELECT REELECTED REELECTING REELECTS REELED REELER REELING REELS REEMPHASIZE REEMPHASIZED REEMPHASIZES REEMPHASIZING REENABLED REENFORCEMENT REENTER REENTERED REENTERING REENTERS REENTRANT REESE REESTABLISH REESTABLISHED REESTABLISHES REESTABLISHING REEVALUATE REEVALUATED REEVALUATES REEVALUATING REEVALUATION REEVES REEXAMINE REEXAMINED REEXAMINES REEXAMINING REEXECUTED REFER REFEREE REFEREED REFEREEING REFEREES REFERENCE REFERENCED REFERENCER REFERENCES REFERENCING REFERENDA REFERENDUM REFERENDUMS REFERENT REFERENTIAL REFERENTIALITY REFERENTIALLY REFERENTS REFERRAL REFERRALS REFERRED REFERRING REFERS REFILL REFILLABLE REFILLED REFILLING REFILLS REFINE REFINED REFINEMENT REFINEMENTS REFINER REFINERY REFINES REFINING REFLECT REFLECTED REFLECTING REFLECTION REFLECTIONS REFLECTIVE REFLECTIVELY REFLECTIVITY REFLECTOR REFLECTORS REFLECTS REFLEX REFLEXES REFLEXIVE REFLEXIVELY REFLEXIVENESS REFLEXIVITY REFORESTATION REFORM REFORMABLE REFORMAT REFORMATION REFORMATORY REFORMATS REFORMATTED REFORMATTING REFORMED REFORMER REFORMERS REFORMING REFORMS REFORMULATE REFORMULATED REFORMULATES REFORMULATING REFORMULATION REFRACT REFRACTED REFRACTION REFRACTORY REFRAGMENT REFRAIN REFRAINED REFRAINING REFRAINS REFRESH REFRESHED REFRESHER REFRESHERS REFRESHES REFRESHING REFRESHINGLY REFRESHMENT REFRESHMENTS REFRIGERATE REFRIGERATOR REFRIGERATORS REFUEL REFUELED REFUELING REFUELS REFUGE REFUGEE REFUGEES REFUSAL REFUSE REFUSED REFUSES REFUSING REFUTABLE REFUTATION REFUTE REFUTED REFUTER REFUTES REFUTING REGAIN REGAINED REGAINING REGAINS REGAL REGALED REGALLY REGARD REGARDED REGARDING REGARDLESS REGARDS REGATTA REGENERATE REGENERATED REGENERATES REGENERATING REGENERATION REGENERATIVE REGENERATOR REGENERATORS REGENT REGENTS REGIME REGIMEN REGIMENT REGIMENTATION REGIMENTED REGIMENTS REGIMES REGINA REGINALD REGION REGIONAL REGIONALLY REGIONS REGIS REGISTER REGISTERED REGISTERING REGISTERS REGISTRAR REGISTRATION REGISTRATIONS REGISTRY REGRESS REGRESSED REGRESSES REGRESSING REGRESSION REGRESSIONS REGRESSIVE REGRET REGRETFUL REGRETFULLY REGRETS REGRETTABLE REGRETTABLY REGRETTED REGRETTING REGROUP REGROUPED REGROUPING REGULAR REGULARITIES REGULARITY REGULARLY REGULARS REGULATE REGULATED REGULATES REGULATING REGULATION REGULATIONS REGULATIVE REGULATOR REGULATORS REGULATORY REGULUS REHABILITATE REHEARSAL REHEARSALS REHEARSE REHEARSED REHEARSER REHEARSES REHEARSING REICH REICHENBERG REICHSTAG REID REIGN REIGNED REIGNING REIGNS REILLY REIMBURSABLE REIMBURSE REIMBURSED REIMBURSEMENT REIMBURSEMENTS REIN REINCARNATE REINCARNATED REINCARNATION REINDEER REINED REINFORCE REINFORCED REINFORCEMENT REINFORCEMENTS REINFORCER REINFORCES REINFORCING REINHARD REINHARDT REINHOLD REINITIALIZE REINITIALIZED REINITIALIZING REINS REINSERT REINSERTED REINSERTING REINSERTS REINSTATE REINSTATED REINSTATEMENT REINSTATES REINSTATING REINTERPRET REINTERPRETED REINTERPRETING REINTERPRETS REINTRODUCE REINTRODUCED REINTRODUCES REINTRODUCING REINVENT REINVENTED REINVENTING REINVENTS REITERATE REITERATED REITERATES REITERATING REITERATION REJECT REJECTED REJECTING REJECTION REJECTIONS REJECTOR REJECTORS REJECTS REJOICE REJOICED REJOICER REJOICES REJOICING REJOIN REJOINDER REJOINED REJOINING REJOINS RELABEL RELABELED RELABELING RELABELLED RELABELLING RELABELS RELAPSE RELATE RELATED RELATER RELATES RELATING RELATION RELATIONAL RELATIONALLY RELATIONS RELATIONSHIP RELATIONSHIPS RELATIVE RELATIVELY RELATIVENESS RELATIVES RELATIVISM RELATIVISTIC RELATIVISTICALLY RELATIVITY RELAX RELAXATION RELAXATIONS RELAXED RELAXER RELAXES RELAXING RELAY RELAYED RELAYING RELAYS RELEASE RELEASED RELEASES RELEASING RELEGATE RELEGATED RELEGATES RELEGATING RELENT RELENTED RELENTING RELENTLESS RELENTLESSLY RELENTLESSNESS RELENTS RELEVANCE RELEVANCES RELEVANT RELEVANTLY RELIABILITY RELIABLE RELIABLY RELIANCE RELIANT RELIC RELICS RELIED RELIEF RELIES RELIEVE RELIEVED RELIEVER RELIEVERS RELIEVES RELIEVING RELIGION RELIGIONS RELIGIOUS RELIGIOUSLY RELIGIOUSNESS RELINK RELINQUISH RELINQUISHED RELINQUISHES RELINQUISHING RELISH RELISHED RELISHES RELISHING RELIVE RELIVES RELIVING RELOAD RELOADED RELOADER RELOADING RELOADS RELOCATABLE RELOCATE RELOCATED RELOCATES RELOCATING RELOCATION RELOCATIONS RELUCTANCE RELUCTANT RELUCTANTLY RELY RELYING REMAIN REMAINDER REMAINDERS REMAINED REMAINING REMAINS REMARK REMARKABLE REMARKABLENESS REMARKABLY REMARKED REMARKING REMARKS REMBRANDT REMEDIAL REMEDIED REMEDIES REMEDY REMEDYING REMEMBER REMEMBERED REMEMBERING REMEMBERS REMEMBRANCE REMEMBRANCES REMIND REMINDED REMINDER REMINDERS REMINDING REMINDS REMINGTON REMINISCENCE REMINISCENCES REMINISCENT REMINISCENTLY REMISS REMISSION REMIT REMITTANCE REMNANT REMNANTS REMODEL REMODELED REMODELING REMODELS REMONSTRATE REMONSTRATED REMONSTRATES REMONSTRATING REMONSTRATION REMONSTRATIVE REMORSE REMORSEFUL REMOTE REMOTELY REMOTENESS REMOTEST REMOVABLE REMOVAL REMOVALS REMOVE REMOVED REMOVER REMOVES REMOVING REMUNERATE REMUNERATION REMUS REMY RENA RENAISSANCE RENAL RENAME RENAMED RENAMES RENAMING RENAULT RENAULTS REND RENDER RENDERED RENDERING RENDERINGS RENDERS RENDEZVOUS RENDING RENDITION RENDITIONS RENDS RENE RENEE RENEGADE RENEGOTIABLE RENEW RENEWABLE RENEWAL RENEWED RENEWER RENEWING RENEWS RENO RENOIR RENOUNCE RENOUNCES RENOUNCING RENOVATE RENOVATED RENOVATION RENOWN RENOWNED RENSSELAER RENT RENTAL RENTALS RENTED RENTING RENTS RENUMBER RENUMBERING RENUMBERS RENUNCIATE RENUNCIATION RENVILLE REOCCUR REOPEN REOPENED REOPENING REOPENS REORDER REORDERED REORDERING REORDERS REORGANIZATION REORGANIZATIONS REORGANIZE REORGANIZED REORGANIZES REORGANIZING REPACKAGE REPAID REPAIR REPAIRED REPAIRER REPAIRING REPAIRMAN REPAIRMEN REPAIRS REPARATION REPARATIONS REPARTEE REPARTITION REPAST REPASTS REPAY REPAYING REPAYS REPEAL REPEALED REPEALER REPEALING REPEALS REPEAT REPEATABLE REPEATED REPEATEDLY REPEATER REPEATERS REPEATING REPEATS REPEL REPELLED REPELLENT REPELS REPENT REPENTANCE REPENTED REPENTING REPENTS REPERCUSSION REPERCUSSIONS REPERTOIRE REPERTORY REPETITION REPETITIONS REPETITIOUS REPETITIVE REPETITIVELY REPETITIVENESS REPHRASE REPHRASED REPHRASES REPHRASING REPINE REPLACE REPLACEABLE REPLACED REPLACEMENT REPLACEMENTS REPLACER REPLACES REPLACING REPLAY REPLAYED REPLAYING REPLAYS REPLENISH REPLENISHED REPLENISHES REPLENISHING REPLETE REPLETENESS REPLETION REPLICA REPLICAS REPLICATE REPLICATED REPLICATES REPLICATING REPLICATION REPLICATIONS REPLIED REPLIES REPLY REPLYING REPORT REPORTED REPORTEDLY REPORTER REPORTERS REPORTING REPORTS REPOSE REPOSED REPOSES REPOSING REPOSITION REPOSITIONED REPOSITIONING REPOSITIONS REPOSITORIES REPOSITORY REPREHENSIBLE REPRESENT REPRESENTABLE REPRESENTABLY REPRESENTATION REPRESENTATIONAL REPRESENTATIONALLY REPRESENTATIONS REPRESENTATIVE REPRESENTATIVELY REPRESENTATIVENESS REPRESENTATIVES REPRESENTED REPRESENTING REPRESENTS REPRESS REPRESSED REPRESSES REPRESSING REPRESSION REPRESSIONS REPRESSIVE REPRIEVE REPRIEVED REPRIEVES REPRIEVING REPRIMAND REPRINT REPRINTED REPRINTING REPRINTS REPRISAL REPRISALS REPROACH REPROACHED REPROACHES REPROACHING REPROBATE REPRODUCE REPRODUCED REPRODUCER REPRODUCERS REPRODUCES REPRODUCIBILITIES REPRODUCIBILITY REPRODUCIBLE REPRODUCIBLY REPRODUCING REPRODUCTION REPRODUCTIONS REPROGRAM REPROGRAMMED REPROGRAMMING REPROGRAMS REPROOF REPROVE REPROVER REPTILE REPTILES REPTILIAN REPUBLIC REPUBLICAN REPUBLICANS REPUBLICS REPUDIATE REPUDIATED REPUDIATES REPUDIATING REPUDIATION REPUDIATIONS REPUGNANT REPULSE REPULSED REPULSES REPULSING REPULSION REPULSIONS REPULSIVE REPUTABLE REPUTABLY REPUTATION REPUTATIONS REPUTE REPUTED REPUTEDLY REPUTES REQUEST REQUESTED REQUESTER REQUESTERS REQUESTING REQUESTS REQUIRE REQUIRED REQUIREMENT REQUIREMENTS REQUIRES REQUIRING REQUISITE REQUISITES REQUISITION REQUISITIONED REQUISITIONING REQUISITIONS REREAD REREGISTER REROUTE REROUTED REROUTES REROUTING RERUN RERUNS RESCHEDULE RESCIND RESCUE RESCUED RESCUER RESCUERS RESCUES RESCUING RESEARCH RESEARCHED RESEARCHER RESEARCHERS RESEARCHES RESEARCHING RESELECT RESELECTED RESELECTING RESELECTS RESELL RESELLING RESEMBLANCE RESEMBLANCES RESEMBLE RESEMBLED RESEMBLES RESEMBLING RESENT RESENTED RESENTFUL RESENTFULLY RESENTING RESENTMENT RESENTS RESERPINE RESERVATION RESERVATIONS RESERVE RESERVED RESERVER RESERVES RESERVING RESERVOIR RESERVOIRS RESET RESETS RESETTING RESETTINGS RESIDE RESIDED RESIDENCE RESIDENCES RESIDENT RESIDENTIAL RESIDENTIALLY RESIDENTS RESIDES RESIDING RESIDUAL RESIDUE RESIDUES RESIGN RESIGNATION RESIGNATIONS RESIGNED RESIGNING RESIGNS RESILIENT RESIN RESINS RESIST RESISTABLE RESISTANCE RESISTANCES RESISTANT RESISTANTLY RESISTED RESISTIBLE RESISTING RESISTIVE RESISTIVITY RESISTOR RESISTORS RESISTS RESOLUTE RESOLUTELY RESOLUTENESS RESOLUTION RESOLUTIONS RESOLVABLE RESOLVE RESOLVED RESOLVER RESOLVERS RESOLVES RESOLVING RESONANCE RESONANCES RESONANT RESONATE RESORT RESORTED RESORTING RESORTS RESOUND RESOUNDING RESOUNDS RESOURCE RESOURCEFUL RESOURCEFULLY RESOURCEFULNESS RESOURCES RESPECT RESPECTABILITY RESPECTABLE RESPECTABLY RESPECTED RESPECTER RESPECTFUL RESPECTFULLY RESPECTFULNESS RESPECTING RESPECTIVE RESPECTIVELY RESPECTS RESPIRATION RESPIRATOR RESPIRATORY RESPITE RESPLENDENT RESPLENDENTLY RESPOND RESPONDED RESPONDENT RESPONDENTS RESPONDER RESPONDING RESPONDS RESPONSE RESPONSES RESPONSIBILITIES RESPONSIBILITY RESPONSIBLE RESPONSIBLENESS RESPONSIBLY RESPONSIVE RESPONSIVELY RESPONSIVENESS REST RESTART RESTARTED RESTARTING RESTARTS RESTATE RESTATED RESTATEMENT RESTATES RESTATING RESTAURANT RESTAURANTS RESTAURATEUR RESTED RESTFUL RESTFULLY RESTFULNESS RESTING RESTITUTION RESTIVE RESTLESS RESTLESSLY RESTLESSNESS RESTORATION RESTORATIONS RESTORE RESTORED RESTORER RESTORERS RESTORES RESTORING RESTRAIN RESTRAINED RESTRAINER RESTRAINERS RESTRAINING RESTRAINS RESTRAINT RESTRAINTS RESTRICT RESTRICTED RESTRICTING RESTRICTION RESTRICTIONS RESTRICTIVE RESTRICTIVELY RESTRICTS RESTROOM RESTRUCTURE RESTRUCTURED RESTRUCTURES RESTRUCTURING RESTS RESULT RESULTANT RESULTANTLY RESULTANTS RESULTED RESULTING RESULTS RESUMABLE RESUME RESUMED RESUMES RESUMING RESUMPTION RESUMPTIONS RESURGENT RESURRECT RESURRECTED RESURRECTING RESURRECTION RESURRECTIONS RESURRECTOR RESURRECTORS RESURRECTS RESUSCITATE RESYNCHRONIZATION RESYNCHRONIZE RESYNCHRONIZED RESYNCHRONIZING RETAIL RETAILER RETAILERS RETAILING RETAIN RETAINED RETAINER RETAINERS RETAINING RETAINMENT RETAINS RETALIATE RETALIATION RETALIATORY RETARD RETARDED RETARDER RETARDING RETCH RETENTION RETENTIONS RETENTIVE RETENTIVELY RETENTIVENESS RETICLE RETICLES RETICULAR RETICULATE RETICULATED RETICULATELY RETICULATES RETICULATING RETICULATION RETINA RETINAL RETINAS RETINUE RETIRE RETIRED RETIREE RETIREMENT RETIREMENTS RETIRES RETIRING RETORT RETORTED RETORTS RETRACE RETRACED RETRACES RETRACING RETRACT RETRACTED RETRACTING RETRACTION RETRACTIONS RETRACTS RETRAIN RETRAINED RETRAINING RETRAINS RETRANSLATE RETRANSLATED RETRANSMISSION RETRANSMISSIONS RETRANSMIT RETRANSMITS RETRANSMITTED RETRANSMITTING RETREAT RETREATED RETREATING RETREATS RETRIBUTION RETRIED RETRIER RETRIERS RETRIES RETRIEVABLE RETRIEVAL RETRIEVALS RETRIEVE RETRIEVED RETRIEVER RETRIEVERS RETRIEVES RETRIEVING RETROACTIVE RETROACTIVELY RETROFIT RETROFITTING RETROGRADE RETROSPECT RETROSPECTION RETROSPECTIVE RETRY RETRYING RETURN RETURNABLE RETURNED RETURNER RETURNING RETURNS RETYPE RETYPED RETYPES RETYPING REUB REUBEN REUNION REUNIONS REUNITE REUNITED REUNITING REUSABLE REUSE REUSED REUSES REUSING REUTERS REUTHER REVAMP REVAMPED REVAMPING REVAMPS REVEAL REVEALED REVEALING REVEALS REVEL REVELATION REVELATIONS REVELED REVELER REVELING REVELRY REVELS REVENGE REVENGER REVENUE REVENUERS REVENUES REVERBERATE REVERE REVERED REVERENCE REVEREND REVERENDS REVERENT REVERENTLY REVERES REVERIE REVERIFIED REVERIFIES REVERIFY REVERIFYING REVERING REVERSAL REVERSALS REVERSE REVERSED REVERSELY REVERSER REVERSES REVERSIBLE REVERSING REVERSION REVERT REVERTED REVERTING REVERTS REVIEW REVIEWED REVIEWER REVIEWERS REVIEWING REVIEWS REVILE REVILED REVILER REVILING REVISE REVISED REVISER REVISES REVISING REVISION REVISIONARY REVISIONS REVISIT REVISITED REVISITING REVISITS REVIVAL REVIVALS REVIVE REVIVED REVIVER REVIVES REVIVING REVOCABLE REVOCATION REVOKE REVOKED REVOKER REVOKES REVOKING REVOLT REVOLTED REVOLTER REVOLTING REVOLTINGLY REVOLTS REVOLUTION REVOLUTIONARIES REVOLUTIONARY REVOLUTIONIZE REVOLUTIONIZED REVOLUTIONIZER REVOLUTIONS REVOLVE REVOLVED REVOLVER REVOLVERS REVOLVES REVOLVING REVULSION REWARD REWARDED REWARDING REWARDINGLY REWARDS REWIND REWINDING REWINDS REWIRE REWORK REWORKED REWORKING REWORKS REWOUND REWRITE REWRITES REWRITING REWRITTEN REX REYKJAVIK REYNOLDS RHAPSODY RHEA RHEIMS RHEINHOLDT RHENISH RHESUS RHETORIC RHEUMATIC RHEUMATISM RHINE RHINESTONE RHINO RHINOCEROS RHO RHODA RHODE RHODES RHODESIA RHODODENDRON RHOMBIC RHOMBUS RHUBARB RHYME RHYMED RHYMES RHYMING RHYTHM RHYTHMIC RHYTHMICALLY RHYTHMS RIB RIBALD RIBBED RIBBING RIBBON RIBBONS RIBOFLAVIN RIBONUCLEIC RIBS RICA RICAN RICANISM RICANS RICE RICH RICHARD RICHARDS RICHARDSON RICHER RICHES RICHEST RICHEY RICHFIELD RICHLAND RICHLY RICHMOND RICHNESS RICHTER RICK RICKENBAUGH RICKETS RICKETTSIA RICKETY RICKSHAW RICKSHAWS RICO RICOCHET RID RIDDANCE RIDDEN RIDDING RIDDLE RIDDLED RIDDLES RIDDLING RIDE RIDER RIDERS RIDES RIDGE RIDGEFIELD RIDGEPOLE RIDGES RIDGWAY RIDICULE RIDICULED RIDICULES RIDICULING RIDICULOUS RIDICULOUSLY RIDICULOUSNESS RIDING RIDS RIEMANN RIEMANNIAN RIFLE RIFLED RIFLEMAN RIFLER RIFLES RIFLING RIFT RIG RIGA RIGEL RIGGING RIGGS RIGHT RIGHTED RIGHTEOUS RIGHTEOUSLY RIGHTEOUSNESS RIGHTER RIGHTFUL RIGHTFULLY RIGHTFULNESS RIGHTING RIGHTLY RIGHTMOST RIGHTNESS RIGHTS RIGHTWARD RIGID RIGIDITY RIGIDLY RIGOR RIGOROUS RIGOROUSLY RIGORS RIGS RILEY RILKE RILL RIM RIME RIMS RIND RINDS RINEHART RING RINGED RINGER RINGERS RINGING RINGINGLY RINGINGS RINGS RINGSIDE RINK RINSE RINSED RINSER RINSES RINSING RIO RIORDAN RIOT RIOTED RIOTER RIOTERS RIOTING RIOTOUS RIOTS RIP RIPE RIPELY RIPEN RIPENESS RIPLEY RIPOFF RIPPED RIPPING RIPPLE RIPPLED RIPPLES RIPPLING RIPS RISC RISE RISEN RISER RISERS RISES RISING RISINGS RISK RISKED RISKING RISKS RISKY RITCHIE RITE RITES RITTER RITUAL RITUALLY RITUALS RITZ RIVAL RIVALED RIVALLED RIVALLING RIVALRIES RIVALRY RIVALS RIVER RIVERBANK RIVERFRONT RIVERS RIVERSIDE RIVERVIEW RIVET RIVETER RIVETS RIVIERA RIVULET RIVULETS RIYADH ROACH ROAD ROADBED ROADBLOCK ROADS ROADSIDE ROADSTER ROADSTERS ROADWAY ROADWAYS ROAM ROAMED ROAMING ROAMS ROAR ROARED ROARER ROARING ROARS ROAST ROASTED ROASTER ROASTING ROASTS ROB ROBBED ROBBER ROBBERIES ROBBERS ROBBERY ROBBIE ROBBIN ROBBING ROBBINS ROBE ROBED ROBERT ROBERTA ROBERTO ROBERTS ROBERTSON ROBERTSONS ROBES ROBIN ROBING ROBINS ROBINSON ROBINSONVILLE ROBOT ROBOTIC ROBOTICS ROBOTS ROBS ROBUST ROBUSTLY ROBUSTNESS ROCCO ROCHESTER ROCHFORD ROCK ROCKABYE ROCKAWAY ROCKAWAYS ROCKED ROCKEFELLER ROCKER ROCKERS ROCKET ROCKETED ROCKETING ROCKETS ROCKFORD ROCKIES ROCKING ROCKLAND ROCKS ROCKVILLE ROCKWELL ROCKY ROD RODE RODENT RODENTS RODEO RODGERS RODNEY RODRIGUEZ RODS ROE ROENTGEN ROGER ROGERS ROGUE ROGUES ROLAND ROLE ROLES ROLL ROLLBACK ROLLED ROLLER ROLLERS ROLLIE ROLLING ROLLINS ROLLS ROMAN ROMANCE ROMANCER ROMANCERS ROMANCES ROMANCING ROMANESQUE ROMANIA ROMANIZATIONS ROMANIZER ROMANIZERS ROMANIZES ROMANO ROMANS ROMANTIC ROMANTICS ROME ROMELDALE ROMEO ROMP ROMPED ROMPER ROMPING ROMPS ROMULUS RON RONALD RONNIE ROOF ROOFED ROOFER ROOFING ROOFS ROOFTOP ROOK ROOKIE ROOM ROOMED ROOMER ROOMERS ROOMFUL ROOMING ROOMMATE ROOMS ROOMY ROONEY ROOSEVELT ROOSEVELTIAN ROOST ROOSTER ROOSTERS ROOT ROOTED ROOTER ROOTING ROOTS ROPE ROPED ROPER ROPERS ROPES ROPING ROQUEMORE RORSCHACH ROSA ROSABELLE ROSALIE ROSARY ROSE ROSEBUD ROSEBUDS ROSEBUSH ROSELAND ROSELLA ROSEMARY ROSEN ROSENBERG ROSENBLUM ROSENTHAL ROSENZWEIG ROSES ROSETTA ROSETTE ROSIE ROSINESS ROSS ROSSI ROSTER ROSTRUM ROSWELL ROSY ROT ROTARIAN ROTARIANS ROTARY ROTATE ROTATED ROTATES ROTATING ROTATION ROTATIONAL ROTATIONS ROTATOR ROTH ROTHSCHILD ROTOR ROTS ROTTEN ROTTENNESS ROTTERDAM ROTTING ROTUND ROTUNDA ROUGE ROUGH ROUGHED ROUGHEN ROUGHER ROUGHEST ROUGHLY ROUGHNECK ROUGHNESS ROULETTE ROUND ROUNDABOUT ROUNDED ROUNDEDNESS ROUNDER ROUNDEST ROUNDHEAD ROUNDHOUSE ROUNDING ROUNDLY ROUNDNESS ROUNDOFF ROUNDS ROUNDTABLE ROUNDUP ROUNDWORM ROURKE ROUSE ROUSED ROUSES ROUSING ROUSSEAU ROUSTABOUT ROUT ROUTE ROUTED ROUTER ROUTERS ROUTES ROUTINE ROUTINELY ROUTINES ROUTING ROUTINGS ROVE ROVED ROVER ROVES ROVING ROW ROWBOAT ROWDY ROWE ROWED ROWENA ROWER ROWING ROWLAND ROWLEY ROWS ROXBURY ROXY ROY ROYAL ROYALIST ROYALISTS ROYALLY ROYALTIES ROYALTY ROYCE ROZELLE RUANDA RUB RUBAIYAT RUBBED RUBBER RUBBERS RUBBERY RUBBING RUBBISH RUBBLE RUBDOWN RUBE RUBEN RUBENS RUBIES RUBIN RUBLE RUBLES RUBOUT RUBS RUBY RUDDER RUDDERS RUDDINESS RUDDY RUDE RUDELY RUDENESS RUDIMENT RUDIMENTARY RUDIMENTS RUDOLF RUDOLPH RUDY RUDYARD RUE RUEFULLY RUFFIAN RUFFIANLY RUFFIANS RUFFLE RUFFLED RUFFLES RUFUS RUG RUGGED RUGGEDLY RUGGEDNESS RUGS RUIN RUINATION RUINATIONS RUINED RUINING RUINOUS RUINOUSLY RUINS RULE RULED RULER RULERS RULES RULING RULINGS RUM RUMANIA RUMANIAN RUMANIANS RUMBLE RUMBLED RUMBLER RUMBLES RUMBLING RUMEN RUMFORD RUMMAGE RUMMEL RUMMY RUMOR RUMORED RUMORS RUMP RUMPLE RUMPLED RUMPLY RUMPUS RUN RUNAWAY RUNDOWN RUNG RUNGE RUNGS RUNNABLE RUNNER RUNNERS RUNNING RUNNYMEDE RUNOFF RUNS RUNT RUNTIME RUNYON RUPEE RUPPERT RUPTURE RUPTURED RUPTURES RUPTURING RURAL RURALLY RUSH RUSHED RUSHER RUSHES RUSHING RUSHMORE RUSS RUSSELL RUSSET RUSSIA RUSSIAN RUSSIANIZATIONS RUSSIANIZES RUSSIANS RUSSO RUST RUSTED RUSTIC RUSTICATE RUSTICATED RUSTICATES RUSTICATING RUSTICATION RUSTING RUSTLE RUSTLED RUSTLER RUSTLERS RUSTLING RUSTS RUSTY RUT RUTGERS RUTH RUTHERFORD RUTHLESS RUTHLESSLY RUTHLESSNESS RUTLAND RUTLEDGE RUTS RWANDA RYAN RYDBERG RYDER RYE SABBATH SABBATHIZE SABBATHIZES SABBATICAL SABER SABERS SABINA SABINE SABLE SABLES SABOTAGE SACHS SACK SACKER SACKING SACKS SACRAMENT SACRAMENTO SACRED SACREDLY SACREDNESS SACRIFICE SACRIFICED SACRIFICER SACRIFICERS SACRIFICES SACRIFICIAL SACRIFICIALLY SACRIFICING SACRILEGE SACRILEGIOUS SACROSANCT SAD SADDEN SADDENED SADDENS SADDER SADDEST SADDLE SADDLEBAG SADDLED SADDLES SADIE SADISM SADIST SADISTIC SADISTICALLY SADISTS SADLER SADLY SADNESS SAFARI SAFE SAFEGUARD SAFEGUARDED SAFEGUARDING SAFEGUARDS SAFEKEEPING SAFELY SAFENESS SAFER SAFES SAFEST SAFETIES SAFETY SAFFRON SAG SAGA SAGACIOUS SAGACITY SAGE SAGEBRUSH SAGELY SAGES SAGGING SAGINAW SAGITTAL SAGITTARIUS SAGS SAGUARO SAHARA SAID SAIGON SAIL SAILBOAT SAILED SAILFISH SAILING SAILOR SAILORLY SAILORS SAILS SAINT SAINTED SAINTHOOD SAINTLY SAINTS SAKE SAKES SAL SALAAM SALABLE SALAD SALADS SALAMANDER SALAMI SALARIED SALARIES SALARY SALE SALEM SALERNO SALES SALESGIRL SALESIAN SALESLADY SALESMAN SALESMEN SALESPERSON SALIENT SALINA SALINE SALISBURY SALISH SALIVA SALIVARY SALIVATE SALK SALLE SALLIES SALLOW SALLY SALLYING SALMON SALON SALONS SALOON SALOONS SALT SALTED SALTER SALTERS SALTIER SALTIEST SALTINESS SALTING SALTON SALTS SALTY SALUTARY SALUTATION SALUTATIONS SALUTE SALUTED SALUTES SALUTING SALVADOR SALVADORAN SALVAGE SALVAGED SALVAGER SALVAGES SALVAGING SALVATION SALVATORE SALVE SALVER SALVES SALZ SAM SAMARITAN SAME SAMENESS SAMMY SAMOA SAMOAN SAMPLE SAMPLED SAMPLER SAMPLERS SAMPLES SAMPLING SAMPLINGS SAMPSON SAMSON SAMUEL SAMUELS SAMUELSON SAN SANA SANATORIA SANATORIUM SANBORN SANCHEZ SANCHO SANCTIFICATION SANCTIFIED SANCTIFY SANCTIMONIOUS SANCTION SANCTIONED SANCTIONING SANCTIONS SANCTITY SANCTUARIES SANCTUARY SANCTUM SAND SANDAL SANDALS SANDBAG SANDBURG SANDED SANDER SANDERLING SANDERS SANDERSON SANDIA SANDING SANDMAN SANDPAPER SANDRA SANDS SANDSTONE SANDUSKY SANDWICH SANDWICHES SANDY SANE SANELY SANER SANEST SANFORD SANG SANGUINE SANHEDRIN SANITARIUM SANITARY SANITATION SANITY SANK SANSKRIT SANSKRITIC SANSKRITIZE SANTA SANTAYANA SANTIAGO SANTO SAO SAP SAPIENS SAPLING SAPLINGS SAPPHIRE SAPPHO SAPS SAPSUCKER SARA SARACEN SARACENS SARAH SARAN SARASOTA SARATOGA SARCASM SARCASMS SARCASTIC SARDINE SARDINIA SARDONIC SARGENT SARI SARTRE SASH SASKATCHEWAN SASKATOON SAT SATAN SATANIC SATANISM SATANIST SATCHEL SATCHELS SATE SATED SATELLITE SATELLITES SATES SATIN SATING SATIRE SATIRES SATIRIC SATISFACTION SATISFACTIONS SATISFACTORILY SATISFACTORY SATISFIABILITY SATISFIABLE SATISFIED SATISFIES SATISFY SATISFYING SATURATE SATURATED SATURATES SATURATING SATURATION SATURDAY SATURDAYS SATURN SATURNALIA SATURNISM SATYR SAUCE SAUCEPAN SAUCEPANS SAUCER SAUCERS SAUCES SAUCY SAUD SAUDI SAUKVILLE SAUL SAULT SAUNDERS SAUNTER SAUSAGE SAUSAGES SAVAGE SAVAGED SAVAGELY SAVAGENESS SAVAGER SAVAGERS SAVAGES SAVAGING SAVANNAH SAVE SAVED SAVER SAVERS SAVES SAVING SAVINGS SAVIOR SAVIORS SAVIOUR SAVONAROLA SAVOR SAVORED SAVORING SAVORS SAVORY SAVOY SAVOYARD SAVOYARDS SAW SAWDUST SAWED SAWFISH SAWING SAWMILL SAWMILLS SAWS SAWTOOTH SAX SAXON SAXONIZATION SAXONIZATIONS SAXONIZE SAXONIZES SAXONS SAXONY SAXOPHONE SAXTON SAY SAYER SAYERS SAYING SAYINGS SAYS SCAB SCABBARD SCABBARDS SCABROUS SCAFFOLD SCAFFOLDING SCAFFOLDINGS SCAFFOLDS SCALA SCALABLE SCALAR SCALARS SCALD SCALDED SCALDING SCALE SCALED SCALES SCALING SCALINGS SCALLOP SCALLOPED SCALLOPS SCALP SCALPS SCALY SCAMPER SCAMPERING SCAMPERS SCAN SCANDAL SCANDALOUS SCANDALS SCANDINAVIA SCANDINAVIAN SCANDINAVIANS SCANNED SCANNER SCANNERS SCANNING SCANS SCANT SCANTIER SCANTIEST SCANTILY SCANTINESS SCANTLY SCANTY SCAPEGOAT SCAR SCARBOROUGH SCARCE SCARCELY SCARCENESS SCARCER SCARCITY SCARE SCARECROW SCARED SCARES SCARF SCARING SCARLATTI SCARLET SCARS SCARSDALE SCARVES SCARY SCATTER SCATTERBRAIN SCATTERED SCATTERING SCATTERS SCENARIO SCENARIOS SCENE SCENERY SCENES SCENIC SCENT SCENTED SCENTS SCEPTER SCEPTERS SCHAEFER SCHAEFFER SCHAFER SCHAFFNER SCHANTZ SCHAPIRO SCHEDULABLE SCHEDULE SCHEDULED SCHEDULER SCHEDULERS SCHEDULES SCHEDULING SCHEHERAZADE SCHELLING SCHEMA SCHEMAS SCHEMATA SCHEMATIC SCHEMATICALLY SCHEMATICS SCHEME SCHEMED SCHEMER SCHEMERS SCHEMES SCHEMING SCHILLER SCHISM SCHIZOPHRENIA SCHLESINGER SCHLITZ SCHLOSS SCHMIDT SCHMITT SCHNABEL SCHNEIDER SCHOENBERG SCHOFIELD SCHOLAR SCHOLARLY SCHOLARS SCHOLARSHIP SCHOLARSHIPS SCHOLASTIC SCHOLASTICALLY SCHOLASTICS SCHOOL SCHOOLBOY SCHOOLBOYS SCHOOLED SCHOOLER SCHOOLERS SCHOOLHOUSE SCHOOLHOUSES SCHOOLING SCHOOLMASTER SCHOOLMASTERS SCHOOLROOM SCHOOLROOMS SCHOOLS SCHOONER SCHOPENHAUER SCHOTTKY SCHROEDER SCHROEDINGER SCHUBERT SCHULTZ SCHULZ SCHUMACHER SCHUMAN SCHUMANN SCHUSTER SCHUYLER SCHUYLKILL SCHWAB SCHWARTZ SCHWEITZER SCIENCE SCIENCES SCIENTIFIC SCIENTIFICALLY SCIENTIST SCIENTISTS SCISSOR SCISSORED SCISSORING SCISSORS SCLEROSIS SCLEROTIC SCOFF SCOFFED SCOFFER SCOFFING SCOFFS SCOLD SCOLDED SCOLDING SCOLDS SCOOP SCOOPED SCOOPING SCOOPS SCOOT SCOPE SCOPED SCOPES SCOPING SCORCH SCORCHED SCORCHER SCORCHES SCORCHING SCORE SCOREBOARD SCORECARD SCORED SCORER SCORERS SCORES SCORING SCORINGS SCORN SCORNED SCORNER SCORNFUL SCORNFULLY SCORNING SCORNS SCORPIO SCORPION SCORPIONS SCOT SCOTCH SCOTCHGARD SCOTCHMAN SCOTIA SCOTIAN SCOTLAND SCOTS SCOTSMAN SCOTSMEN SCOTT SCOTTISH SCOTTSDALE SCOTTY SCOUNDREL SCOUNDRELS SCOUR SCOURED SCOURGE SCOURING SCOURS SCOUT SCOUTED SCOUTING SCOUTS SCOW SCOWL SCOWLED SCOWLING SCOWLS SCRAM SCRAMBLE SCRAMBLED SCRAMBLER SCRAMBLES SCRAMBLING SCRANTON SCRAP SCRAPE SCRAPED SCRAPER SCRAPERS SCRAPES SCRAPING SCRAPINGS SCRAPPED SCRAPS SCRATCH SCRATCHED SCRATCHER SCRATCHERS SCRATCHES SCRATCHING SCRATCHY SCRAWL SCRAWLED SCRAWLING SCRAWLS SCRAWNY SCREAM SCREAMED SCREAMER SCREAMERS SCREAMING SCREAMS SCREECH SCREECHED SCREECHES SCREECHING SCREEN SCREENED SCREENING SCREENINGS SCREENPLAY SCREENS SCREW SCREWBALL SCREWDRIVER SCREWED SCREWING SCREWS SCRIBBLE SCRIBBLED SCRIBBLER SCRIBBLES SCRIBE SCRIBES SCRIBING SCRIBNERS SCRIMMAGE SCRIPPS SCRIPT SCRIPTS SCRIPTURE SCRIPTURES SCROLL SCROLLED SCROLLING SCROLLS SCROOGE SCROUNGE SCRUB SCRUMPTIOUS SCRUPLE SCRUPULOUS SCRUPULOUSLY SCRUTINIZE SCRUTINIZED SCRUTINIZING SCRUTINY SCUBA SCUD SCUFFLE SCUFFLED SCUFFLES SCUFFLING SCULPT SCULPTED SCULPTOR SCULPTORS SCULPTS SCULPTURE SCULPTURED SCULPTURES SCURRIED SCURRY SCURVY SCUTTLE SCUTTLED SCUTTLES SCUTTLING SCYLLA SCYTHE SCYTHES SCYTHIA SEA SEABOARD SEABORG SEABROOK SEACOAST SEACOASTS SEAFOOD SEAGATE SEAGRAM SEAGULL SEAHORSE SEAL SEALED SEALER SEALING SEALS SEALY SEAM SEAMAN SEAMED SEAMEN SEAMING SEAMS SEAMY SEAN SEAPORT SEAPORTS SEAQUARIUM SEAR SEARCH SEARCHED SEARCHER SEARCHERS SEARCHES SEARCHING SEARCHINGLY SEARCHINGS SEARCHLIGHT SEARED SEARING SEARINGLY SEARS SEAS SEASHORE SEASHORES SEASIDE SEASON SEASONABLE SEASONABLY SEASONAL SEASONALLY SEASONED SEASONER SEASONERS SEASONING SEASONINGS SEASONS SEAT SEATED SEATING SEATS SEATTLE SEAWARD SEAWEED SEBASTIAN SECANT SECEDE SECEDED SECEDES SECEDING SECESSION SECLUDE SECLUDED SECLUSION SECOND SECONDARIES SECONDARILY SECONDARY SECONDED SECONDER SECONDERS SECONDHAND SECONDING SECONDLY SECONDS SECRECY SECRET SECRETARIAL SECRETARIAT SECRETARIES SECRETARY SECRETE SECRETED SECRETES SECRETING SECRETION SECRETIONS SECRETIVE SECRETIVELY SECRETLY SECRETS SECT SECTARIAN SECTION SECTIONAL SECTIONED SECTIONING SECTIONS SECTOR SECTORS SECTS SECULAR SECURE SECURED SECURELY SECURES SECURING SECURINGS SECURITIES SECURITY SEDAN SEDATE SEDGE SEDGWICK SEDIMENT SEDIMENTARY SEDIMENTS SEDITION SEDITIOUS SEDUCE SEDUCED SEDUCER SEDUCERS SEDUCES SEDUCING SEDUCTION SEDUCTIVE SEE SEED SEEDED SEEDER SEEDERS SEEDING SEEDINGS SEEDLING SEEDLINGS SEEDS SEEDY SEEING SEEK SEEKER SEEKERS SEEKING SEEKS SEELEY SEEM SEEMED SEEMING SEEMINGLY SEEMLY SEEMS SEEN SEEP SEEPAGE SEEPED SEEPING SEEPS SEER SEERS SEERSUCKER SEES SEETHE SEETHED SEETHES SEETHING SEGMENT SEGMENTATION SEGMENTATIONS SEGMENTED SEGMENTING SEGMENTS SEGOVIA SEGREGATE SEGREGATED SEGREGATES SEGREGATING SEGREGATION SEGUNDO SEIDEL SEISMIC SEISMOGRAPH SEISMOLOGY SEIZE SEIZED SEIZES SEIZING SEIZURE SEIZURES SELDOM SELECT SELECTED SELECTING SELECTION SELECTIONS SELECTIVE SELECTIVELY SELECTIVITY SELECTMAN SELECTMEN SELECTOR SELECTORS SELECTRIC SELECTS SELENA SELENIUM SELF SELFISH SELFISHLY SELFISHNESS SELFRIDGE SELFSAME SELKIRK SELL SELLER SELLERS SELLING SELLOUT SELLS SELMA SELTZER SELVES SELWYN SEMANTIC SEMANTICAL SEMANTICALLY SEMANTICIST SEMANTICISTS SEMANTICS SEMAPHORE SEMAPHORES SEMBLANCE SEMESTER SEMESTERS SEMI SEMIAUTOMATED SEMICOLON SEMICOLONS SEMICONDUCTOR SEMICONDUCTORS SEMINAL SEMINAR SEMINARIAN SEMINARIES SEMINARS SEMINARY SEMINOLE SEMIPERMANENT SEMIPERMANENTLY SEMIRAMIS SEMITE SEMITIC SEMITICIZE SEMITICIZES SEMITIZATION SEMITIZATIONS SEMITIZE SEMITIZES SENATE SENATES SENATOR SENATORIAL SENATORS SEND SENDER SENDERS SENDING SENDS SENECA SENEGAL SENILE SENIOR SENIORITY SENIORS SENSATION SENSATIONAL SENSATIONALLY SENSATIONS SENSE SENSED SENSELESS SENSELESSLY SENSELESSNESS SENSES SENSIBILITIES SENSIBILITY SENSIBLE SENSIBLY SENSING SENSITIVE SENSITIVELY SENSITIVENESS SENSITIVES SENSITIVITIES SENSITIVITY SENSOR SENSORS SENSORY SENSUAL SENSUOUS SENT SENTENCE SENTENCED SENTENCES SENTENCING SENTENTIAL SENTIMENT SENTIMENTAL SENTIMENTALLY SENTIMENTS SENTINEL SENTINELS SENTRIES SENTRY SEOUL SEPARABLE SEPARATE SEPARATED SEPARATELY SEPARATENESS SEPARATES SEPARATING SEPARATION SEPARATIONS SEPARATOR SEPARATORS SEPIA SEPOY SEPT SEPTEMBER SEPTEMBERS SEPULCHER SEPULCHERS SEQUEL SEQUELS SEQUENCE SEQUENCED SEQUENCER SEQUENCERS SEQUENCES SEQUENCING SEQUENCINGS SEQUENTIAL SEQUENTIALITY SEQUENTIALIZE SEQUENTIALIZED SEQUENTIALIZES SEQUENTIALIZING SEQUENTIALLY SEQUESTER SEQUOIA SERAFIN SERBIA SERBIAN SERBIANS SERENDIPITOUS SERENDIPITY SERENE SERENELY SERENITY SERF SERFS SERGEANT SERGEANTS SERGEI SERIAL SERIALIZABILITY SERIALIZABLE SERIALIZATION SERIALIZATIONS SERIALIZE SERIALIZED SERIALIZES SERIALIZING SERIALLY SERIALS SERIES SERIF SERIOUS SERIOUSLY SERIOUSNESS SERMON SERMONS SERPENS SERPENT SERPENTINE SERPENTS SERRA SERUM SERUMS SERVANT SERVANTS SERVE SERVED SERVER SERVERS SERVES SERVICE SERVICEABILITY SERVICEABLE SERVICED SERVICEMAN SERVICEMEN SERVICES SERVICING SERVILE SERVING SERVINGS SERVITUDE SERVO SERVOMECHANISM SESAME SESSION SESSIONS SET SETBACK SETH SETS SETTABLE SETTER SETTERS SETTING SETTINGS SETTLE SETTLED SETTLEMENT SETTLEMENTS SETTLER SETTLERS SETTLES SETTLING SETUP SETUPS SEVEN SEVENFOLD SEVENS SEVENTEEN SEVENTEENS SEVENTEENTH SEVENTH SEVENTIES SEVENTIETH SEVENTY SEVER SEVERAL SEVERALFOLD SEVERALLY SEVERANCE SEVERE SEVERED SEVERELY SEVERER SEVEREST SEVERING SEVERITIES SEVERITY SEVERN SEVERS SEVILLE SEW SEWAGE SEWARD SEWED SEWER SEWERS SEWING SEWS SEX SEXED SEXES SEXIST SEXTANS SEXTET SEXTILLION SEXTON SEXTUPLE SEXTUPLET SEXUAL SEXUALITY SEXUALLY SEXY SEYCHELLES SEYMOUR SHABBY SHACK SHACKED SHACKLE SHACKLED SHACKLES SHACKLING SHACKS SHADE SHADED SHADES SHADIER SHADIEST SHADILY SHADINESS SHADING SHADINGS SHADOW SHADOWED SHADOWING SHADOWS SHADOWY SHADY SHAFER SHAFFER SHAFT SHAFTS SHAGGY SHAKABLE SHAKABLY SHAKE SHAKEDOWN SHAKEN SHAKER SHAKERS SHAKES SHAKESPEARE SHAKESPEAREAN SHAKESPEARIAN SHAKESPEARIZE SHAKESPEARIZES SHAKINESS SHAKING SHAKY SHALE SHALL SHALLOW SHALLOWER SHALLOWLY SHALLOWNESS SHAM SHAMBLES SHAME SHAMED SHAMEFUL SHAMEFULLY SHAMELESS SHAMELESSLY SHAMES SHAMING SHAMPOO SHAMROCK SHAMS SHANGHAI SHANGHAIED SHANGHAIING SHANGHAIINGS SHANGHAIS SHANNON SHANTIES SHANTUNG SHANTY SHAPE SHAPED SHAPELESS SHAPELESSLY SHAPELESSNESS SHAPELY SHAPER SHAPERS SHAPES SHAPING SHAPIRO SHARABLE SHARD SHARE SHAREABLE SHARECROPPER SHARECROPPERS SHARED SHAREHOLDER SHAREHOLDERS SHARER SHARERS SHARES SHARI SHARING SHARK SHARKS SHARON SHARP SHARPE SHARPEN SHARPENED SHARPENING SHARPENS SHARPER SHARPEST SHARPLY SHARPNESS SHARPSHOOT SHASTA SHATTER SHATTERED SHATTERING SHATTERPROOF SHATTERS SHATTUCK SHAVE SHAVED SHAVEN SHAVES SHAVING SHAVINGS SHAWANO SHAWL SHAWLS SHAWNEE SHE SHEA SHEAF SHEAR SHEARED SHEARER SHEARING SHEARS SHEATH SHEATHING SHEATHS SHEAVES SHEBOYGAN SHED SHEDDING SHEDIR SHEDS SHEEHAN SHEEN SHEEP SHEEPSKIN SHEER SHEERED SHEET SHEETED SHEETING SHEETS SHEFFIELD SHEIK SHEILA SHELBY SHELDON SHELF SHELL SHELLED SHELLER SHELLEY SHELLING SHELLS SHELTER SHELTERED SHELTERING SHELTERS SHELTON SHELVE SHELVED SHELVES SHELVING SHENANDOAH SHENANIGAN SHEPARD SHEPHERD SHEPHERDS SHEPPARD SHERATON SHERBET SHERIDAN SHERIFF SHERIFFS SHERLOCK SHERMAN SHERRILL SHERRY SHERWIN SHERWOOD SHIBBOLETH SHIED SHIELD SHIELDED SHIELDING SHIELDS SHIES SHIFT SHIFTED SHIFTER SHIFTERS SHIFTIER SHIFTIEST SHIFTILY SHIFTINESS SHIFTING SHIFTS SHIFTY SHIITE SHIITES SHILL SHILLING SHILLINGS SHILLONG SHILOH SHIMMER SHIMMERING SHIN SHINBONE SHINE SHINED SHINER SHINERS SHINES SHINGLE SHINGLES SHINING SHININGLY SHINTO SHINTOISM SHINTOIZE SHINTOIZES SHINY SHIP SHIPBOARD SHIPBUILDING SHIPLEY SHIPMATE SHIPMENT SHIPMENTS SHIPPED SHIPPER SHIPPERS SHIPPING SHIPS SHIPSHAPE SHIPWRECK SHIPWRECKED SHIPWRECKS SHIPYARD SHIRE SHIRK SHIRKER SHIRKING SHIRKS SHIRLEY SHIRT SHIRTING SHIRTS SHIT SHIVA SHIVER SHIVERED SHIVERER SHIVERING SHIVERS SHMUEL SHOAL SHOALS SHOCK SHOCKED SHOCKER SHOCKERS SHOCKING SHOCKINGLY SHOCKLEY SHOCKS SHOD SHODDY SHOE SHOED SHOEHORN SHOEING SHOELACE SHOEMAKER SHOES SHOESTRING SHOJI SHONE SHOOK SHOOT SHOOTER SHOOTERS SHOOTING SHOOTINGS SHOOTS SHOP SHOPKEEPER SHOPKEEPERS SHOPPED SHOPPER SHOPPERS SHOPPING SHOPS SHOPWORN SHORE SHORELINE SHORES SHOREWOOD SHORN SHORT SHORTAGE SHORTAGES SHORTCOMING SHORTCOMINGS SHORTCUT SHORTCUTS SHORTED SHORTEN SHORTENED SHORTENING SHORTENS SHORTER SHORTEST SHORTFALL SHORTHAND SHORTHANDED SHORTING SHORTISH SHORTLY SHORTNESS SHORTS SHORTSIGHTED SHORTSTOP SHOSHONE SHOT SHOTGUN SHOTGUNS SHOTS SHOULD SHOULDER SHOULDERED SHOULDERING SHOULDERS SHOUT SHOUTED SHOUTER SHOUTERS SHOUTING SHOUTS SHOVE SHOVED SHOVEL SHOVELED SHOVELS SHOVES SHOVING SHOW SHOWBOAT SHOWCASE SHOWDOWN SHOWED SHOWER SHOWERED SHOWERING SHOWERS SHOWING SHOWINGS SHOWN SHOWPIECE SHOWROOM SHOWS SHOWY SHRANK SHRAPNEL SHRED SHREDDER SHREDDING SHREDS SHREVEPORT SHREW SHREWD SHREWDEST SHREWDLY SHREWDNESS SHREWS SHRIEK SHRIEKED SHRIEKING SHRIEKS SHRILL SHRILLED SHRILLING SHRILLNESS SHRILLY SHRIMP SHRINE SHRINES SHRINK SHRINKABLE SHRINKAGE SHRINKING SHRINKS SHRIVEL SHRIVELED SHROUD SHROUDED SHRUB SHRUBBERY SHRUBS SHRUG SHRUGS SHRUNK SHRUNKEN SHU SHUDDER SHUDDERED SHUDDERING SHUDDERS SHUFFLE SHUFFLEBOARD SHUFFLED SHUFFLES SHUFFLING SHULMAN SHUN SHUNS SHUNT SHUT SHUTDOWN SHUTDOWNS SHUTOFF SHUTOUT SHUTS SHUTTER SHUTTERED SHUTTERS SHUTTING SHUTTLE SHUTTLECOCK SHUTTLED SHUTTLES SHUTTLING SHY SHYLOCK SHYLOCKIAN SHYLY SHYNESS SIAM SIAMESE SIAN SIBERIA SIBERIAN SIBLEY SIBLING SIBLINGS SICILIAN SICILIANA SICILIANS SICILY SICK SICKEN SICKER SICKEST SICKLE SICKLY SICKNESS SICKNESSES SICKROOM SIDE SIDEARM SIDEBAND SIDEBOARD SIDEBOARDS SIDEBURNS SIDECAR SIDED SIDELIGHT SIDELIGHTS SIDELINE SIDEREAL SIDES SIDESADDLE SIDESHOW SIDESTEP SIDETRACK SIDEWALK SIDEWALKS SIDEWAYS SIDEWISE SIDING SIDINGS SIDNEY SIEGE SIEGEL SIEGES SIEGFRIED SIEGLINDA SIEGMUND SIEMENS SIENA SIERRA SIEVE SIEVES SIFFORD SIFT SIFTED SIFTER SIFTING SIGGRAPH SIGH SIGHED SIGHING SIGHS SIGHT SIGHTED SIGHTING SIGHTINGS SIGHTLY SIGHTS SIGHTSEEING SIGMA SIGMUND SIGN SIGNAL SIGNALED SIGNALING SIGNALLED SIGNALLING SIGNALLY SIGNALS SIGNATURE SIGNATURES SIGNED SIGNER SIGNERS SIGNET SIGNIFICANCE SIGNIFICANT SIGNIFICANTLY SIGNIFICANTS SIGNIFICATION SIGNIFIED SIGNIFIES SIGNIFY SIGNIFYING SIGNING SIGNS SIKH SIKHES SIKHS SIKKIM SIKKIMESE SIKORSKY SILAS SILENCE SILENCED SILENCER SILENCERS SILENCES SILENCING SILENT SILENTLY SILHOUETTE SILHOUETTED SILHOUETTES SILICA SILICATE SILICON SILICONE SILK SILKEN SILKIER SILKIEST SILKILY SILKINE SILKS SILKY SILL SILLIEST SILLINESS SILLS SILLY SILO SILT SILTED SILTING SILTS SILVER SILVERED SILVERING SILVERMAN SILVERS SILVERSMITH SILVERSTEIN SILVERWARE SILVERY SIMILAR SIMILARITIES SIMILARITY SIMILARLY SIMILE SIMILITUDE SIMLA SIMMER SIMMERED SIMMERING SIMMERS SIMMONS SIMMONSVILLE SIMMS SIMON SIMONS SIMONSON SIMPLE SIMPLEMINDED SIMPLENESS SIMPLER SIMPLEST SIMPLETON SIMPLEX SIMPLICITIES SIMPLICITY SIMPLIFICATION SIMPLIFICATIONS SIMPLIFIED SIMPLIFIER SIMPLIFIERS SIMPLIFIES SIMPLIFY SIMPLIFYING SIMPLISTIC SIMPLY SIMPSON SIMS SIMULA SIMULA SIMULATE SIMULATED SIMULATES SIMULATING SIMULATION SIMULATIONS SIMULATOR SIMULATORS SIMULCAST SIMULTANEITY SIMULTANEOUS SIMULTANEOUSLY SINAI SINATRA SINBAD SINCE SINCERE SINCERELY SINCEREST SINCERITY SINCLAIR SINE SINES SINEW SINEWS SINEWY SINFUL SINFULLY SINFULNESS SING SINGABLE SINGAPORE SINGBORG SINGE SINGED SINGER SINGERS SINGING SINGINGLY SINGLE SINGLED SINGLEHANDED SINGLENESS SINGLES SINGLET SINGLETON SINGLETONS SINGLING SINGLY SINGS SINGSONG SINGULAR SINGULARITIES SINGULARITY SINGULARLY SINISTER SINK SINKED SINKER SINKERS SINKHOLE SINKING SINKS SINNED SINNER SINNERS SINNING SINS SINUOUS SINUS SINUSOID SINUSOIDAL SINUSOIDS SIOUX SIP SIPHON SIPHONING SIPPING SIPS SIR SIRE SIRED SIREN SIRENS SIRES SIRIUS SIRS SIRUP SISTER SISTERLY SISTERS SISTINE SISYPHEAN SISYPHUS SIT SITE SITED SITES SITING SITS SITTER SITTERS SITTING SITTINGS SITU SITUATE SITUATED SITUATES SITUATING SITUATION SITUATIONAL SITUATIONALLY SITUATIONS SIVA SIX SIXES SIXFOLD SIXGUN SIXPENCE SIXTEEN SIXTEENS SIXTEENTH SIXTH SIXTIES SIXTIETH SIXTY SIZABLE SIZE SIZED SIZES SIZING SIZINGS SIZZLE SKATE SKATED SKATER SKATERS SKATES SKATING SKELETAL SKELETON SKELETONS SKEPTIC SKEPTICAL SKEPTICALLY SKEPTICISM SKEPTICS SKETCH SKETCHBOOK SKETCHED SKETCHES SKETCHILY SKETCHING SKETCHPAD SKETCHY SKEW SKEWED SKEWER SKEWERS SKEWING SKEWS SKI SKID SKIDDING SKIED SKIES SKIFF SKIING SKILL SKILLED SKILLET SKILLFUL SKILLFULLY SKILLFULNESS SKILLS SKIM SKIMMED SKIMMING SKIMP SKIMPED SKIMPING SKIMPS SKIMPY SKIMS SKIN SKINDIVE SKINNED SKINNER SKINNERS SKINNING SKINNY SKINS SKIP SKIPPED SKIPPER SKIPPERS SKIPPING SKIPPY SKIPS SKIRMISH SKIRMISHED SKIRMISHER SKIRMISHERS SKIRMISHES SKIRMISHING SKIRT SKIRTED SKIRTING SKIRTS SKIS SKIT SKOPJE SKULK SKULKED SKULKER SKULKING SKULKS SKULL SKULLCAP SKULLDUGGERY SKULLS SKUNK SKUNKS SKY SKYE SKYHOOK SKYJACK SKYLARK SKYLARKING SKYLARKS SKYLIGHT SKYLIGHTS SKYLINE SKYROCKETS SKYSCRAPER SKYSCRAPERS SLAB SLACK SLACKEN SLACKER SLACKING SLACKLY SLACKNESS SLACKS SLAIN SLAM SLAMMED SLAMMING SLAMS SLANDER SLANDERER SLANDEROUS SLANDERS SLANG SLANT SLANTED SLANTING SLANTS SLAP SLAPPED SLAPPING SLAPS SLAPSTICK SLASH SLASHED SLASHES SLASHING SLAT SLATE SLATED SLATER SLATES SLATS SLAUGHTER SLAUGHTERED SLAUGHTERHOUSE SLAUGHTERING SLAUGHTERS SLAV SLAVE SLAVER SLAVERY SLAVES SLAVIC SLAVICIZE SLAVICIZES SLAVISH SLAVIZATION SLAVIZATIONS SLAVIZE SLAVIZES SLAVONIC SLAVONICIZE SLAVONICIZES SLAVS SLAY SLAYER SLAYERS SLAYING SLAYS SLED SLEDDING SLEDGE SLEDGEHAMMER SLEDGES SLEDS SLEEK SLEEP SLEEPER SLEEPERS SLEEPILY SLEEPINESS SLEEPING SLEEPLESS SLEEPLESSLY SLEEPLESSNESS SLEEPS SLEEPWALK SLEEPY SLEET SLEEVE SLEEVES SLEIGH SLEIGHS SLEIGHT SLENDER SLENDERER SLEPT SLESINGER SLEUTH SLEW SLEWING SLICE SLICED SLICER SLICERS SLICES SLICING SLICK SLICKER SLICKERS SLICKS SLID SLIDE SLIDER SLIDERS SLIDES SLIDING SLIGHT SLIGHTED SLIGHTER SLIGHTEST SLIGHTING SLIGHTLY SLIGHTNESS SLIGHTS SLIM SLIME SLIMED SLIMLY SLIMY SLING SLINGING SLINGS SLINGSHOT SLIP SLIPPAGE SLIPPED SLIPPER SLIPPERINESS SLIPPERS SLIPPERY SLIPPING SLIPS SLIT SLITHER SLITS SLIVER SLOAN SLOANE SLOB SLOCUM SLOGAN SLOGANS SLOOP SLOP SLOPE SLOPED SLOPER SLOPERS SLOPES SLOPING SLOPPED SLOPPINESS SLOPPING SLOPPY SLOPS SLOT SLOTH SLOTHFUL SLOTHS SLOTS SLOTTED SLOTTING SLOUCH SLOUCHED SLOUCHES SLOUCHING SLOVAKIA SLOVENIA SLOW SLOWDOWN SLOWED SLOWER SLOWEST SLOWING SLOWLY SLOWNESS SLOWS SLUDGE SLUG SLUGGISH SLUGGISHLY SLUGGISHNESS SLUGS SLUICE SLUM SLUMBER SLUMBERED SLUMMING SLUMP SLUMPED SLUMPS SLUMS SLUNG SLUR SLURP SLURRING SLURRY SLURS SLY SLYLY SMACK SMACKED SMACKING SMACKS SMALL SMALLER SMALLEST SMALLEY SMALLISH SMALLNESS SMALLPOX SMALLTIME SMALLWOOD SMART SMARTED SMARTER SMARTEST SMARTLY SMARTNESS SMASH SMASHED SMASHER SMASHERS SMASHES SMASHING SMASHINGLY SMATTERING SMEAR SMEARED SMEARING SMEARS SMELL SMELLED SMELLING SMELLS SMELLY SMELT SMELTER SMELTS SMILE SMILED SMILES SMILING SMILINGLY SMIRK SMITE SMITH SMITHEREENS SMITHFIELD SMITHS SMITHSON SMITHSONIAN SMITHTOWN SMITHY SMITTEN SMOCK SMOCKING SMOCKS SMOG SMOKABLE SMOKE SMOKED SMOKER SMOKERS SMOKES SMOKESCREEN SMOKESTACK SMOKIES SMOKING SMOKY SMOLDER SMOLDERED SMOLDERING SMOLDERS SMOOCH SMOOTH SMOOTHBORE SMOOTHED SMOOTHER SMOOTHES SMOOTHEST SMOOTHING SMOOTHLY SMOOTHNESS SMOTE SMOTHER SMOTHERED SMOTHERING SMOTHERS SMUCKER SMUDGE SMUG SMUGGLE SMUGGLED SMUGGLER SMUGGLERS SMUGGLES SMUGGLING SMUT SMUTTY SMYRNA SMYTHE SNACK SNAFU SNAG SNAIL SNAILS SNAKE SNAKED SNAKELIKE SNAKES SNAP SNAPDRAGON SNAPPED SNAPPER SNAPPERS SNAPPILY SNAPPING SNAPPY SNAPS SNAPSHOT SNAPSHOTS SNARE SNARED SNARES SNARING SNARK SNARL SNARLED SNARLING SNATCH SNATCHED SNATCHES SNATCHING SNAZZY SNEAD SNEAK SNEAKED SNEAKER SNEAKERS SNEAKIER SNEAKIEST SNEAKILY SNEAKINESS SNEAKING SNEAKS SNEAKY SNEED SNEER SNEERED SNEERING SNEERS SNEEZE SNEEZED SNEEZES SNEEZING SNIDER SNIFF SNIFFED SNIFFING SNIFFLE SNIFFS SNIFTER SNIGGER SNIP SNIPE SNIPPET SNIVEL SNOB SNOBBERY SNOBBISH SNODGRASS SNOOP SNOOPED SNOOPING SNOOPS SNOOPY SNORE SNORED SNORES SNORING SNORKEL SNORT SNORTED SNORTING SNORTS SNOTTY SNOUT SNOUTS SNOW SNOWBALL SNOWBELT SNOWED SNOWFALL SNOWFLAKE SNOWIER SNOWIEST SNOWILY SNOWING SNOWMAN SNOWMEN SNOWS SNOWSHOE SNOWSHOES SNOWSTORM SNOWY SNUB SNUFF SNUFFED SNUFFER SNUFFING SNUFFS SNUG SNUGGLE SNUGGLED SNUGGLES SNUGGLING SNUGLY SNUGNESS SNYDER SOAK SOAKED SOAKING SOAKS SOAP SOAPED SOAPING SOAPS SOAPY SOAR SOARED SOARING SOARS SOB SOBBING SOBER SOBERED SOBERING SOBERLY SOBERNESS SOBERS SOBRIETY SOBS SOCCER SOCIABILITY SOCIABLE SOCIABLY SOCIAL SOCIALISM SOCIALIST SOCIALISTS SOCIALIZE SOCIALIZED SOCIALIZES SOCIALIZING SOCIALLY SOCIETAL SOCIETIES SOCIETY SOCIOECONOMIC SOCIOLOGICAL SOCIOLOGICALLY SOCIOLOGIST SOCIOLOGISTS SOCIOLOGY SOCK SOCKED SOCKET SOCKETS SOCKING SOCKS SOCRATES SOCRATIC SOD SODA SODDY SODIUM SODOMY SODS SOFA SOFAS SOFIA SOFT SOFTBALL SOFTEN SOFTENED SOFTENING SOFTENS SOFTER SOFTEST SOFTLY SOFTNESS SOFTWARE SOFTWARES SOGGY SOIL SOILED SOILING SOILS SOIREE SOJOURN SOJOURNER SOJOURNERS SOL SOLACE SOLACED SOLAR SOLD SOLDER SOLDERED SOLDIER SOLDIERING SOLDIERLY SOLDIERS SOLE SOLELY SOLEMN SOLEMNITY SOLEMNLY SOLEMNNESS SOLENOID SOLES SOLICIT SOLICITATION SOLICITED SOLICITING SOLICITOR SOLICITOUS SOLICITS SOLICITUDE SOLID SOLIDARITY SOLIDIFICATION SOLIDIFIED SOLIDIFIES SOLIDIFY SOLIDIFYING SOLIDITY SOLIDLY SOLIDNESS SOLIDS SOLILOQUY SOLITAIRE SOLITARY SOLITUDE SOLITUDES SOLLY SOLO SOLOMON SOLON SOLOS SOLOVIEV SOLSTICE SOLUBILITY SOLUBLE SOLUTION SOLUTIONS SOLVABLE SOLVE SOLVED SOLVENT SOLVENTS SOLVER SOLVERS SOLVES SOLVING SOMALI SOMALIA SOMALIS SOMATIC SOMBER SOMBERLY SOME SOMEBODY SOMEDAY SOMEHOW SOMEONE SOMEPLACE SOMERS SOMERSAULT SOMERSET SOMERVILLE SOMETHING SOMETIME SOMETIMES SOMEWHAT SOMEWHERE SOMMELIER SOMMERFELD SOMNOLENT SON SONAR SONATA SONENBERG SONG SONGBOOK SONGS SONIC SONNET SONNETS SONNY SONOMA SONORA SONS SONY SOON SOONER SOONEST SOOT SOOTH SOOTHE SOOTHED SOOTHER SOOTHES SOOTHING SOOTHSAYER SOPHIA SOPHIAS SOPHIE SOPHISTICATED SOPHISTICATION SOPHISTRY SOPHOCLEAN SOPHOCLES SOPHOMORE SOPHOMORES SOPRANO SORCERER SORCERERS SORCERY SORDID SORDIDLY SORDIDNESS SORE SORELY SORENESS SORENSEN SORENSON SORER SORES SOREST SORGHUM SORORITY SORREL SORRENTINE SORRIER SORRIEST SORROW SORROWFUL SORROWFULLY SORROWS SORRY SORT SORTED SORTER SORTERS SORTIE SORTING SORTS SOUGHT SOUL SOULFUL SOULS SOUND SOUNDED SOUNDER SOUNDEST SOUNDING SOUNDINGS SOUNDLY SOUNDNESS SOUNDPROOF SOUNDS SOUP SOUPED SOUPS SOUR SOURCE SOURCES SOURDOUGH SOURED SOURER SOUREST SOURING SOURLY SOURNESS SOURS SOUSA SOUTH SOUTHAMPTON SOUTHBOUND SOUTHEAST SOUTHEASTERN SOUTHERN SOUTHERNER SOUTHERNERS SOUTHERNMOST SOUTHERNWOOD SOUTHEY SOUTHFIELD SOUTHLAND SOUTHPAW SOUTHWARD SOUTHWEST SOUTHWESTERN SOUVENIR SOVEREIGN SOVEREIGNS SOVEREIGNTY SOVIET SOVIETS SOW SOWN SOY SOYA SOYBEAN SPA SPACE SPACECRAFT SPACED SPACER SPACERS SPACES SPACESHIP SPACESHIPS SPACESUIT SPACEWAR SPACING SPACINGS SPACIOUS SPADED SPADES SPADING SPAFFORD SPAHN SPAIN SPALDING SPAN SPANDREL SPANIARD SPANIARDIZATION SPANIARDIZATIONS SPANIARDIZE SPANIARDIZES SPANIARDS SPANIEL SPANISH SPANISHIZE SPANISHIZES SPANK SPANKED SPANKING SPANKS SPANNED SPANNER SPANNERS SPANNING SPANS SPARC SPARCSTATION SPARE SPARED SPARELY SPARENESS SPARER SPARES SPAREST SPARING SPARINGLY SPARK SPARKED SPARKING SPARKLE SPARKLING SPARKMAN SPARKS SPARRING SPARROW SPARROWS SPARSE SPARSELY SPARSENESS SPARSER SPARSEST SPARTA SPARTAN SPARTANIZE SPARTANIZES SPASM SPASTIC SPAT SPATE SPATES SPATIAL SPATIALLY SPATTER SPATTERED SPATULA SPAULDING SPAWN SPAWNED SPAWNING SPAWNS SPAYED SPEAK SPEAKABLE SPEAKEASY SPEAKER SPEAKERPHONE SPEAKERPHONES SPEAKERS SPEAKING SPEAKS SPEAR SPEARED SPEARMINT SPEARS SPEC SPECIAL SPECIALIST SPECIALISTS SPECIALIZATION SPECIALIZATIONS SPECIALIZE SPECIALIZED SPECIALIZES SPECIALIZING SPECIALLY SPECIALS SPECIALTIES SPECIALTY SPECIE SPECIES SPECIFIABLE SPECIFIC SPECIFICALLY SPECIFICATION SPECIFICATIONS SPECIFICITY SPECIFICS SPECIFIED SPECIFIER SPECIFIERS SPECIFIES SPECIFY SPECIFYING SPECIMEN SPECIMENS SPECIOUS SPECK SPECKLE SPECKLED SPECKLES SPECKS SPECTACLE SPECTACLED SPECTACLES SPECTACULAR SPECTACULARLY SPECTATOR SPECTATORS SPECTER SPECTERS SPECTOR SPECTRA SPECTRAL SPECTROGRAM SPECTROGRAMS SPECTROGRAPH SPECTROGRAPHIC SPECTROGRAPHY SPECTROMETER SPECTROPHOTOMETER SPECTROPHOTOMETRY SPECTROSCOPE SPECTROSCOPIC SPECTROSCOPY SPECTRUM SPECULATE SPECULATED SPECULATES SPECULATING SPECULATION SPECULATIONS SPECULATIVE SPECULATOR SPECULATORS SPED SPEECH SPEECHES SPEECHLESS SPEECHLESSNESS SPEED SPEEDBOAT SPEEDED SPEEDER SPEEDERS SPEEDILY SPEEDING SPEEDOMETER SPEEDS SPEEDUP SPEEDUPS SPEEDY SPELL SPELLBOUND SPELLED SPELLER SPELLERS SPELLING SPELLINGS SPELLS SPENCER SPENCERIAN SPEND SPENDER SPENDERS SPENDING SPENDS SPENGLERIAN SPENT SPERM SPERRY SPHERE SPHERES SPHERICAL SPHERICALLY SPHEROID SPHEROIDAL SPHINX SPICA SPICE SPICED SPICES SPICINESS SPICY SPIDER SPIDERS SPIDERY SPIEGEL SPIES SPIGOT SPIKE SPIKED SPIKES SPILL SPILLED SPILLER SPILLING SPILLS SPILT SPIN SPINACH SPINAL SPINALLY SPINDLE SPINDLED SPINDLING SPINE SPINNAKER SPINNER SPINNERS SPINNING SPINOFF SPINS SPINSTER SPINY SPIRAL SPIRALED SPIRALING SPIRALLY SPIRE SPIRES SPIRIT SPIRITED SPIRITEDLY SPIRITING SPIRITS SPIRITUAL SPIRITUALLY SPIRITUALS SPIRO SPIT SPITE SPITED SPITEFUL SPITEFULLY SPITEFULNESS SPITES SPITFIRE SPITING SPITS SPITTING SPITTLE SPITZ SPLASH SPLASHED SPLASHES SPLASHING SPLASHY SPLEEN SPLENDID SPLENDIDLY SPLENDOR SPLENETIC SPLICE SPLICED SPLICER SPLICERS SPLICES SPLICING SPLICINGS SPLINE SPLINES SPLINT SPLINTER SPLINTERED SPLINTERS SPLINTERY SPLIT SPLITS SPLITTER SPLITTERS SPLITTING SPLURGE SPOIL SPOILAGE SPOILED SPOILER SPOILERS SPOILING SPOILS SPOKANE SPOKE SPOKED SPOKEN SPOKES SPOKESMAN SPOKESMEN SPONGE SPONGED SPONGER SPONGERS SPONGES SPONGING SPONGY SPONSOR SPONSORED SPONSORING SPONSORS SPONSORSHIP SPONTANEITY SPONTANEOUS SPONTANEOUSLY SPOOF SPOOK SPOOKY SPOOL SPOOLED SPOOLER SPOOLERS SPOOLING SPOOLS SPOON SPOONED SPOONFUL SPOONING SPOONS SPORADIC SPORE SPORES SPORT SPORTED SPORTING SPORTINGLY SPORTIVE SPORTS SPORTSMAN SPORTSMEN SPORTSWEAR SPORTSWRITER SPORTSWRITING SPORTY SPOSATO SPOT SPOTLESS SPOTLESSLY SPOTLIGHT SPOTS SPOTTED SPOTTER SPOTTERS SPOTTING SPOTTY SPOUSE SPOUSES SPOUT SPOUTED SPOUTING SPOUTS SPRAGUE SPRAIN SPRANG SPRAWL SPRAWLED SPRAWLING SPRAWLS SPRAY SPRAYED SPRAYER SPRAYING SPRAYS SPREAD SPREADER SPREADERS SPREADING SPREADINGS SPREADS SPREADSHEET SPREE SPREES SPRIG SPRIGHTLY SPRING SPRINGBOARD SPRINGER SPRINGERS SPRINGFIELD SPRINGIER SPRINGIEST SPRINGINESS SPRINGING SPRINGS SPRINGTIME SPRINGY SPRINKLE SPRINKLED SPRINKLER SPRINKLES SPRINKLING SPRINT SPRINTED SPRINTER SPRINTERS SPRINTING SPRINTS SPRITE SPROCKET SPROUL SPROUT SPROUTED SPROUTING SPRUCE SPRUCED SPRUNG SPUDS SPUN SPUNK SPUR SPURIOUS SPURN SPURNED SPURNING SPURNS SPURS SPURT SPURTED SPURTING SPURTS SPUTTER SPUTTERED SPY SPYGLASS SPYING SQUABBLE SQUABBLED SQUABBLES SQUABBLING SQUAD SQUADRON SQUADRONS SQUADS SQUALID SQUALL SQUALLS SQUANDER SQUARE SQUARED SQUARELY SQUARENESS SQUARER SQUARES SQUAREST SQUARESVILLE SQUARING SQUASH SQUASHED SQUASHING SQUAT SQUATS SQUATTING SQUAW SQUAWK SQUAWKED SQUAWKING SQUAWKS SQUEAK SQUEAKED SQUEAKING SQUEAKS SQUEAKY SQUEAL SQUEALED SQUEALING SQUEALS SQUEAMISH SQUEEZE SQUEEZED SQUEEZER SQUEEZES SQUEEZING SQUELCH SQUIBB SQUID SQUINT SQUINTED SQUINTING SQUIRE SQUIRES SQUIRM SQUIRMED SQUIRMS SQUIRMY SQUIRREL SQUIRRELED SQUIRRELING SQUIRRELS SQUIRT SQUISHY SRI STAB STABBED STABBING STABILE STABILITIES STABILITY STABILIZE STABILIZED STABILIZER STABILIZERS STABILIZES STABILIZING STABLE STABLED STABLER STABLES STABLING STABLY STABS STACK STACKED STACKING STACKS STACY STADIA STADIUM STAFF STAFFED STAFFER STAFFERS STAFFING STAFFORD STAFFORDSHIRE STAFFS STAG STAGE STAGECOACH STAGECOACHES STAGED STAGER STAGERS STAGES STAGGER STAGGERED STAGGERING STAGGERS STAGING STAGNANT STAGNATE STAGNATION STAGS STAHL STAID STAIN STAINED STAINING STAINLESS STAINS STAIR STAIRCASE STAIRCASES STAIRS STAIRWAY STAIRWAYS STAIRWELL STAKE STAKED STAKES STALACTITE STALE STALEMATE STALEY STALIN STALINIST STALINS STALK STALKED STALKING STALL STALLED STALLING STALLINGS STALLION STALLS STALWART STALWARTLY STAMEN STAMENS STAMFORD STAMINA STAMMER STAMMERED STAMMERER STAMMERING STAMMERS STAMP STAMPED STAMPEDE STAMPEDED STAMPEDES STAMPEDING STAMPER STAMPERS STAMPING STAMPS STAN STANCH STANCHEST STANCHION STAND STANDARD STANDARDIZATION STANDARDIZE STANDARDIZED STANDARDIZES STANDARDIZING STANDARDLY STANDARDS STANDBY STANDING STANDINGS STANDISH STANDOFF STANDPOINT STANDPOINTS STANDS STANDSTILL STANFORD STANHOPE STANLEY STANS STANTON STANZA STANZAS STAPHYLOCOCCUS STAPLE STAPLER STAPLES STAPLETON STAPLING STAR STARBOARD STARCH STARCHED STARDOM STARE STARED STARER STARES STARFISH STARGATE STARING STARK STARKEY STARKLY STARLET STARLIGHT STARLING STARR STARRED STARRING STARRY STARS START STARTED STARTER STARTERS STARTING STARTLE STARTLED STARTLES STARTLING STARTS STARTUP STARTUPS STARVATION STARVE STARVED STARVES STARVING STATE STATED STATELY STATEMENT STATEMENTS STATEN STATES STATESMAN STATESMANLIKE STATESMEN STATEWIDE STATIC STATICALLY STATING STATION STATIONARY STATIONED STATIONER STATIONERY STATIONING STATIONMASTER STATIONS STATISTIC STATISTICAL STATISTICALLY STATISTICIAN STATISTICIANS STATISTICS STATLER STATUE STATUES STATUESQUE STATUESQUELY STATUESQUENESS STATUETTE STATURE STATUS STATUSES STATUTE STATUTES STATUTORILY STATUTORINESS STATUTORY STAUFFER STAUNCH STAUNCHEST STAUNCHLY STAUNTON STAVE STAVED STAVES STAY STAYED STAYING STAYS STEAD STEADFAST STEADFASTLY STEADFASTNESS STEADIED STEADIER STEADIES STEADIEST STEADILY STEADINESS STEADY STEADYING STEAK STEAKS STEAL STEALER STEALING STEALS STEALTH STEALTHILY STEALTHY STEAM STEAMBOAT STEAMBOATS STEAMED STEAMER STEAMERS STEAMING STEAMS STEAMSHIP STEAMSHIPS STEAMY STEARNS STEED STEEL STEELE STEELED STEELERS STEELING STEELMAKER STEELS STEELY STEEN STEEP STEEPED STEEPER STEEPEST STEEPING STEEPLE STEEPLES STEEPLY STEEPNESS STEEPS STEER STEERABLE STEERED STEERING STEERS STEFAN STEGOSAURUS STEINBECK STEINBERG STEINER STELLA STELLAR STEM STEMMED STEMMING STEMS STENCH STENCHES STENCIL STENCILS STENDHAL STENDLER STENOGRAPHER STENOGRAPHERS STENOTYPE STEP STEPCHILD STEPHAN STEPHANIE STEPHEN STEPHENS STEPHENSON STEPMOTHER STEPMOTHERS STEPPED STEPPER STEPPING STEPS STEPSON STEPWISE STEREO STEREOS STEREOSCOPIC STEREOTYPE STEREOTYPED STEREOTYPES STEREOTYPICAL STERILE STERILIZATION STERILIZATIONS STERILIZE STERILIZED STERILIZER STERILIZES STERILIZING STERLING STERN STERNBERG STERNLY STERNNESS STERNO STERNS STETHOSCOPE STETSON STETSONS STEUBEN STEVE STEVEDORE STEVEN STEVENS STEVENSON STEVIE STEW STEWARD STEWARDESS STEWARDS STEWART STEWED STEWS STICK STICKER STICKERS STICKIER STICKIEST STICKILY STICKINESS STICKING STICKLEBACK STICKS STICKY STIFF STIFFEN STIFFENS STIFFER STIFFEST STIFFLY STIFFNESS STIFFS STIFLE STIFLED STIFLES STIFLING STIGMA STIGMATA STILE STILES STILETTO STILL STILLBIRTH STILLBORN STILLED STILLER STILLEST STILLING STILLNESS STILLS STILLWELL STILT STILTS STIMSON STIMULANT STIMULANTS STIMULATE STIMULATED STIMULATES STIMULATING STIMULATION STIMULATIONS STIMULATIVE STIMULI STIMULUS STING STINGING STINGS STINGY STINK STINKER STINKERS STINKING STINKS STINT STIPEND STIPENDS STIPULATE STIPULATED STIPULATES STIPULATING STIPULATION STIPULATIONS STIR STIRLING STIRRED STIRRER STIRRERS STIRRING STIRRINGLY STIRRINGS STIRRUP STIRS STITCH STITCHED STITCHES STITCHING STOCHASTIC STOCHASTICALLY STOCK STOCKADE STOCKADES STOCKBROKER STOCKED STOCKER STOCKERS STOCKHOLDER STOCKHOLDERS STOCKHOLM STOCKING STOCKINGS STOCKPILE STOCKROOM STOCKS STOCKTON STOCKY STODGY STOICHIOMETRY STOKE STOKES STOLE STOLEN STOLES STOLID STOMACH STOMACHED STOMACHER STOMACHES STOMACHING STOMP STONE STONED STONEHENGE STONES STONING STONY STOOD STOOGE STOOL STOOP STOOPED STOOPING STOOPS STOP STOPCOCK STOPCOCKS STOPGAP STOPOVER STOPPABLE STOPPAGE STOPPED STOPPER STOPPERS STOPPING STOPS STOPWATCH STORAGE STORAGES STORE STORED STOREHOUSE STOREHOUSES STOREKEEPER STOREROOM STORES STOREY STOREYED STOREYS STORIED STORIES STORING STORK STORKS STORM STORMED STORMIER STORMIEST STORMINESS STORMING STORMS STORMY STORY STORYBOARD STORYTELLER STOUFFER STOUT STOUTER STOUTEST STOUTLY STOUTNESS STOVE STOVES STOW STOWE STOWED STRADDLE STRAFE STRAGGLE STRAGGLED STRAGGLER STRAGGLERS STRAGGLES STRAGGLING STRAIGHT STRAIGHTAWAY STRAIGHTEN STRAIGHTENED STRAIGHTENS STRAIGHTER STRAIGHTEST STRAIGHTFORWARD STRAIGHTFORWARDLY STRAIGHTFORWARDNESS STRAIGHTNESS STRAIGHTWAY STRAIN STRAINED STRAINER STRAINERS STRAINING STRAINS STRAIT STRAITEN STRAITS STRAND STRANDED STRANDING STRANDS STRANGE STRANGELY STRANGENESS STRANGER STRANGERS STRANGEST STRANGLE STRANGLED STRANGLER STRANGLERS STRANGLES STRANGLING STRANGLINGS STRANGULATION STRANGULATIONS STRAP STRAPS STRASBOURG STRATAGEM STRATAGEMS STRATEGIC STRATEGIES STRATEGIST STRATEGY STRATFORD STRATIFICATION STRATIFICATIONS STRATIFIED STRATIFIES STRATIFY STRATOSPHERE STRATOSPHERIC STRATTON STRATUM STRAUSS STRAVINSKY STRAW STRAWBERRIES STRAWBERRY STRAWS STRAY STRAYED STRAYS STREAK STREAKED STREAKS STREAM STREAMED STREAMER STREAMERS STREAMING STREAMLINE STREAMLINED STREAMLINER STREAMLINES STREAMLINING STREAMS STREET STREETCAR STREETCARS STREETERS STREETS STRENGTH STRENGTHEN STRENGTHENED STRENGTHENER STRENGTHENING STRENGTHENS STRENGTHS STRENUOUS STRENUOUSLY STREPTOCOCCUS STRESS STRESSED STRESSES STRESSFUL STRESSING STRETCH STRETCHED STRETCHER STRETCHERS STRETCHES STRETCHING STREW STREWN STREWS STRICKEN STRICKLAND STRICT STRICTER STRICTEST STRICTLY STRICTNESS STRICTURE STRIDE STRIDER STRIDES STRIDING STRIFE STRIKE STRIKEBREAKER STRIKER STRIKERS STRIKES STRIKING STRIKINGLY STRINDBERG STRING STRINGED STRINGENT STRINGENTLY STRINGER STRINGERS STRINGIER STRINGIEST STRINGINESS STRINGING STRINGS STRINGY STRIP STRIPE STRIPED STRIPES STRIPPED STRIPPER STRIPPERS STRIPPING STRIPS STRIPTEASE STRIVE STRIVEN STRIVES STRIVING STRIVINGS STROBE STROBED STROBES STROBOSCOPIC STRODE STROKE STROKED STROKER STROKERS STROKES STROKING STROLL STROLLED STROLLER STROLLING STROLLS STROM STROMBERG STRONG STRONGER STRONGEST STRONGHEART STRONGHOLD STRONGLY STRONTIUM STROVE STRUCK STRUCTURAL STRUCTURALLY STRUCTURE STRUCTURED STRUCTURER STRUCTURES STRUCTURING STRUGGLE STRUGGLED STRUGGLES STRUGGLING STRUNG STRUT STRUTS STRUTTING STRYCHNINE STU STUART STUB STUBBLE STUBBLEFIELD STUBBLEFIELDS STUBBORN STUBBORNLY STUBBORNNESS STUBBY STUBS STUCCO STUCK STUD STUDEBAKER STUDENT STUDENTS STUDIED STUDIES STUDIO STUDIOS STUDIOUS STUDIOUSLY STUDS STUDY STUDYING STUFF STUFFED STUFFIER STUFFIEST STUFFING STUFFS STUFFY STUMBLE STUMBLED STUMBLES STUMBLING STUMP STUMPED STUMPING STUMPS STUN STUNG STUNNING STUNNINGLY STUNT STUNTS STUPEFY STUPEFYING STUPENDOUS STUPENDOUSLY STUPID STUPIDEST STUPIDITIES STUPIDITY STUPIDLY STUPOR STURBRIDGE STURDINESS STURDY STURGEON STURM STUTTER STUTTGART STUYVESANT STYGIAN STYLE STYLED STYLER STYLERS STYLES STYLI STYLING STYLISH STYLISHLY STYLISHNESS STYLISTIC STYLISTICALLY STYLIZED STYLUS STYROFOAM STYX SUAVE SUB SUBATOMIC SUBCHANNEL SUBCHANNELS SUBCLASS SUBCLASSES SUBCOMMITTEES SUBCOMPONENT SUBCOMPONENTS SUBCOMPUTATION SUBCOMPUTATIONS SUBCONSCIOUS SUBCONSCIOUSLY SUBCULTURE SUBCULTURES SUBCYCLE SUBCYCLES SUBDIRECTORIES SUBDIRECTORY SUBDIVIDE SUBDIVIDED SUBDIVIDES SUBDIVIDING SUBDIVISION SUBDIVISIONS SUBDOMAINS SUBDUE SUBDUED SUBDUES SUBDUING SUBEXPRESSION SUBEXPRESSIONS SUBFIELD SUBFIELDS SUBFILE SUBFILES SUBGOAL SUBGOALS SUBGRAPH SUBGRAPHS SUBGROUP SUBGROUPS SUBINTERVAL SUBINTERVALS SUBJECT SUBJECTED SUBJECTING SUBJECTION SUBJECTIVE SUBJECTIVELY SUBJECTIVITY SUBJECTS SUBLANGUAGE SUBLANGUAGES SUBLAYER SUBLAYERS SUBLIMATION SUBLIMATIONS SUBLIME SUBLIMED SUBLIST SUBLISTS SUBMARINE SUBMARINER SUBMARINERS SUBMARINES SUBMERGE SUBMERGED SUBMERGES SUBMERGING SUBMISSION SUBMISSIONS SUBMISSIVE SUBMIT SUBMITS SUBMITTAL SUBMITTED SUBMITTING SUBMODE SUBMODES SUBMODULE SUBMODULES SUBMULTIPLEXED SUBNET SUBNETS SUBNETWORK SUBNETWORKS SUBOPTIMAL SUBORDINATE SUBORDINATED SUBORDINATES SUBORDINATION SUBPARTS SUBPHASES SUBPOENA SUBPROBLEM SUBPROBLEMS SUBPROCESSES SUBPROGRAM SUBPROGRAMS SUBPROJECT SUBPROOF SUBPROOFS SUBRANGE SUBRANGES SUBROUTINE SUBROUTINES SUBS SUBSCHEMA SUBSCHEMAS SUBSCRIBE SUBSCRIBED SUBSCRIBER SUBSCRIBERS SUBSCRIBES SUBSCRIBING SUBSCRIPT SUBSCRIPTED SUBSCRIPTING SUBSCRIPTION SUBSCRIPTIONS SUBSCRIPTS SUBSECTION SUBSECTIONS SUBSEGMENT SUBSEGMENTS SUBSEQUENCE SUBSEQUENCES SUBSEQUENT SUBSEQUENTLY SUBSERVIENT SUBSET SUBSETS SUBSIDE SUBSIDED SUBSIDES SUBSIDIARIES SUBSIDIARY SUBSIDIES SUBSIDING SUBSIDIZE SUBSIDIZED SUBSIDIZES SUBSIDIZING SUBSIDY SUBSIST SUBSISTED SUBSISTENCE SUBSISTENT SUBSISTING SUBSISTS SUBSLOT SUBSLOTS SUBSPACE SUBSPACES SUBSTANCE SUBSTANCES SUBSTANTIAL SUBSTANTIALLY SUBSTANTIATE SUBSTANTIATED SUBSTANTIATES SUBSTANTIATING SUBSTANTIATION SUBSTANTIATIONS SUBSTANTIVE SUBSTANTIVELY SUBSTANTIVITY SUBSTATION SUBSTATIONS SUBSTITUTABILITY SUBSTITUTABLE SUBSTITUTE SUBSTITUTED SUBSTITUTES SUBSTITUTING SUBSTITUTION SUBSTITUTIONS SUBSTRATE SUBSTRATES SUBSTRING SUBSTRINGS SUBSTRUCTURE SUBSTRUCTURES SUBSUME SUBSUMED SUBSUMES SUBSUMING SUBSYSTEM SUBSYSTEMS SUBTASK SUBTASKS SUBTERFUGE SUBTERRANEAN SUBTITLE SUBTITLED SUBTITLES SUBTLE SUBTLENESS SUBTLER SUBTLEST SUBTLETIES SUBTLETY SUBTLY SUBTOTAL SUBTRACT SUBTRACTED SUBTRACTING SUBTRACTION SUBTRACTIONS SUBTRACTOR SUBTRACTORS SUBTRACTS SUBTRAHEND SUBTRAHENDS SUBTREE SUBTREES SUBUNIT SUBUNITS SUBURB SUBURBAN SUBURBIA SUBURBS SUBVERSION SUBVERSIVE SUBVERT SUBVERTED SUBVERTER SUBVERTING SUBVERTS SUBWAY SUBWAYS SUCCEED SUCCEEDED SUCCEEDING SUCCEEDS SUCCESS SUCCESSES SUCCESSFUL SUCCESSFULLY SUCCESSION SUCCESSIONS SUCCESSIVE SUCCESSIVELY SUCCESSOR SUCCESSORS SUCCINCT SUCCINCTLY SUCCINCTNESS SUCCOR SUCCUMB SUCCUMBED SUCCUMBING SUCCUMBS SUCH SUCK SUCKED SUCKER SUCKERS SUCKING SUCKLE SUCKLING SUCKS SUCTION SUDAN SUDANESE SUDANIC SUDDEN SUDDENLY SUDDENNESS SUDS SUDSING SUE SUED SUES SUEZ SUFFER SUFFERANCE SUFFERED SUFFERER SUFFERERS SUFFERING SUFFERINGS SUFFERS SUFFICE SUFFICED SUFFICES SUFFICIENCY SUFFICIENT SUFFICIENTLY SUFFICING SUFFIX SUFFIXED SUFFIXER SUFFIXES SUFFIXING SUFFOCATE SUFFOCATED SUFFOCATES SUFFOCATING SUFFOCATION SUFFOLK SUFFRAGE SUFFRAGETTE SUGAR SUGARED SUGARING SUGARINGS SUGARS SUGGEST SUGGESTED SUGGESTIBLE SUGGESTING SUGGESTION SUGGESTIONS SUGGESTIVE SUGGESTIVELY SUGGESTS SUICIDAL SUICIDALLY SUICIDE SUICIDES SUING SUIT SUITABILITY SUITABLE SUITABLENESS SUITABLY SUITCASE SUITCASES SUITE SUITED SUITERS SUITES SUITING SUITOR SUITORS SUITS SUKARNO SULFA SULFUR SULFURIC SULFUROUS SULK SULKED SULKINESS SULKING SULKS SULKY SULLEN SULLENLY SULLENNESS SULLIVAN SULPHATE SULPHUR SULPHURED SULPHURIC SULTAN SULTANS SULTRY SULZBERGER SUM SUMAC SUMATRA SUMERIA SUMERIAN SUMMAND SUMMANDS SUMMARIES SUMMARILY SUMMARIZATION SUMMARIZATIONS SUMMARIZE SUMMARIZED SUMMARIZES SUMMARIZING SUMMARY SUMMATION SUMMATIONS SUMMED SUMMER SUMMERDALE SUMMERS SUMMERTIME SUMMING SUMMIT SUMMITRY SUMMON SUMMONED SUMMONER SUMMONERS SUMMONING SUMMONS SUMMONSES SUMNER SUMPTUOUS SUMS SUMTER SUN SUNBEAM SUNBEAMS SUNBELT SUNBONNET SUNBURN SUNBURNT SUNDAY SUNDAYS SUNDER SUNDIAL SUNDOWN SUNDRIES SUNDRY SUNFLOWER SUNG SUNGLASS SUNGLASSES SUNK SUNKEN SUNLIGHT SUNLIT SUNNED SUNNING SUNNY SUNNYVALE SUNRISE SUNS SUNSET SUNSHINE SUNSPOT SUNTAN SUNTANNED SUNTANNING SUPER SUPERB SUPERBLOCK SUPERBLY SUPERCOMPUTER SUPERCOMPUTERS SUPEREGO SUPEREGOS SUPERFICIAL SUPERFICIALLY SUPERFLUITIES SUPERFLUITY SUPERFLUOUS SUPERFLUOUSLY SUPERGROUP SUPERGROUPS SUPERHUMAN SUPERHUMANLY SUPERIMPOSE SUPERIMPOSED SUPERIMPOSES SUPERIMPOSING SUPERINTEND SUPERINTENDENT SUPERINTENDENTS SUPERIOR SUPERIORITY SUPERIORS SUPERLATIVE SUPERLATIVELY SUPERLATIVES SUPERMARKET SUPERMARKETS SUPERMINI SUPERMINIS SUPERNATURAL SUPERPOSE SUPERPOSED SUPERPOSES SUPERPOSING SUPERPOSITION SUPERSCRIPT SUPERSCRIPTED SUPERSCRIPTING SUPERSCRIPTS SUPERSEDE SUPERSEDED SUPERSEDES SUPERSEDING SUPERSET SUPERSETS SUPERSTITION SUPERSTITIONS SUPERSTITIOUS SUPERUSER SUPERVISE SUPERVISED SUPERVISES SUPERVISING SUPERVISION SUPERVISOR SUPERVISORS SUPERVISORY SUPINE SUPPER SUPPERS SUPPLANT SUPPLANTED SUPPLANTING SUPPLANTS SUPPLE SUPPLEMENT SUPPLEMENTAL SUPPLEMENTARY SUPPLEMENTED SUPPLEMENTING SUPPLEMENTS SUPPLENESS SUPPLICATION SUPPLIED SUPPLIER SUPPLIERS SUPPLIES SUPPLY SUPPLYING SUPPORT SUPPORTABLE SUPPORTED SUPPORTER SUPPORTERS SUPPORTING SUPPORTINGLY SUPPORTIVE SUPPORTIVELY SUPPORTS SUPPOSE SUPPOSED SUPPOSEDLY SUPPOSES SUPPOSING SUPPOSITION SUPPOSITIONS SUPPRESS SUPPRESSED SUPPRESSES SUPPRESSING SUPPRESSION SUPPRESSOR SUPPRESSORS SUPRANATIONAL SUPREMACY SUPREME SUPREMELY SURCHARGE SURE SURELY SURENESS SURETIES SURETY SURF SURFACE SURFACED SURFACENESS SURFACES SURFACING SURGE SURGED SURGEON SURGEONS SURGERY SURGES SURGICAL SURGICALLY SURGING SURLINESS SURLY SURMISE SURMISED SURMISES SURMOUNT SURMOUNTED SURMOUNTING SURMOUNTS SURNAME SURNAMES SURPASS SURPASSED SURPASSES SURPASSING SURPLUS SURPLUSES SURPRISE SURPRISED SURPRISES SURPRISING SURPRISINGLY SURREAL SURRENDER SURRENDERED SURRENDERING SURRENDERS SURREPTITIOUS SURREY SURROGATE SURROGATES SURROUND SURROUNDED SURROUNDING SURROUNDINGS SURROUNDS SURTAX SURVEY SURVEYED SURVEYING SURVEYOR SURVEYORS SURVEYS SURVIVAL SURVIVALS SURVIVE SURVIVED SURVIVES SURVIVING SURVIVOR SURVIVORS SUS SUSAN SUSANNE SUSCEPTIBLE SUSIE SUSPECT SUSPECTED SUSPECTING SUSPECTS SUSPEND SUSPENDED SUSPENDER SUSPENDERS SUSPENDING SUSPENDS SUSPENSE SUSPENSES SUSPENSION SUSPENSIONS SUSPICION SUSPICIONS SUSPICIOUS SUSPICIOUSLY SUSQUEHANNA SUSSEX SUSTAIN SUSTAINED SUSTAINING SUSTAINS SUSTENANCE SUTHERLAND SUTTON SUTURE SUTURES SUWANEE SUZANNE SUZERAINTY SUZUKI SVELTE SVETLANA SWAB SWABBING SWAGGER SWAGGERED SWAGGERING SWAHILI SWAIN SWAINS SWALLOW SWALLOWED SWALLOWING SWALLOWS SWALLOWTAIL SWAM SWAMI SWAMP SWAMPED SWAMPING SWAMPS SWAMPY SWAN SWANK SWANKY SWANLIKE SWANS SWANSEA SWANSON SWAP SWAPPED SWAPPING SWAPS SWARM SWARMED SWARMING SWARMS SWARTHMORE SWARTHOUT SWARTHY SWARTZ SWASTIKA SWAT SWATTED SWAY SWAYED SWAYING SWAZILAND SWEAR SWEARER SWEARING SWEARS SWEAT SWEATED SWEATER SWEATERS SWEATING SWEATS SWEATSHIRT SWEATY SWEDE SWEDEN SWEDES SWEDISH SWEENEY SWEENEYS SWEEP SWEEPER SWEEPERS SWEEPING SWEEPINGS SWEEPS SWEEPSTAKES SWEET SWEETEN SWEETENED SWEETENER SWEETENERS SWEETENING SWEETENINGS SWEETENS SWEETER SWEETEST SWEETHEART SWEETHEARTS SWEETISH SWEETLY SWEETNESS SWEETS SWELL SWELLED SWELLING SWELLINGS SWELLS SWELTER SWENSON SWEPT SWERVE SWERVED SWERVES SWERVING SWIFT SWIFTER SWIFTEST SWIFTLY SWIFTNESS SWIM SWIMMER SWIMMERS SWIMMING SWIMMINGLY SWIMS SWIMSUIT SWINBURNE SWINDLE SWINE SWING SWINGER SWINGERS SWINGING SWINGS SWINK SWIPE SWIRL SWIRLED SWIRLING SWISH SWISHED SWISS SWITCH SWITCHBLADE SWITCHBOARD SWITCHBOARDS SWITCHED SWITCHER SWITCHERS SWITCHES SWITCHING SWITCHINGS SWITCHMAN SWITZER SWITZERLAND SWIVEL SWIZZLE SWOLLEN SWOON SWOOP SWOOPED SWOOPING SWOOPS SWORD SWORDFISH SWORDS SWORE SWORN SWUM SWUNG SYBIL SYCAMORE SYCOPHANT SYCOPHANTIC SYDNEY SYKES SYLLABLE SYLLABLES SYLLOGISM SYLLOGISMS SYLLOGISTIC SYLOW SYLVAN SYLVANIA SYLVESTER SYLVIA SYLVIE SYMBIOSIS SYMBIOTIC SYMBOL SYMBOLIC SYMBOLICALLY SYMBOLICS SYMBOLISM SYMBOLIZATION SYMBOLIZE SYMBOLIZED SYMBOLIZES SYMBOLIZING SYMBOLS SYMINGTON SYMMETRIC SYMMETRICAL SYMMETRICALLY SYMMETRIES SYMMETRY SYMPATHETIC SYMPATHIES SYMPATHIZE SYMPATHIZED SYMPATHIZER SYMPATHIZERS SYMPATHIZES SYMPATHIZING SYMPATHIZINGLY SYMPATHY SYMPHONIC SYMPHONIES SYMPHONY SYMPOSIA SYMPOSIUM SYMPOSIUMS SYMPTOM SYMPTOMATIC SYMPTOMS SYNAGOGUE SYNAPSE SYNAPSES SYNAPTIC SYNCHRONISM SYNCHRONIZATION SYNCHRONIZE SYNCHRONIZED SYNCHRONIZER SYNCHRONIZERS SYNCHRONIZES SYNCHRONIZING SYNCHRONOUS SYNCHRONOUSLY SYNCHRONY SYNCHROTRON SYNCOPATE SYNDICATE SYNDICATED SYNDICATES SYNDICATION SYNDROME SYNDROMES SYNERGISM SYNERGISTIC SYNERGY SYNGE SYNOD SYNONYM SYNONYMOUS SYNONYMOUSLY SYNONYMS SYNOPSES SYNOPSIS SYNTACTIC SYNTACTICAL SYNTACTICALLY SYNTAX SYNTAXES SYNTHESIS SYNTHESIZE SYNTHESIZED SYNTHESIZER SYNTHESIZERS SYNTHESIZES SYNTHESIZING SYNTHETIC SYNTHETICS SYRACUSE SYRIA SYRIAN SYRIANIZE SYRIANIZES SYRIANS SYRINGE SYRINGES SYRUP SYRUPY SYSTEM SYSTEMATIC SYSTEMATICALLY SYSTEMATIZE SYSTEMATIZED SYSTEMATIZES SYSTEMATIZING SYSTEMIC SYSTEMS SYSTEMWIDE SZILARD TAB TABERNACLE TABERNACLES TABLE TABLEAU TABLEAUS TABLECLOTH TABLECLOTHS TABLED TABLES TABLESPOON TABLESPOONFUL TABLESPOONFULS TABLESPOONS TABLET TABLETS TABLING TABOO TABOOS TABS TABULAR TABULATE TABULATED TABULATES TABULATING TABULATION TABULATIONS TABULATOR TABULATORS TACHOMETER TACHOMETERS TACIT TACITLY TACITUS TACK TACKED TACKING TACKLE TACKLES TACOMA TACT TACTIC TACTICS TACTILE TAFT TAG TAGGED TAGGING TAGS TAHITI TAHOE TAIL TAILED TAILING TAILOR TAILORED TAILORING TAILORS TAILS TAINT TAINTED TAIPEI TAIWAN TAIWANESE TAKE TAKEN TAKER TAKERS TAKES TAKING TAKINGS TALE TALENT TALENTED TALENTS TALES TALK TALKATIVE TALKATIVELY TALKATIVENESS TALKED TALKER TALKERS TALKIE TALKING TALKS TALL TALLADEGA TALLAHASSEE TALLAHATCHIE TALLAHOOSA TALLCHIEF TALLER TALLEST TALLEYRAND TALLNESS TALLOW TALLY TALMUD TALMUDISM TALMUDIZATION TALMUDIZATIONS TALMUDIZE TALMUDIZES TAME TAMED TAMELY TAMENESS TAMER TAMES TAMIL TAMING TAMMANY TAMMANYIZE TAMMANYIZES TAMPA TAMPER TAMPERED TAMPERING TAMPERS TAN TANAKA TANANARIVE TANDEM TANG TANGANYIKA TANGENT TANGENTIAL TANGENTS TANGIBLE TANGIBLY TANGLE TANGLED TANGY TANK TANKER TANKERS TANKS TANNENBAUM TANNER TANNERS TANTALIZING TANTALIZINGLY TANTALUS TANTAMOUNT TANTRUM TANTRUMS TANYA TANZANIA TAOISM TAOIST TAOS TAP TAPE TAPED TAPER TAPERED TAPERING TAPERS TAPES TAPESTRIES TAPESTRY TAPING TAPINGS TAPPED TAPPER TAPPERS TAPPING TAPROOT TAPROOTS TAPS TAR TARA TARBELL TARDINESS TARDY TARGET TARGETED TARGETING TARGETS TARIFF TARIFFS TARRY TARRYTOWN TART TARTARY TARTLY TARTNESS TARTUFFE TARZAN TASK TASKED TASKING TASKS TASMANIA TASS TASSEL TASSELS TASTE TASTED TASTEFUL TASTEFULLY TASTEFULNESS TASTELESS TASTELESSLY TASTER TASTERS TASTES TASTING TATE TATTER TATTERED TATTOO TATTOOED TATTOOS TAU TAUGHT TAUNT TAUNTED TAUNTER TAUNTING TAUNTS TAURUS TAUT TAUTLY TAUTNESS TAUTOLOGICAL TAUTOLOGICALLY TAUTOLOGIES TAUTOLOGY TAVERN TAVERNS TAWNEY TAWNY TAX TAXABLE TAXATION TAXED TAXES TAXI TAXICAB TAXICABS TAXIED TAXIING TAXING TAXIS TAXONOMIC TAXONOMICALLY TAXONOMY TAXPAYER TAXPAYERS TAYLOR TAYLORIZE TAYLORIZES TAYLORS TCHAIKOVSKY TEA TEACH TEACHABLE TEACHER TEACHERS TEACHES TEACHING TEACHINGS TEACUP TEAM TEAMED TEAMING TEAMS TEAR TEARED TEARFUL TEARFULLY TEARING TEARS TEAS TEASE TEASED TEASES TEASING TEASPOON TEASPOONFUL TEASPOONFULS TEASPOONS TECHNICAL TECHNICALITIES TECHNICALITY TECHNICALLY TECHNICIAN TECHNICIANS TECHNION TECHNIQUE TECHNIQUES TECHNOLOGICAL TECHNOLOGICALLY TECHNOLOGIES TECHNOLOGIST TECHNOLOGISTS TECHNOLOGY TED TEDDY TEDIOUS TEDIOUSLY TEDIOUSNESS TEDIUM TEEM TEEMED TEEMING TEEMS TEEN TEENAGE TEENAGED TEENAGER TEENAGERS TEENS TEETH TEETHE TEETHED TEETHES TEETHING TEFLON TEGUCIGALPA TEHERAN TEHRAN TEKTRONIX TELECOMMUNICATION TELECOMMUNICATIONS TELEDYNE TELEFUNKEN TELEGRAM TELEGRAMS TELEGRAPH TELEGRAPHED TELEGRAPHER TELEGRAPHERS TELEGRAPHIC TELEGRAPHING TELEGRAPHS TELEMANN TELEMETRY TELEOLOGICAL TELEOLOGICALLY TELEOLOGY TELEPATHY TELEPHONE TELEPHONED TELEPHONER TELEPHONERS TELEPHONES TELEPHONIC TELEPHONING TELEPHONY TELEPROCESSING TELESCOPE TELESCOPED TELESCOPES TELESCOPING TELETEX TELETEXT TELETYPE TELETYPES TELEVISE TELEVISED TELEVISES TELEVISING TELEVISION TELEVISIONS TELEVISOR TELEVISORS TELEX TELL TELLER TELLERS TELLING TELLS TELNET TELNET TEMPER TEMPERAMENT TEMPERAMENTAL TEMPERAMENTS TEMPERANCE TEMPERATE TEMPERATELY TEMPERATENESS TEMPERATURE TEMPERATURES TEMPERED TEMPERING TEMPERS TEMPEST TEMPESTUOUS TEMPESTUOUSLY TEMPLATE TEMPLATES TEMPLE TEMPLEMAN TEMPLES TEMPLETON TEMPORAL TEMPORALLY TEMPORARIES TEMPORARILY TEMPORARY TEMPT TEMPTATION TEMPTATIONS TEMPTED TEMPTER TEMPTERS TEMPTING TEMPTINGLY TEMPTS TEN TENACIOUS TENACIOUSLY TENANT TENANTS TEND TENDED TENDENCIES TENDENCY TENDER TENDERLY TENDERNESS TENDERS TENDING TENDS TENEMENT TENEMENTS TENEX TENEX TENFOLD TENNECO TENNESSEE TENNEY TENNIS TENNYSON TENOR TENORS TENS TENSE TENSED TENSELY TENSENESS TENSER TENSES TENSEST TENSING TENSION TENSIONS TENT TENTACLE TENTACLED TENTACLES TENTATIVE TENTATIVELY TENTED TENTH TENTING TENTS TENURE TERESA TERM TERMED TERMINAL TERMINALLY TERMINALS TERMINATE TERMINATED TERMINATES TERMINATING TERMINATION TERMINATIONS TERMINATOR TERMINATORS TERMING TERMINOLOGIES TERMINOLOGY TERMINUS TERMS TERMWISE TERNARY TERPSICHORE TERRA TERRACE TERRACED TERRACES TERRAIN TERRAINS TERRAN TERRE TERRESTRIAL TERRESTRIALS TERRIBLE TERRIBLY TERRIER TERRIERS TERRIFIC TERRIFIED TERRIFIES TERRIFY TERRIFYING TERRITORIAL TERRITORIES TERRITORY TERROR TERRORISM TERRORIST TERRORISTIC TERRORISTS TERRORIZE TERRORIZED TERRORIZES TERRORIZING TERRORS TERTIARY TESS TESSIE TEST TESTABILITY TESTABLE TESTAMENT TESTAMENTS TESTED TESTER TESTERS TESTICLE TESTICLES TESTIFIED TESTIFIER TESTIFIERS TESTIFIES TESTIFY TESTIFYING TESTIMONIES TESTIMONY TESTING TESTINGS TESTS TEUTONIC TEX TEX TEXACO TEXAN TEXANS TEXAS TEXASES TEXT TEXTBOOK TEXTBOOKS TEXTILE TEXTILES TEXTRON TEXTS TEXTUAL TEXTUALLY TEXTURE TEXTURED TEXTURES THAI THAILAND THALIA THAMES THAN THANK THANKED THANKFUL THANKFULLY THANKFULNESS THANKING THANKLESS THANKLESSLY THANKLESSNESS THANKS THANKSGIVING THANKSGIVINGS THAT THATCH THATCHES THATS THAW THAWED THAWING THAWS THAYER THE THEA THEATER THEATERS THEATRICAL THEATRICALLY THEATRICALS THEBES THEFT THEFTS THEIR THEIRS THELMA THEM THEMATIC THEME THEMES THEMSELVES THEN THENCE THENCEFORTH THEODORE THEODOSIAN THEODOSIUS THEOLOGICAL THEOLOGY THEOREM THEOREMS THEORETIC THEORETICAL THEORETICALLY THEORETICIANS THEORIES THEORIST THEORISTS THEORIZATION THEORIZATIONS THEORIZE THEORIZED THEORIZER THEORIZERS THEORIZES THEORIZING THEORY THERAPEUTIC THERAPIES THERAPIST THERAPISTS THERAPY THERE THEREABOUTS THEREAFTER THEREBY THEREFORE THEREIN THEREOF THEREON THERESA THERETO THEREUPON THEREWITH THERMAL THERMODYNAMIC THERMODYNAMICS THERMOFAX THERMOMETER THERMOMETERS THERMOSTAT THERMOSTATS THESE THESES THESEUS THESIS THESSALONIAN THESSALY THETIS THEY THICK THICKEN THICKENS THICKER THICKEST THICKET THICKETS THICKLY THICKNESS THIEF THIENSVILLE THIEVE THIEVES THIEVING THIGH THIGHS THIMBLE THIMBLES THIMBU THIN THING THINGS THINK THINKABLE THINKABLY THINKER THINKERS THINKING THINKS THINLY THINNER THINNESS THINNEST THIRD THIRDLY THIRDS THIRST THIRSTED THIRSTS THIRSTY THIRTEEN THIRTEENS THIRTEENTH THIRTIES THIRTIETH THIRTY THIS THISTLE THOMAS THOMISTIC THOMPSON THOMSON THONG THOR THOREAU THORN THORNBURG THORNS THORNTON THORNY THOROUGH THOROUGHFARE THOROUGHFARES THOROUGHLY THOROUGHNESS THORPE THORSTEIN THOSE THOUGH THOUGHT THOUGHTFUL THOUGHTFULLY THOUGHTFULNESS THOUGHTLESS THOUGHTLESSLY THOUGHTLESSNESS THOUGHTS THOUSAND THOUSANDS THOUSANDTH THRACE THRACIAN THRASH THRASHED THRASHER THRASHES THRASHING THREAD THREADED THREADER THREADERS THREADING THREADS THREAT THREATEN THREATENED THREATENING THREATENS THREATS THREE THREEFOLD THREES THREESCORE THRESHOLD THRESHOLDS THREW THRICE THRIFT THRIFTY THRILL THRILLED THRILLER THRILLERS THRILLING THRILLINGLY THRILLS THRIVE THRIVED THRIVES THRIVING THROAT THROATED THROATS THROB THROBBED THROBBING THROBS THRONE THRONEBERRY THRONES THRONG THRONGS THROTTLE THROTTLED THROTTLES THROTTLING THROUGH THROUGHOUT THROUGHPUT THROW THROWER THROWING THROWN THROWS THRUSH THRUST THRUSTER THRUSTERS THRUSTING THRUSTS THUBAN THUD THUDS THUG THUGS THULE THUMB THUMBED THUMBING THUMBS THUMP THUMPED THUMPING THUNDER THUNDERBOLT THUNDERBOLTS THUNDERED THUNDERER THUNDERERS THUNDERING THUNDERS THUNDERSTORM THUNDERSTORMS THURBER THURMAN THURSDAY THURSDAYS THUS THUSLY THWART THWARTED THWARTING THWARTS THYSELF TIBER TIBET TIBETAN TIBURON TICK TICKED TICKER TICKERS TICKET TICKETS TICKING TICKLE TICKLED TICKLES TICKLING TICKLISH TICKS TICONDEROGA TIDAL TIDALLY TIDE TIDED TIDES TIDIED TIDINESS TIDING TIDINGS TIDY TIDYING TIE TIECK TIED TIENTSIN TIER TIERS TIES TIFFANY TIGER TIGERS TIGHT TIGHTEN TIGHTENED TIGHTENER TIGHTENERS TIGHTENING TIGHTENINGS TIGHTENS TIGHTER TIGHTEST TIGHTLY TIGHTNESS TIGRIS TIJUANA TILDE TILE TILED TILES TILING TILL TILLABLE TILLED TILLER TILLERS TILLICH TILLIE TILLING TILLS TILT TILTED TILTING TILTS TIM TIMBER TIMBERED TIMBERING TIMBERS TIME TIMED TIMELESS TIMELESSLY TIMELESSNESS TIMELY TIMEOUT TIMEOUTS TIMER TIMERS TIMES TIMESHARE TIMESHARES TIMESHARING TIMESTAMP TIMESTAMPS TIMETABLE TIMETABLES TIMEX TIMID TIMIDITY TIMIDLY TIMING TIMINGS TIMMY TIMON TIMONIZE TIMONIZES TIMS TIN TINA TINCTURE TINGE TINGED TINGLE TINGLED TINGLES TINGLING TINIER TINIEST TINILY TININESS TINKER TINKERED TINKERING TINKERS TINKLE TINKLED TINKLES TINKLING TINNIER TINNIEST TINNILY TINNINESS TINNY TINS TINSELTOWN TINT TINTED TINTING TINTS TINY TIOGA TIP TIPPECANOE TIPPED TIPPER TIPPERARY TIPPERS TIPPING TIPS TIPTOE TIRANA TIRE TIRED TIREDLY TIRELESS TIRELESSLY TIRELESSNESS TIRES TIRESOME TIRESOMELY TIRESOMENESS TIRING TISSUE TISSUES TIT TITAN TITHE TITHER TITHES TITHING TITLE TITLED TITLES TITO TITS TITTER TITTERS TITUS TOAD TOADS TOAST TOASTED TOASTER TOASTING TOASTS TOBACCO TOBAGO TOBY TODAY TODAYS TODD TOE TOES TOGETHER TOGETHERNESS TOGGLE TOGGLED TOGGLES TOGGLING TOGO TOIL TOILED TOILER TOILET TOILETS TOILING TOILS TOKEN TOKENS TOKYO TOLAND TOLD TOLEDO TOLERABILITY TOLERABLE TOLERABLY TOLERANCE TOLERANCES TOLERANT TOLERANTLY TOLERATE TOLERATED TOLERATES TOLERATING TOLERATION TOLL TOLLED TOLLEY TOLLS TOLSTOY TOM TOMAHAWK TOMAHAWKS TOMATO TOMATOES TOMB TOMBIGBEE TOMBS TOMLINSON TOMMIE TOMOGRAPHY TOMORROW TOMORROWS TOMPKINS TON TONE TONED TONER TONES TONGS TONGUE TONGUED TONGUES TONI TONIC TONICS TONIGHT TONING TONIO TONNAGE TONS TONSIL TOO TOOK TOOL TOOLED TOOLER TOOLERS TOOLING TOOLS TOOMEY TOOTH TOOTHBRUSH TOOTHBRUSHES TOOTHPASTE TOOTHPICK TOOTHPICKS TOP TOPEKA TOPER TOPIC TOPICAL TOPICALLY TOPICS TOPMOST TOPOGRAPHY TOPOLOGICAL TOPOLOGIES TOPOLOGY TOPPLE TOPPLED TOPPLES TOPPLING TOPS TOPSY TORAH TORCH TORCHES TORE TORIES TORMENT TORMENTED TORMENTER TORMENTERS TORMENTING TORN TORNADO TORNADOES TORONTO TORPEDO TORPEDOES TORQUE TORQUEMADA TORRANCE TORRENT TORRENTS TORRID TORTOISE TORTOISES TORTURE TORTURED TORTURER TORTURERS TORTURES TORTURING TORUS TORUSES TORY TORYIZE TORYIZES TOSCA TOSCANINI TOSHIBA TOSS TOSSED TOSSES TOSSING TOTAL TOTALED TOTALING TOTALITIES TOTALITY TOTALLED TOTALLER TOTALLERS TOTALLING TOTALLY TOTALS TOTO TOTTER TOTTERED TOTTERING TOTTERS TOUCH TOUCHABLE TOUCHED TOUCHES TOUCHIER TOUCHIEST TOUCHILY TOUCHINESS TOUCHING TOUCHINGLY TOUCHY TOUGH TOUGHEN TOUGHER TOUGHEST TOUGHLY TOUGHNESS TOULOUSE TOUR TOURED TOURING TOURIST TOURISTS TOURNAMENT TOURNAMENTS TOURS TOW TOWARD TOWARDS TOWED TOWEL TOWELING TOWELLED TOWELLING TOWELS TOWER TOWERED TOWERING TOWERS TOWN TOWNLEY TOWNS TOWNSEND TOWNSHIP TOWNSHIPS TOWSLEY TOY TOYED TOYING TOYNBEE TOYOTA TOYS TRACE TRACEABLE TRACED TRACER TRACERS TRACES TRACING TRACINGS TRACK TRACKED TRACKER TRACKERS TRACKING TRACKS TRACT TRACTABILITY TRACTABLE TRACTARIANS TRACTIVE TRACTOR TRACTORS TRACTS TRACY TRADE TRADED TRADEMARK TRADEMARKS TRADEOFF TRADEOFFS TRADER TRADERS TRADES TRADESMAN TRADING TRADITION TRADITIONAL TRADITIONALLY TRADITIONS TRAFFIC TRAFFICKED TRAFFICKER TRAFFICKERS TRAFFICKING TRAFFICS TRAGEDIES TRAGEDY TRAGIC TRAGICALLY TRAIL TRAILED TRAILER TRAILERS TRAILING TRAILINGS TRAILS TRAIN TRAINED TRAINEE TRAINEES TRAINER TRAINERS TRAINING TRAINS TRAIT TRAITOR TRAITORS TRAITS TRAJECTORIES TRAJECTORY TRAMP TRAMPED TRAMPING TRAMPLE TRAMPLED TRAMPLER TRAMPLES TRAMPLING TRAMPS TRANCE TRANCES TRANQUIL TRANQUILITY TRANQUILLY TRANSACT TRANSACTION TRANSACTIONS TRANSATLANTIC TRANSCEIVE TRANSCEIVER TRANSCEIVERS TRANSCEND TRANSCENDED TRANSCENDENT TRANSCENDING TRANSCENDS TRANSCONTINENTAL TRANSCRIBE TRANSCRIBED TRANSCRIBER TRANSCRIBERS TRANSCRIBES TRANSCRIBING TRANSCRIPT TRANSCRIPTION TRANSCRIPTIONS TRANSCRIPTS TRANSFER TRANSFERABILITY TRANSFERABLE TRANSFERAL TRANSFERALS TRANSFERENCE TRANSFERRED TRANSFERRER TRANSFERRERS TRANSFERRING TRANSFERS TRANSFINITE TRANSFORM TRANSFORMABLE TRANSFORMATION TRANSFORMATIONAL TRANSFORMATIONS TRANSFORMED TRANSFORMER TRANSFORMERS TRANSFORMING TRANSFORMS TRANSGRESS TRANSGRESSED TRANSGRESSION TRANSGRESSIONS TRANSIENCE TRANSIENCY TRANSIENT TRANSIENTLY TRANSIENTS TRANSISTOR TRANSISTORIZE TRANSISTORIZED TRANSISTORIZING TRANSISTORS TRANSIT TRANSITE TRANSITION TRANSITIONAL TRANSITIONED TRANSITIONS TRANSITIVE TRANSITIVELY TRANSITIVENESS TRANSITIVITY TRANSITORY TRANSLATABILITY TRANSLATABLE TRANSLATE TRANSLATED TRANSLATES TRANSLATING TRANSLATION TRANSLATIONAL TRANSLATIONS TRANSLATOR TRANSLATORS TRANSLUCENT TRANSMISSION TRANSMISSIONS TRANSMIT TRANSMITS TRANSMITTAL TRANSMITTED TRANSMITTER TRANSMITTERS TRANSMITTING TRANSMOGRIFICATION TRANSMOGRIFY TRANSPACIFIC TRANSPARENCIES TRANSPARENCY TRANSPARENT TRANSPARENTLY TRANSPIRE TRANSPIRED TRANSPIRES TRANSPIRING TRANSPLANT TRANSPLANTED TRANSPLANTING TRANSPLANTS TRANSPONDER TRANSPONDERS TRANSPORT TRANSPORTABILITY TRANSPORTATION TRANSPORTED TRANSPORTER TRANSPORTERS TRANSPORTING TRANSPORTS TRANSPOSE TRANSPOSED TRANSPOSES TRANSPOSING TRANSPOSITION TRANSPUTER TRANSVAAL TRANSYLVANIA TRAP TRAPEZOID TRAPEZOIDAL TRAPEZOIDS TRAPPED TRAPPER TRAPPERS TRAPPING TRAPPINGS TRAPS TRASH TRASTEVERE TRAUMA TRAUMATIC TRAVAIL TRAVEL TRAVELED TRAVELER TRAVELERS TRAVELING TRAVELINGS TRAVELS TRAVERSAL TRAVERSALS TRAVERSE TRAVERSED TRAVERSES TRAVERSING TRAVESTIES TRAVESTY TRAVIS TRAY TRAYS TREACHERIES TREACHEROUS TREACHEROUSLY TREACHERY TREAD TREADING TREADS TREADWELL TREASON TREASURE TREASURED TREASURER TREASURES TREASURIES TREASURING TREASURY TREAT TREATED TREATIES TREATING TREATISE TREATISES TREATMENT TREATMENTS TREATS TREATY TREBLE TREE TREES TREETOP TREETOPS TREK TREKS TREMBLE TREMBLED TREMBLES TREMBLING TREMENDOUS TREMENDOUSLY TREMOR TREMORS TRENCH TRENCHER TRENCHES TREND TRENDING TRENDS TRENTON TRESPASS TRESPASSED TRESPASSER TRESPASSERS TRESPASSES TRESS TRESSES TREVELYAN TRIAL TRIALS TRIANGLE TRIANGLES TRIANGULAR TRIANGULARLY TRIANGULUM TRIANON TRIASSIC TRIBAL TRIBE TRIBES TRIBUNAL TRIBUNALS TRIBUNE TRIBUNES TRIBUTARY TRIBUTE TRIBUTES TRICERATOPS TRICHINELLA TRICHOTOMY TRICK TRICKED TRICKIER TRICKIEST TRICKINESS TRICKING TRICKLE TRICKLED TRICKLES TRICKLING TRICKS TRICKY TRIED TRIER TRIERS TRIES TRIFLE TRIFLER TRIFLES TRIFLING TRIGGER TRIGGERED TRIGGERING TRIGGERS TRIGONOMETRIC TRIGONOMETRY TRIGRAM TRIGRAMS TRIHEDRAL TRILATERAL TRILL TRILLED TRILLION TRILLIONS TRILLIONTH TRIM TRIMBLE TRIMLY TRIMMED TRIMMER TRIMMEST TRIMMING TRIMMINGS TRIMNESS TRIMS TRINIDAD TRINKET TRINKETS TRIO TRIP TRIPLE TRIPLED TRIPLES TRIPLET TRIPLETS TRIPLETT TRIPLING TRIPOD TRIPS TRISTAN TRIUMPH TRIUMPHAL TRIUMPHANT TRIUMPHANTLY TRIUMPHED TRIUMPHING TRIUMPHS TRIVIA TRIVIAL TRIVIALITIES TRIVIALITY TRIVIALLY TROBRIAND TROD TROJAN TROLL TROLLEY TROLLEYS TROLLS TROOP TROOPER TROOPERS TROOPS TROPEZ TROPHIES TROPHY TROPIC TROPICAL TROPICS TROT TROTS TROTSKY TROUBLE TROUBLED TROUBLEMAKER TROUBLEMAKERS TROUBLES TROUBLESHOOT TROUBLESHOOTER TROUBLESHOOTERS TROUBLESHOOTING TROUBLESHOOTS TROUBLESOME TROUBLESOMELY TROUBLING TROUGH TROUSER TROUSERS TROUT TROUTMAN TROWEL TROWELS TROY TRUANT TRUANTS TRUCE TRUCK TRUCKED TRUCKEE TRUCKER TRUCKERS TRUCKING TRUCKS TRUDEAU TRUDGE TRUDGED TRUDY TRUE TRUED TRUER TRUES TRUEST TRUING TRUISM TRUISMS TRUJILLO TRUK TRULY TRUMAN TRUMBULL TRUMP TRUMPED TRUMPET TRUMPETER TRUMPS TRUNCATE TRUNCATED TRUNCATES TRUNCATING TRUNCATION TRUNCATIONS TRUNK TRUNKS TRUST TRUSTED TRUSTEE TRUSTEES TRUSTFUL TRUSTFULLY TRUSTFULNESS TRUSTING TRUSTINGLY TRUSTS TRUSTWORTHINESS TRUSTWORTHY TRUSTY TRUTH TRUTHFUL TRUTHFULLY TRUTHFULNESS TRUTHS TRY TRYING TSUNEMATSU TUB TUBE TUBER TUBERCULOSIS TUBERS TUBES TUBING TUBS TUCK TUCKED TUCKER TUCKING TUCKS TUCSON TUDOR TUESDAY TUESDAYS TUFT TUFTS TUG TUGS TUITION TULANE TULIP TULIPS TULSA TUMBLE TUMBLED TUMBLER TUMBLERS TUMBLES TUMBLING TUMOR TUMORS TUMULT TUMULTS TUMULTUOUS TUNABLE TUNE TUNED TUNER TUNERS TUNES TUNIC TUNICS TUNING TUNIS TUNISIA TUNISIAN TUNNEL TUNNELED TUNNELS TUPLE TUPLES TURBAN TURBANS TURBULENCE TURBULENT TURBULENTLY TURF TURGID TURGIDLY TURIN TURING TURKEY TURKEYS TURKISH TURKIZE TURKIZES TURMOIL TURMOILS TURN TURNABLE TURNAROUND TURNED TURNER TURNERS TURNING TURNINGS TURNIP TURNIPS TURNOVER TURNS TURPENTINE TURQUOISE TURRET TURRETS TURTLE TURTLENECK TURTLES TUSCALOOSA TUSCAN TUSCANIZE TUSCANIZES TUSCANY TUSCARORA TUSKEGEE TUTANKHAMEN TUTANKHAMON TUTANKHAMUN TUTENKHAMON TUTOR TUTORED TUTORIAL TUTORIALS TUTORING TUTORS TUTTLE TWAIN TWANG TWAS TWEED TWELFTH TWELVE TWELVES TWENTIES TWENTIETH TWENTY TWICE TWIG TWIGS TWILIGHT TWILIGHTS TWILL TWIN TWINE TWINED TWINER TWINKLE TWINKLED TWINKLER TWINKLES TWINKLING TWINS TWIRL TWIRLED TWIRLER TWIRLING TWIRLS TWIST TWISTED TWISTER TWISTERS TWISTING TWISTS TWITCH TWITCHED TWITCHING TWITTER TWITTERED TWITTERING TWO TWOFOLD TWOMBLY TWOS TYBURN TYING TYLER TYLERIZE TYLERIZES TYNDALL TYPE TYPED TYPEOUT TYPES TYPESETTER TYPEWRITER TYPEWRITERS TYPHOID TYPHON TYPICAL TYPICALLY TYPICALNESS TYPIFIED TYPIFIES TYPIFY TYPIFYING TYPING TYPIST TYPISTS TYPO TYPOGRAPHIC TYPOGRAPHICAL TYPOGRAPHICALLY TYPOGRAPHY TYRANNICAL TYRANNOSAURUS TYRANNY TYRANT TYRANTS TYSON TZELTAL UBIQUITOUS UBIQUITOUSLY UBIQUITY UDALL UGANDA UGH UGLIER UGLIEST UGLINESS UGLY UKRAINE UKRAINIAN UKRAINIANS ULAN ULCER ULCERS ULLMAN ULSTER ULTIMATE ULTIMATELY ULTRA ULTRASONIC ULTRIX ULTRIX ULYSSES UMBRAGE UMBRELLA UMBRELLAS UMPIRE UMPIRES UNABATED UNABBREVIATED UNABLE UNACCEPTABILITY UNACCEPTABLE UNACCEPTABLY UNACCOUNTABLE UNACCUSTOMED UNACHIEVABLE UNACKNOWLEDGED UNADULTERATED UNAESTHETICALLY UNAFFECTED UNAFFECTEDLY UNAFFECTEDNESS UNAIDED UNALIENABILITY UNALIENABLE UNALTERABLY UNALTERED UNAMBIGUOUS UNAMBIGUOUSLY UNAMBITIOUS UNANALYZABLE UNANIMITY UNANIMOUS UNANIMOUSLY UNANSWERABLE UNANSWERED UNANTICIPATED UNARMED UNARY UNASSAILABLE UNASSIGNED UNASSISTED UNATTAINABILITY UNATTAINABLE UNATTENDED UNATTRACTIVE UNATTRACTIVELY UNAUTHORIZED UNAVAILABILITY UNAVAILABLE UNAVOIDABLE UNAVOIDABLY UNAWARE UNAWARENESS UNAWARES UNBALANCED UNBEARABLE UNBECOMING UNBELIEVABLE UNBIASED UNBIND UNBLOCK UNBLOCKED UNBLOCKING UNBLOCKS UNBORN UNBOUND UNBOUNDED UNBREAKABLE UNBRIDLED UNBROKEN UNBUFFERED UNCANCELLED UNCANNY UNCAPITALIZED UNCAUGHT UNCERTAIN UNCERTAINLY UNCERTAINTIES UNCERTAINTY UNCHANGEABLE UNCHANGED UNCHANGING UNCLAIMED UNCLASSIFIED UNCLE UNCLEAN UNCLEANLY UNCLEANNESS UNCLEAR UNCLEARED UNCLES UNCLOSED UNCOMFORTABLE UNCOMFORTABLY UNCOMMITTED UNCOMMON UNCOMMONLY UNCOMPROMISING UNCOMPUTABLE UNCONCERNED UNCONCERNEDLY UNCONDITIONAL UNCONDITIONALLY UNCONNECTED UNCONSCIONABLE UNCONSCIOUS UNCONSCIOUSLY UNCONSCIOUSNESS UNCONSTITUTIONAL UNCONSTRAINED UNCONTROLLABILITY UNCONTROLLABLE UNCONTROLLABLY UNCONTROLLED UNCONVENTIONAL UNCONVENTIONALLY UNCONVINCED UNCONVINCING UNCOORDINATED UNCORRECTABLE UNCORRECTED UNCOUNTABLE UNCOUNTABLY UNCOUTH UNCOVER UNCOVERED UNCOVERING UNCOVERS UNDAMAGED UNDAUNTED UNDAUNTEDLY UNDECIDABLE UNDECIDED UNDECLARED UNDECOMPOSABLE UNDEFINABILITY UNDEFINED UNDELETED UNDENIABLE UNDENIABLY UNDER UNDERBRUSH UNDERDONE UNDERESTIMATE UNDERESTIMATED UNDERESTIMATES UNDERESTIMATING UNDERESTIMATION UNDERFLOW UNDERFLOWED UNDERFLOWING UNDERFLOWS UNDERFOOT UNDERGO UNDERGOES UNDERGOING UNDERGONE UNDERGRADUATE UNDERGRADUATES UNDERGROUND UNDERLIE UNDERLIES UNDERLINE UNDERLINED UNDERLINES UNDERLING UNDERLINGS UNDERLINING UNDERLININGS UNDERLOADED UNDERLYING UNDERMINE UNDERMINED UNDERMINES UNDERMINING UNDERNEATH UNDERPINNING UNDERPINNINGS UNDERPLAY UNDERPLAYED UNDERPLAYING UNDERPLAYS UNDERSCORE UNDERSCORED UNDERSCORES UNDERSTAND UNDERSTANDABILITY UNDERSTANDABLE UNDERSTANDABLY UNDERSTANDING UNDERSTANDINGLY UNDERSTANDINGS UNDERSTANDS UNDERSTATED UNDERSTOOD UNDERTAKE UNDERTAKEN UNDERTAKER UNDERTAKERS UNDERTAKES UNDERTAKING UNDERTAKINGS UNDERTOOK UNDERWATER UNDERWAY UNDERWEAR UNDERWENT UNDERWORLD UNDERWRITE UNDERWRITER UNDERWRITERS UNDERWRITES UNDERWRITING UNDESIRABILITY UNDESIRABLE UNDETECTABLE UNDETECTED UNDETERMINED UNDEVELOPED UNDID UNDIMINISHED UNDIRECTED UNDISCIPLINED UNDISCOVERED UNDISTURBED UNDIVIDED UNDO UNDOCUMENTED UNDOES UNDOING UNDOINGS UNDONE UNDOUBTEDLY UNDRESS UNDRESSED UNDRESSES UNDRESSING UNDUE UNDULY UNEASILY UNEASINESS UNEASY UNECONOMIC UNECONOMICAL UNEMBELLISHED UNEMPLOYED UNEMPLOYMENT UNENCRYPTED UNENDING UNENLIGHTENING UNEQUAL UNEQUALED UNEQUALLY UNEQUIVOCAL UNEQUIVOCALLY UNESCO UNESSENTIAL UNEVALUATED UNEVEN UNEVENLY UNEVENNESS UNEVENTFUL UNEXCUSED UNEXPANDED UNEXPECTED UNEXPECTEDLY UNEXPLAINED UNEXPLORED UNEXTENDED UNFAIR UNFAIRLY UNFAIRNESS UNFAITHFUL UNFAITHFULLY UNFAITHFULNESS UNFAMILIAR UNFAMILIARITY UNFAMILIARLY UNFAVORABLE UNFETTERED UNFINISHED UNFIT UNFITNESS UNFLAGGING UNFOLD UNFOLDED UNFOLDING UNFOLDS UNFORESEEN UNFORGEABLE UNFORGIVING UNFORMATTED UNFORTUNATE UNFORTUNATELY UNFORTUNATES UNFOUNDED UNFRIENDLINESS UNFRIENDLY UNFULFILLED UNGRAMMATICAL UNGRATEFUL UNGRATEFULLY UNGRATEFULNESS UNGROUNDED UNGUARDED UNGUIDED UNHAPPIER UNHAPPIEST UNHAPPILY UNHAPPINESS UNHAPPY UNHARMED UNHEALTHY UNHEARD UNHEEDED UNIBUS UNICORN UNICORNS UNICYCLE UNIDENTIFIED UNIDIRECTIONAL UNIDIRECTIONALITY UNIDIRECTIONALLY UNIFICATION UNIFICATIONS UNIFIED UNIFIER UNIFIERS UNIFIES UNIFORM UNIFORMED UNIFORMITY UNIFORMLY UNIFORMS UNIFY UNIFYING UNILLUMINATING UNIMAGINABLE UNIMPEDED UNIMPLEMENTED UNIMPORTANT UNINDENTED UNINITIALIZED UNINSULATED UNINTELLIGIBLE UNINTENDED UNINTENTIONAL UNINTENTIONALLY UNINTERESTING UNINTERESTINGLY UNINTERPRETED UNINTERRUPTED UNINTERRUPTEDLY UNION UNIONIZATION UNIONIZE UNIONIZED UNIONIZER UNIONIZERS UNIONIZES UNIONIZING UNIONS UNIPLUS UNIPROCESSOR UNIQUE UNIQUELY UNIQUENESS UNIROYAL UNISOFT UNISON UNIT UNITARIAN UNITARIANIZE UNITARIANIZES UNITARIANS UNITE UNITED UNITES UNITIES UNITING UNITS UNITY UNIVAC UNIVALVE UNIVALVES UNIVERSAL UNIVERSALITY UNIVERSALLY UNIVERSALS UNIVERSE UNIVERSES UNIVERSITIES UNIVERSITY UNIX UNIX UNJUST UNJUSTIFIABLE UNJUSTIFIED UNJUSTLY UNKIND UNKINDLY UNKINDNESS UNKNOWABLE UNKNOWING UNKNOWINGLY UNKNOWN UNKNOWNS UNLABELLED UNLAWFUL UNLAWFULLY UNLEASH UNLEASHED UNLEASHES UNLEASHING UNLESS UNLIKE UNLIKELY UNLIKENESS UNLIMITED UNLINK UNLINKED UNLINKING UNLINKS UNLOAD UNLOADED UNLOADING UNLOADS UNLOCK UNLOCKED UNLOCKING UNLOCKS UNLUCKY UNMANAGEABLE UNMANAGEABLY UNMANNED UNMARKED UNMARRIED UNMASK UNMASKED UNMATCHED UNMENTIONABLE UNMERCIFUL UNMERCIFULLY UNMISTAKABLE UNMISTAKABLY UNMODIFIED UNMOVED UNNAMED UNNATURAL UNNATURALLY UNNATURALNESS UNNECESSARILY UNNECESSARY UNNEEDED UNNERVE UNNERVED UNNERVES UNNERVING UNNOTICED UNOBSERVABLE UNOBSERVED UNOBTAINABLE UNOCCUPIED UNOFFICIAL UNOFFICIALLY UNOPENED UNORDERED UNPACK UNPACKED UNPACKING UNPACKS UNPAID UNPARALLELED UNPARSED UNPLANNED UNPLEASANT UNPLEASANTLY UNPLEASANTNESS UNPLUG UNPOPULAR UNPOPULARITY UNPRECEDENTED UNPREDICTABLE UNPREDICTABLY UNPRESCRIBED UNPRESERVED UNPRIMED UNPROFITABLE UNPROJECTED UNPROTECTED UNPROVABILITY UNPROVABLE UNPROVEN UNPUBLISHED UNQUALIFIED UNQUALIFIEDLY UNQUESTIONABLY UNQUESTIONED UNQUOTED UNRAVEL UNRAVELED UNRAVELING UNRAVELS UNREACHABLE UNREAL UNREALISTIC UNREALISTICALLY UNREASONABLE UNREASONABLENESS UNREASONABLY UNRECOGNIZABLE UNRECOGNIZED UNREGULATED UNRELATED UNRELIABILITY UNRELIABLE UNREPORTED UNREPRESENTABLE UNRESOLVED UNRESPONSIVE UNREST UNRESTRAINED UNRESTRICTED UNRESTRICTEDLY UNRESTRICTIVE UNROLL UNROLLED UNROLLING UNROLLS UNRULY UNSAFE UNSAFELY UNSANITARY UNSATISFACTORY UNSATISFIABILITY UNSATISFIABLE UNSATISFIED UNSATISFYING UNSCRUPULOUS UNSEEDED UNSEEN UNSELECTED UNSELFISH UNSELFISHLY UNSELFISHNESS UNSENT UNSETTLED UNSETTLING UNSHAKEN UNSHARED UNSIGNED UNSKILLED UNSLOTTED UNSOLVABLE UNSOLVED UNSOPHISTICATED UNSOUND UNSPEAKABLE UNSPECIFIED UNSTABLE UNSTEADINESS UNSTEADY UNSTRUCTURED UNSUCCESSFUL UNSUCCESSFULLY UNSUITABLE UNSUITED UNSUPPORTED UNSURE UNSURPRISING UNSURPRISINGLY UNSYNCHRONIZED UNTAGGED UNTAPPED UNTENABLE UNTERMINATED UNTESTED UNTHINKABLE UNTHINKING UNTIDINESS UNTIDY UNTIE UNTIED UNTIES UNTIL UNTIMELY UNTO UNTOLD UNTOUCHABLE UNTOUCHABLES UNTOUCHED UNTOWARD UNTRAINED UNTRANSLATED UNTREATED UNTRIED UNTRUE UNTRUTHFUL UNTRUTHFULNESS UNTYING UNUSABLE UNUSED UNUSUAL UNUSUALLY UNVARYING UNVEIL UNVEILED UNVEILING UNVEILS UNWANTED UNWELCOME UNWHOLESOME UNWIELDINESS UNWIELDY UNWILLING UNWILLINGLY UNWILLINGNESS UNWIND UNWINDER UNWINDERS UNWINDING UNWINDS UNWISE UNWISELY UNWISER UNWISEST UNWITTING UNWITTINGLY UNWORTHINESS UNWORTHY UNWOUND UNWRAP UNWRAPPED UNWRAPPING UNWRAPS UNWRITTEN UPBRAID UPCOMING UPDATE UPDATED UPDATER UPDATES UPDATING UPGRADE UPGRADED UPGRADES UPGRADING UPHELD UPHILL UPHOLD UPHOLDER UPHOLDERS UPHOLDING UPHOLDS UPHOLSTER UPHOLSTERED UPHOLSTERER UPHOLSTERING UPHOLSTERS UPKEEP UPLAND UPLANDS UPLIFT UPLINK UPLINKS UPLOAD UPON UPPER UPPERMOST UPRIGHT UPRIGHTLY UPRIGHTNESS UPRISING UPRISINGS UPROAR UPROOT UPROOTED UPROOTING UPROOTS UPSET UPSETS UPSHOT UPSHOTS UPSIDE UPSTAIRS UPSTREAM UPTON UPTURN UPTURNED UPTURNING UPTURNS UPWARD UPWARDS URANIA URANUS URBAN URBANA URCHIN URCHINS URDU URGE URGED URGENT URGENTLY URGES URGING URGINGS URI URINATE URINATED URINATES URINATING URINATION URINE URIS URN URNS URQUHART URSA URSULA URSULINE URUGUAY URUGUAYAN URUGUAYANS USABILITY USABLE USABLY USAGE USAGES USE USED USEFUL USEFULLY USEFULNESS USELESS USELESSLY USELESSNESS USENET USENIX USER USERS USES USHER USHERED USHERING USHERS USING USUAL USUALLY USURP USURPED USURPER UTAH UTENSIL UTENSILS UTICA UTILITIES UTILITY UTILIZATION UTILIZATIONS UTILIZE UTILIZED UTILIZES UTILIZING UTMOST UTOPIA UTOPIAN UTOPIANIZE UTOPIANIZES UTOPIANS UTRECHT UTTER UTTERANCE UTTERANCES UTTERED UTTERING UTTERLY UTTERMOST UTTERS UZI VACANCIES VACANCY VACANT VACANTLY VACATE VACATED VACATES VACATING VACATION VACATIONED VACATIONER VACATIONERS VACATIONING VACATIONS VACUO VACUOUS VACUOUSLY VACUUM VACUUMED VACUUMING VADUZ VAGABOND VAGABONDS VAGARIES VAGARY VAGINA VAGINAS VAGRANT VAGRANTLY VAGUE VAGUELY VAGUENESS VAGUER VAGUEST VAIL VAIN VAINLY VALE VALENCE VALENCES VALENTINE VALENTINES VALERIE VALERY VALES VALET VALETS VALHALLA VALIANT VALIANTLY VALID VALIDATE VALIDATED VALIDATES VALIDATING VALIDATION VALIDITY VALIDLY VALIDNESS VALKYRIE VALLETTA VALLEY VALLEYS VALOIS VALOR VALPARAISO VALUABLE VALUABLES VALUABLY VALUATION VALUATIONS VALUE VALUED VALUER VALUERS VALUES VALUING VALVE VALVES VAMPIRE VAN VANCE VANCEMENT VANCOUVER VANDALIZE VANDALIZED VANDALIZES VANDALIZING VANDENBERG VANDERBILT VANDERBURGH VANDERPOEL VANE VANES VANESSA VANGUARD VANILLA VANISH VANISHED VANISHER VANISHES VANISHING VANISHINGLY VANITIES VANITY VANQUISH VANQUISHED VANQUISHES VANQUISHING VANS VANTAGE VAPOR VAPORING VAPORS VARIABILITY VARIABLE VARIABLENESS VARIABLES VARIABLY VARIAN VARIANCE VARIANCES VARIANT VARIANTLY VARIANTS VARIATION VARIATIONS VARIED VARIES VARIETIES VARIETY VARIOUS VARIOUSLY VARITYPE VARITYPING VARNISH VARNISHES VARY VARYING VARYINGS VASE VASES VASQUEZ VASSAL VASSAR VAST VASTER VASTEST VASTLY VASTNESS VAT VATICAN VATICANIZATION VATICANIZATIONS VATICANIZE VATICANIZES VATS VAUDEVILLE VAUDOIS VAUGHAN VAUGHN VAULT VAULTED VAULTER VAULTING VAULTS VAUNT VAUNTED VAX VAXES VEAL VECTOR VECTORIZATION VECTORIZING VECTORS VEDA VEER VEERED VEERING VEERS VEGA VEGANISM VEGAS VEGETABLE VEGETABLES VEGETARIAN VEGETARIANS VEGETATE VEGETATED VEGETATES VEGETATING VEGETATION VEGETATIVE VEHEMENCE VEHEMENT VEHEMENTLY VEHICLE VEHICLES VEHICULAR VEIL VEILED VEILING VEILS VEIN VEINED VEINING VEINS VELA VELASQUEZ VELLA VELOCITIES VELOCITY VELVET VENDOR VENDORS VENERABLE VENERATION VENETIAN VENETO VENEZUELA VENEZUELAN VENGEANCE VENIAL VENICE VENISON VENN VENOM VENOMOUS VENOMOUSLY VENT VENTED VENTILATE VENTILATED VENTILATES VENTILATING VENTILATION VENTRICLE VENTRICLES VENTS VENTURA VENTURE VENTURED VENTURER VENTURERS VENTURES VENTURING VENTURINGS VENUS VENUSIAN VENUSIANS VERA VERACITY VERANDA VERANDAS VERB VERBAL VERBALIZE VERBALIZED VERBALIZES VERBALIZING VERBALLY VERBOSE VERBS VERDE VERDERER VERDI VERDICT VERDURE VERGE VERGER VERGES VERGIL VERIFIABILITY VERIFIABLE VERIFICATION VERIFICATIONS VERIFIED VERIFIER VERIFIERS VERIFIES VERIFY VERIFYING VERILY VERITABLE VERLAG VERMIN VERMONT VERN VERNA VERNACULAR VERNE VERNON VERONA VERONICA VERSA VERSAILLES VERSATEC VERSATILE VERSATILITY VERSE VERSED VERSES VERSING VERSION VERSIONS VERSUS VERTEBRATE VERTEBRATES VERTEX VERTICAL VERTICALLY VERTICALNESS VERTICES VERY VESSEL VESSELS VEST VESTED VESTIGE VESTIGES VESTIGIAL VESTS VESUVIUS VETERAN VETERANS VETERINARIAN VETERINARIANS VETERINARY VETO VETOED VETOER VETOES VEX VEXATION VEXED VEXES VEXING VIA VIABILITY VIABLE VIABLY VIAL VIALS VIBRATE VIBRATED VIBRATING VIBRATION VIBRATIONS VIBRATOR VIC VICE VICEROY VICES VICHY VICINITY VICIOUS VICIOUSLY VICIOUSNESS VICISSITUDE VICISSITUDES VICKERS VICKSBURG VICKY VICTIM VICTIMIZE VICTIMIZED VICTIMIZER VICTIMIZERS VICTIMIZES VICTIMIZING VICTIMS VICTOR VICTORIA VICTORIAN VICTORIANIZE VICTORIANIZES VICTORIANS VICTORIES VICTORIOUS VICTORIOUSLY VICTORS VICTORY VICTROLA VICTUAL VICTUALER VICTUALS VIDA VIDAL VIDEO VIDEOTAPE VIDEOTAPES VIDEOTEX VIE VIED VIENNA VIENNESE VIENTIANE VIER VIES VIET VIETNAM VIETNAMESE VIEW VIEWABLE VIEWED VIEWER VIEWERS VIEWING VIEWPOINT VIEWPOINTS VIEWS VIGILANCE VIGILANT VIGILANTE VIGILANTES VIGILANTLY VIGNETTE VIGNETTES VIGOR VIGOROUS VIGOROUSLY VIKING VIKINGS VIKRAM VILE VILELY VILENESS VILIFICATION VILIFICATIONS VILIFIED VILIFIES VILIFY VILIFYING VILLA VILLAGE VILLAGER VILLAGERS VILLAGES VILLAIN VILLAINOUS VILLAINOUSLY VILLAINOUSNESS VILLAINS VILLAINY VILLAS VINCE VINCENT VINCI VINDICATE VINDICATED VINDICATION VINDICTIVE VINDICTIVELY VINDICTIVENESS VINE VINEGAR VINES VINEYARD VINEYARDS VINSON VINTAGE VIOLATE VIOLATED VIOLATES VIOLATING VIOLATION VIOLATIONS VIOLATOR VIOLATORS VIOLENCE VIOLENT VIOLENTLY VIOLET VIOLETS VIOLIN VIOLINIST VIOLINISTS VIOLINS VIPER VIPERS VIRGIL VIRGIN VIRGINIA VIRGINIAN VIRGINIANS VIRGINITY VIRGINS VIRGO VIRTUAL VIRTUALLY VIRTUE VIRTUES VIRTUOSO VIRTUOSOS VIRTUOUS VIRTUOUSLY VIRULENT VIRUS VIRUSES VISA VISAGE VISAS VISCOUNT VISCOUNTS VISCOUS VISHNU VISIBILITY VISIBLE VISIBLY VISIGOTH VISIGOTHS VISION VISIONARY VISIONS VISIT VISITATION VISITATIONS VISITED VISITING VISITOR VISITORS VISITS VISOR VISORS VISTA VISTAS VISUAL VISUALIZE VISUALIZED VISUALIZER VISUALIZES VISUALIZING VISUALLY VITA VITAE VITAL VITALITY VITALLY VITALS VITO VITUS VIVALDI VIVIAN VIVID VIVIDLY VIVIDNESS VIZIER VLADIMIR VLADIVOSTOK VOCABULARIES VOCABULARY VOCAL VOCALLY VOCALS VOCATION VOCATIONAL VOCATIONALLY VOCATIONS VOGEL VOGUE VOICE VOICED VOICER VOICERS VOICES VOICING VOID VOIDED VOIDER VOIDING VOIDS VOLATILE VOLATILITIES VOLATILITY VOLCANIC VOLCANO VOLCANOS VOLITION VOLKSWAGEN VOLKSWAGENS VOLLEY VOLLEYBALL VOLLEYBALLS VOLSTEAD VOLT VOLTA VOLTAGE VOLTAGES VOLTAIRE VOLTERRA VOLTS VOLUME VOLUMES VOLUNTARILY VOLUNTARY VOLUNTEER VOLUNTEERED VOLUNTEERING VOLUNTEERS VOLVO VOMIT VOMITED VOMITING VOMITS VORTEX VOSS VOTE VOTED VOTER VOTERS VOTES VOTING VOTIVE VOUCH VOUCHER VOUCHERS VOUCHES VOUCHING VOUGHT VOW VOWED VOWEL VOWELS VOWER VOWING VOWS VOYAGE VOYAGED VOYAGER VOYAGERS VOYAGES VOYAGING VOYAGINGS VREELAND VULCAN VULCANISM VULGAR VULGARLY VULNERABILITIES VULNERABILITY VULNERABLE VULTURE VULTURES WAALS WABASH WACKE WACKY WACO WADE WADED WADER WADES WADING WADSWORTH WAFER WAFERS WAFFLE WAFFLES WAFT WAG WAGE WAGED WAGER WAGERS WAGES WAGING WAGNER WAGNERIAN WAGNERIZE WAGNERIZES WAGON WAGONER WAGONS WAGS WAHL WAIL WAILED WAILING WAILS WAINWRIGHT WAIST WAISTCOAT WAISTCOATS WAISTS WAIT WAITE WAITED WAITER WAITERS WAITING WAITRESS WAITRESSES WAITS WAIVE WAIVED WAIVER WAIVERABLE WAIVES WAIVING WAKE WAKED WAKEFIELD WAKEN WAKENED WAKENING WAKES WAKEUP WAKING WALBRIDGE WALCOTT WALDEN WALDENSIAN WALDO WALDORF WALDRON WALES WALFORD WALGREEN WALK WALKED WALKER WALKERS WALKING WALKS WALL WALLACE WALLED WALLENSTEIN WALLER WALLET WALLETS WALLING WALLIS WALLOW WALLOWED WALLOWING WALLOWS WALLS WALNUT WALNUTS WALPOLE WALRUS WALRUSES WALSH WALT WALTER WALTERS WALTHAM WALTON WALTZ WALTZED WALTZES WALTZING WALWORTH WAN WAND WANDER WANDERED WANDERER WANDERERS WANDERING WANDERINGS WANDERS WANE WANED WANES WANG WANING WANLY WANSEE WANSLEY WANT WANTED WANTING WANTON WANTONLY WANTONNESS WANTS WAPATO WAPPINGER WAR WARBLE WARBLED WARBLER WARBLES WARBLING WARBURTON WARD WARDEN WARDENS WARDER WARDROBE WARDROBES WARDS WARE WAREHOUSE WAREHOUSES WAREHOUSING WARES WARFARE WARFIELD WARILY WARINESS WARING WARLIKE WARM WARMED WARMER WARMERS WARMEST WARMING WARMLY WARMS WARMTH WARN WARNED WARNER WARNING WARNINGLY WARNINGS WARNOCK WARNS WARP WARPED WARPING WARPS WARRANT WARRANTED WARRANTIES WARRANTING WARRANTS WARRANTY WARRED WARRING WARRIOR WARRIORS WARS WARSAW WARSHIP WARSHIPS WART WARTIME WARTS WARWICK WARY WAS WASH WASHBURN WASHED WASHER WASHERS WASHES WASHING WASHINGS WASHINGTON WASHOE WASP WASPS WASSERMAN WASTE WASTED WASTEFUL WASTEFULLY WASTEFULNESS WASTES WASTING WATANABE WATCH WATCHED WATCHER WATCHERS WATCHES WATCHFUL WATCHFULLY WATCHFULNESS WATCHING WATCHINGS WATCHMAN WATCHWORD WATCHWORDS WATER WATERBURY WATERED WATERFALL WATERFALLS WATERGATE WATERHOUSE WATERING WATERINGS WATERLOO WATERMAN WATERPROOF WATERPROOFING WATERS WATERTOWN WATERWAY WATERWAYS WATERY WATKINS WATSON WATTENBERG WATTERSON WATTS WAUKESHA WAUNONA WAUPACA WAUPUN WAUSAU WAUWATOSA WAVE WAVED WAVEFORM WAVEFORMS WAVEFRONT WAVEFRONTS WAVEGUIDES WAVELAND WAVELENGTH WAVELENGTHS WAVER WAVERS WAVES WAVING WAX WAXED WAXEN WAXER WAXERS WAXES WAXING WAXY WAY WAYNE WAYNESBORO WAYS WAYSIDE WAYWARD WEAK WEAKEN WEAKENED WEAKENING WEAKENS WEAKER WEAKEST WEAKLY WEAKNESS WEAKNESSES WEALTH WEALTHIEST WEALTHS WEALTHY WEAN WEANED WEANING WEAPON WEAPONS WEAR WEARABLE WEARER WEARIED WEARIER WEARIEST WEARILY WEARINESS WEARING WEARISOME WEARISOMELY WEARS WEARY WEARYING WEASEL WEASELS WEATHER WEATHERCOCK WEATHERCOCKS WEATHERED WEATHERFORD WEATHERING WEATHERS WEAVE WEAVER WEAVES WEAVING WEB WEBB WEBBER WEBS WEBSTER WEBSTERVILLE WEDDED WEDDING WEDDINGS WEDGE WEDGED WEDGES WEDGING WEDLOCK WEDNESDAY WEDNESDAYS WEDS WEE WEED WEEDS WEEK WEEKEND WEEKENDS WEEKLY WEEKS WEEP WEEPER WEEPING WEEPS WEHR WEI WEIBULL WEIDER WEIDMAN WEIERSTRASS WEIGH WEIGHED WEIGHING WEIGHINGS WEIGHS WEIGHT WEIGHTED WEIGHTING WEIGHTS WEIGHTY WEINBERG WEINER WEINSTEIN WEIRD WEIRDLY WEISENHEIMER WEISS WEISSMAN WEISSMULLER WELCH WELCHER WELCHES WELCOME WELCOMED WELCOMES WELCOMING WELD WELDED WELDER WELDING WELDON WELDS WELDWOOD WELFARE WELL WELLED WELLER WELLES WELLESLEY WELLING WELLINGTON WELLMAN WELLS WELLSVILLE WELMERS WELSH WELTON WENCH WENCHES WENDELL WENDY WENT WENTWORTH WEPT WERE WERNER WERTHER WESLEY WESLEYAN WESSON WEST WESTBOUND WESTBROOK WESTCHESTER WESTERN WESTERNER WESTERNERS WESTFIELD WESTHAMPTON WESTINGHOUSE WESTMINSTER WESTMORE WESTON WESTPHALIA WESTPORT WESTWARD WESTWARDS WESTWOOD WET WETLY WETNESS WETS WETTED WETTER WETTEST WETTING WEYERHAUSER WHACK WHACKED WHACKING WHACKS WHALE WHALEN WHALER WHALES WHALING WHARF WHARTON WHARVES WHAT WHATEVER WHATLEY WHATSOEVER WHEAT WHEATEN WHEATLAND WHEATON WHEATSTONE WHEEL WHEELED WHEELER WHEELERS WHEELING WHEELINGS WHEELOCK WHEELS WHELAN WHELLER WHELP WHEN WHENCE WHENEVER WHERE WHEREABOUTS WHEREAS WHEREBY WHEREIN WHEREUPON WHEREVER WHETHER WHICH WHICHEVER WHILE WHIM WHIMPER WHIMPERED WHIMPERING WHIMPERS WHIMS WHIMSICAL WHIMSICALLY WHIMSIES WHIMSY WHINE WHINED WHINES WHINING WHIP WHIPPANY WHIPPED WHIPPER WHIPPERS WHIPPING WHIPPINGS WHIPPLE WHIPS WHIRL WHIRLED WHIRLING WHIRLPOOL WHIRLPOOLS WHIRLS WHIRLWIND WHIRR WHIRRING WHISK WHISKED WHISKER WHISKERS WHISKEY WHISKING WHISKS WHISPER WHISPERED WHISPERING WHISPERINGS WHISPERS WHISTLE WHISTLED WHISTLER WHISTLERS WHISTLES WHISTLING WHIT WHITAKER WHITCOMB WHITE WHITEHALL WHITEHORSE WHITELEAF WHITELEY WHITELY WHITEN WHITENED WHITENER WHITENERS WHITENESS WHITENING WHITENS WHITER WHITES WHITESPACE WHITEST WHITEWASH WHITEWASHED WHITEWATER WHITFIELD WHITING WHITLOCK WHITMAN WHITMANIZE WHITMANIZES WHITNEY WHITTAKER WHITTIER WHITTLE WHITTLED WHITTLES WHITTLING WHIZ WHIZZED WHIZZES WHIZZING WHO WHOEVER WHOLE WHOLEHEARTED WHOLEHEARTEDLY WHOLENESS WHOLES WHOLESALE WHOLESALER WHOLESALERS WHOLESOME WHOLESOMENESS WHOLLY WHOM WHOMEVER WHOOP WHOOPED WHOOPING WHOOPS WHORE WHORES WHORL WHORLS WHOSE WHY WICHITA WICK WICKED WICKEDLY WICKEDNESS WICKER WICKS WIDE WIDEBAND WIDELY WIDEN WIDENED WIDENER WIDENING WIDENS WIDER WIDESPREAD WIDEST WIDGET WIDOW WIDOWED WIDOWER WIDOWERS WIDOWS WIDTH WIDTHS WIELAND WIELD WIELDED WIELDER WIELDING WIELDS WIER WIFE WIFELY WIG WIGGINS WIGHTMAN WIGS WIGWAM WILBUR WILCOX WILD WILDCAT WILDCATS WILDER WILDERNESS WILDEST WILDLY WILDNESS WILE WILES WILEY WILFRED WILHELM WILHELMINA WILINESS WILKES WILKIE WILKINS WILKINSON WILL WILLA WILLAMETTE WILLARD WILLCOX WILLED WILLEM WILLFUL WILLFULLY WILLIAM WILLIAMS WILLIAMSBURG WILLIAMSON WILLIE WILLIED WILLIES WILLING WILLINGLY WILLINGNESS WILLIS WILLISSON WILLOUGHBY WILLOW WILLOWS WILLS WILLY WILMA WILMETTE WILMINGTON WILSHIRE WILSON WILSONIAN WILT WILTED WILTING WILTS WILTSHIRE WILY WIN WINCE WINCED WINCES WINCHELL WINCHESTER WINCING WIND WINDED WINDER WINDERS WINDING WINDMILL WINDMILLS WINDOW WINDOWS WINDS WINDSOR WINDY WINE WINED WINEHEAD WINER WINERS WINES WINFIELD WING WINGED WINGING WINGS WINIFRED WINING WINK WINKED WINKER WINKING WINKS WINNEBAGO WINNER WINNERS WINNETKA WINNIE WINNING WINNINGLY WINNINGS WINNIPEG WINNIPESAUKEE WINOGRAD WINOOSKI WINS WINSBOROUGH WINSETT WINSLOW WINSTON WINTER WINTERED WINTERING WINTERS WINTHROP WINTRY WIPE WIPED WIPER WIPERS WIPES WIPING WIRE WIRED WIRELESS WIRES WIRETAP WIRETAPPERS WIRETAPPING WIRETAPS WIRINESS WIRING WIRY WISCONSIN WISDOM WISDOMS WISE WISED WISELY WISENHEIMER WISER WISEST WISH WISHED WISHER WISHERS WISHES WISHFUL WISHING WISP WISPS WISTFUL WISTFULLY WISTFULNESS WIT WITCH WITCHCRAFT WITCHES WITCHING WITH WITHAL WITHDRAW WITHDRAWAL WITHDRAWALS WITHDRAWING WITHDRAWN WITHDRAWS WITHDREW WITHER WITHERS WITHERSPOON WITHHELD WITHHOLD WITHHOLDER WITHHOLDERS WITHHOLDING WITHHOLDINGS WITHHOLDS WITHIN WITHOUT WITHSTAND WITHSTANDING WITHSTANDS WITHSTOOD WITNESS WITNESSED WITNESSES WITNESSING WITS WITT WITTGENSTEIN WITTY WIVES WIZARD WIZARDS WOE WOEFUL WOEFULLY WOKE WOLCOTT WOLF WOLFE WOLFF WOLFGANG WOLVERTON WOLVES WOMAN WOMANHOOD WOMANLY WOMB WOMBS WOMEN WON WONDER WONDERED WONDERFUL WONDERFULLY WONDERFULNESS WONDERING WONDERINGLY WONDERMENT WONDERS WONDROUS WONDROUSLY WONG WONT WONTED WOO WOOD WOODARD WOODBERRY WOODBURY WOODCHUCK WOODCHUCKS WOODCOCK WOODCOCKS WOODED WOODEN WOODENLY WOODENNESS WOODLAND WOODLAWN WOODMAN WOODPECKER WOODPECKERS WOODROW WOODS WOODSTOCK WOODWARD WOODWARDS WOODWORK WOODWORKING WOODY WOOED WOOER WOOF WOOFED WOOFER WOOFERS WOOFING WOOFS WOOING WOOL WOOLEN WOOLLY WOOLS WOOLWORTH WOONSOCKET WOOS WOOSTER WORCESTER WORCESTERSHIRE WORD WORDED WORDILY WORDINESS WORDING WORDS WORDSWORTH WORDY WORE WORK WORKABLE WORKABLY WORKBENCH WORKBENCHES WORKBOOK WORKBOOKS WORKED WORKER WORKERS WORKHORSE WORKHORSES WORKING WORKINGMAN WORKINGS WORKLOAD WORKMAN WORKMANSHIP WORKMEN WORKS WORKSHOP WORKSHOPS WORKSPACE WORKSTATION WORKSTATIONS WORLD WORLDLINESS WORLDLY WORLDS WORLDWIDE WORM WORMED WORMING WORMS WORN WORRIED WORRIER WORRIERS WORRIES WORRISOME WORRY WORRYING WORRYINGLY WORSE WORSHIP WORSHIPED WORSHIPER WORSHIPFUL WORSHIPING WORSHIPS WORST WORSTED WORTH WORTHIEST WORTHINESS WORTHINGTON WORTHLESS WORTHLESSNESS WORTHS WORTHWHILE WORTHWHILENESS WORTHY WOTAN WOULD WOUND WOUNDED WOUNDING WOUNDS WOVE WOVEN WRANGLE WRANGLED WRANGLER WRAP WRAPAROUND WRAPPED WRAPPER WRAPPERS WRAPPING WRAPPINGS WRAPS WRATH WREAK WREAKS WREATH WREATHED WREATHES WRECK WRECKAGE WRECKED WRECKER WRECKERS WRECKING WRECKS WREN WRENCH WRENCHED WRENCHES WRENCHING WRENS WREST WRESTLE WRESTLER WRESTLES WRESTLING WRESTLINGS WRETCH WRETCHED WRETCHEDNESS WRETCHES WRIGGLE WRIGGLED WRIGGLER WRIGGLES WRIGGLING WRIGLEY WRING WRINGER WRINGS WRINKLE WRINKLED WRINKLES WRIST WRISTS WRISTWATCH WRISTWATCHES WRIT WRITABLE WRITE WRITER WRITERS WRITES WRITHE WRITHED WRITHES WRITHING WRITING WRITINGS WRITS WRITTEN WRONG WRONGED WRONGING WRONGLY WRONGS WRONSKIAN WROTE WROUGHT WRUNG WUHAN WYANDOTTE WYATT WYETH WYLIE WYMAN WYNER WYNN WYOMING XANTHUS XAVIER XEBEC XENAKIS XENIA XENIX XEROX XEROXED XEROXES XEROXING XERXES XHOSA YAGI YAKIMA YALE YALIES YALTA YAMAHA YANK YANKED YANKEE YANKEES YANKING YANKS YANKTON YAOUNDE YAQUI YARD YARDS YARDSTICK YARDSTICKS YARMOUTH YARN YARNS YATES YAUNDE YAWN YAWNER YAWNING YEA YEAGER YEAR YEARLY YEARN YEARNED YEARNING YEARNINGS YEARS YEAS YEAST YEASTS YEATS YELL YELLED YELLER YELLING YELLOW YELLOWED YELLOWER YELLOWEST YELLOWING YELLOWISH YELLOWKNIFE YELLOWNESS YELLOWS YELLOWSTONE YELP YELPED YELPING YELPS YEMEN YENTL YEOMAN YEOMEN YERKES YES YESTERDAY YESTERDAYS YET YIDDISH YIELD YIELDED YIELDING YIELDS YODER YOKE YOKES YOKNAPATAWPHA YOKOHAMA YOKUTS YON YONDER YONKERS YORICK YORK YORKER YORKERS YORKSHIRE YORKTOWN YOSEMITE YOST YOU YOUNG YOUNGER YOUNGEST YOUNGLY YOUNGSTER YOUNGSTERS YOUNGSTOWN YOUR YOURS YOURSELF YOURSELVES YOUTH YOUTHES YOUTHFUL YOUTHFULLY YOUTHFULNESS YPSILANTI YUBA YUCATAN YUGOSLAV YUGOSLAVIA YUGOSLAVIAN YUGOSLAVIANS YUH YUKI YUKON YURI YVES YVETTE ZACHARY ZAGREB ZAIRE ZAMBIA ZAN ZANZIBAR ZEAL ZEALAND ZEALOUS ZEALOUSLY ZEALOUSNESS ZEBRA ZEBRAS ZEFFIRELLI ZEISS ZELLERBACH ZEN ZENITH ZENNIST ZERO ZEROED ZEROES ZEROING ZEROS ZEROTH ZEST ZEUS ZIEGFELD ZIEGFELDS ZIEGLER ZIGGY ZIGZAG ZILLIONS ZIMMERMAN ZINC ZION ZIONISM ZIONIST ZIONISTS ZIONS ZODIAC ZOE ZOMBA ZONAL ZONALLY ZONE ZONED ZONES ZONING ZOO ZOOLOGICAL ZOOLOGICALLY ZOOM ZOOMS ZOOS ZORN ZOROASTER ZOROASTRIAN ZULU ZULUS ZURICH
AARHUS AARON ABABA ABACK ABAFT ABANDON ABANDONED ABANDONING ABANDONMENT ABANDONS ABASE ABASED ABASEMENT ABASEMENTS ABASES ABASH ABASHED ABASHES ABASHING ABASING ABATE ABATED ABATEMENT ABATEMENTS ABATER ABATES ABATING ABBA ABBE ABBEY ABBEYS ABBOT ABBOTS ABBOTT ABBREVIATE ABBREVIATED ABBREVIATES ABBREVIATING ABBREVIATION ABBREVIATIONS ABBY ABDOMEN ABDOMENS ABDOMINAL ABDUCT ABDUCTED ABDUCTION ABDUCTIONS ABDUCTOR ABDUCTORS ABDUCTS ABE ABED ABEL ABELIAN ABELSON ABERDEEN ABERNATHY ABERRANT ABERRATION ABERRATIONS ABET ABETS ABETTED ABETTER ABETTING ABEYANCE ABHOR ABHORRED ABHORRENT ABHORRER ABHORRING ABHORS ABIDE ABIDED ABIDES ABIDING ABIDJAN ABIGAIL ABILENE ABILITIES ABILITY ABJECT ABJECTION ABJECTIONS ABJECTLY ABJECTNESS ABJURE ABJURED ABJURES ABJURING ABLATE ABLATED ABLATES ABLATING ABLATION ABLATIVE ABLAZE ABLE ABLER ABLEST ABLY ABNER ABNORMAL ABNORMALITIES ABNORMALITY ABNORMALLY ABO ABOARD ABODE ABODES ABOLISH ABOLISHED ABOLISHER ABOLISHERS ABOLISHES ABOLISHING ABOLISHMENT ABOLISHMENTS ABOLITION ABOLITIONIST ABOLITIONISTS ABOMINABLE ABOMINATE ABORIGINAL ABORIGINE ABORIGINES ABORT ABORTED ABORTING ABORTION ABORTIONS ABORTIVE ABORTIVELY ABORTS ABOS ABOUND ABOUNDED ABOUNDING ABOUNDS ABOUT ABOVE ABOVEBOARD ABOVEGROUND ABOVEMENTIONED ABRADE ABRADED ABRADES ABRADING ABRAHAM ABRAM ABRAMS ABRAMSON ABRASION ABRASIONS ABRASIVE ABREACTION ABREACTIONS ABREAST ABRIDGE ABRIDGED ABRIDGES ABRIDGING ABRIDGMENT ABROAD ABROGATE ABROGATED ABROGATES ABROGATING ABRUPT ABRUPTLY ABRUPTNESS ABSCESS ABSCESSED ABSCESSES ABSCISSA ABSCISSAS ABSCOND ABSCONDED ABSCONDING ABSCONDS ABSENCE ABSENCES ABSENT ABSENTED ABSENTEE ABSENTEEISM ABSENTEES ABSENTIA ABSENTING ABSENTLY ABSENTMINDED ABSENTS ABSINTHE ABSOLUTE ABSOLUTELY ABSOLUTENESS ABSOLUTES ABSOLUTION ABSOLVE ABSOLVED ABSOLVES ABSOLVING ABSORB ABSORBED ABSORBENCY ABSORBENT ABSORBER ABSORBING ABSORBS ABSORPTION ABSORPTIONS ABSORPTIVE ABSTAIN ABSTAINED ABSTAINER ABSTAINING ABSTAINS ABSTENTION ABSTENTIONS ABSTINENCE ABSTRACT ABSTRACTED ABSTRACTING ABSTRACTION ABSTRACTIONISM ABSTRACTIONIST ABSTRACTIONS ABSTRACTLY ABSTRACTNESS ABSTRACTOR ABSTRACTORS ABSTRACTS ABSTRUSE ABSTRUSENESS ABSURD ABSURDITIES ABSURDITY ABSURDLY ABU ABUNDANCE ABUNDANT ABUNDANTLY ABUSE ABUSED ABUSES ABUSING ABUSIVE ABUT ABUTMENT ABUTS ABUTTED ABUTTER ABUTTERS ABUTTING ABYSMAL ABYSMALLY ABYSS ABYSSES ABYSSINIA ABYSSINIAN ABYSSINIANS ACACIA ACADEMIA ACADEMIC ACADEMICALLY ACADEMICS ACADEMIES ACADEMY ACADIA ACAPULCO ACCEDE ACCEDED ACCEDES ACCELERATE ACCELERATED ACCELERATES ACCELERATING ACCELERATION ACCELERATIONS ACCELERATOR ACCELERATORS ACCELEROMETER ACCELEROMETERS ACCENT ACCENTED ACCENTING ACCENTS ACCENTUAL ACCENTUATE ACCENTUATED ACCENTUATES ACCENTUATING ACCENTUATION ACCEPT ACCEPTABILITY ACCEPTABLE ACCEPTABLY ACCEPTANCE ACCEPTANCES ACCEPTED ACCEPTER ACCEPTERS ACCEPTING ACCEPTOR ACCEPTORS ACCEPTS ACCESS ACCESSED ACCESSES ACCESSIBILITY ACCESSIBLE ACCESSIBLY ACCESSING ACCESSION ACCESSIONS ACCESSORIES ACCESSORS ACCESSORY ACCIDENT ACCIDENTAL ACCIDENTALLY ACCIDENTLY ACCIDENTS ACCLAIM ACCLAIMED ACCLAIMING ACCLAIMS ACCLAMATION ACCLIMATE ACCLIMATED ACCLIMATES ACCLIMATING ACCLIMATIZATION ACCLIMATIZED ACCOLADE ACCOLADES ACCOMMODATE ACCOMMODATED ACCOMMODATES ACCOMMODATING ACCOMMODATION ACCOMMODATIONS ACCOMPANIED ACCOMPANIES ACCOMPANIMENT ACCOMPANIMENTS ACCOMPANIST ACCOMPANISTS ACCOMPANY ACCOMPANYING ACCOMPLICE ACCOMPLICES ACCOMPLISH ACCOMPLISHED ACCOMPLISHER ACCOMPLISHERS ACCOMPLISHES ACCOMPLISHING ACCOMPLISHMENT ACCOMPLISHMENTS ACCORD ACCORDANCE ACCORDED ACCORDER ACCORDERS ACCORDING ACCORDINGLY ACCORDION ACCORDIONS ACCORDS ACCOST ACCOSTED ACCOSTING ACCOSTS ACCOUNT ACCOUNTABILITY ACCOUNTABLE ACCOUNTABLY ACCOUNTANCY ACCOUNTANT ACCOUNTANTS ACCOUNTED ACCOUNTING ACCOUNTS ACCRA ACCREDIT ACCREDITATION ACCREDITATIONS ACCREDITED ACCRETION ACCRETIONS ACCRUE ACCRUED ACCRUES ACCRUING ACCULTURATE ACCULTURATED ACCULTURATES ACCULTURATING ACCULTURATION ACCUMULATE ACCUMULATED ACCUMULATES ACCUMULATING ACCUMULATION ACCUMULATIONS ACCUMULATOR ACCUMULATORS ACCURACIES ACCURACY ACCURATE ACCURATELY ACCURATENESS ACCURSED ACCUSAL ACCUSATION ACCUSATIONS ACCUSATIVE ACCUSE ACCUSED ACCUSER ACCUSES ACCUSING ACCUSINGLY ACCUSTOM ACCUSTOMED ACCUSTOMING ACCUSTOMS ACE ACES ACETATE ACETONE ACETYLENE ACHAEAN ACHAEANS ACHE ACHED ACHES ACHIEVABLE ACHIEVE ACHIEVED ACHIEVEMENT ACHIEVEMENTS ACHIEVER ACHIEVERS ACHIEVES ACHIEVING ACHILLES ACHING ACID ACIDIC ACIDITIES ACIDITY ACIDLY ACIDS ACIDULOUS ACKERMAN ACKLEY ACKNOWLEDGE ACKNOWLEDGEABLE ACKNOWLEDGED ACKNOWLEDGEMENT ACKNOWLEDGEMENTS ACKNOWLEDGER ACKNOWLEDGERS ACKNOWLEDGES ACKNOWLEDGING ACKNOWLEDGMENT ACKNOWLEDGMENTS ACME ACNE ACOLYTE ACOLYTES ACORN ACORNS ACOUSTIC ACOUSTICAL ACOUSTICALLY ACOUSTICIAN ACOUSTICS ACQUAINT ACQUAINTANCE ACQUAINTANCES ACQUAINTED ACQUAINTING ACQUAINTS ACQUIESCE ACQUIESCED ACQUIESCENCE ACQUIESCENT ACQUIESCES ACQUIESCING ACQUIRABLE ACQUIRE ACQUIRED ACQUIRES ACQUIRING ACQUISITION ACQUISITIONS ACQUISITIVE ACQUISITIVENESS ACQUIT ACQUITS ACQUITTAL ACQUITTED ACQUITTER ACQUITTING ACRE ACREAGE ACRES ACRID ACRIMONIOUS ACRIMONY ACROBAT ACROBATIC ACROBATICS ACROBATS ACRONYM ACRONYMS ACROPOLIS ACROSS ACRYLIC ACT ACTA ACTAEON ACTED ACTING ACTINIUM ACTINOMETER ACTINOMETERS ACTION ACTIONS ACTIVATE ACTIVATED ACTIVATES ACTIVATING ACTIVATION ACTIVATIONS ACTIVATOR ACTIVATORS ACTIVE ACTIVELY ACTIVISM ACTIVIST ACTIVISTS ACTIVITIES ACTIVITY ACTON ACTOR ACTORS ACTRESS ACTRESSES ACTS ACTUAL ACTUALITIES ACTUALITY ACTUALIZATION ACTUALLY ACTUALS ACTUARIAL ACTUARIALLY ACTUATE ACTUATED ACTUATES ACTUATING ACTUATOR ACTUATORS ACUITY ACUMEN ACUTE ACUTELY ACUTENESS ACYCLIC ACYCLICALLY ADA ADAGE ADAGES ADAGIO ADAGIOS ADAIR ADAM ADAMANT ADAMANTLY ADAMS ADAMSON ADAPT ADAPTABILITY ADAPTABLE ADAPTATION ADAPTATIONS ADAPTED ADAPTER ADAPTERS ADAPTING ADAPTIVE ADAPTIVELY ADAPTOR ADAPTORS ADAPTS ADD ADDED ADDEND ADDENDA ADDENDUM ADDER ADDERS ADDICT ADDICTED ADDICTING ADDICTION ADDICTIONS ADDICTS ADDING ADDIS ADDISON ADDITION ADDITIONAL ADDITIONALLY ADDITIONS ADDITIVE ADDITIVES ADDITIVITY ADDRESS ADDRESSABILITY ADDRESSABLE ADDRESSED ADDRESSEE ADDRESSEES ADDRESSER ADDRESSERS ADDRESSES ADDRESSING ADDRESSOGRAPH ADDS ADDUCE ADDUCED ADDUCES ADDUCIBLE ADDUCING ADDUCT ADDUCTED ADDUCTING ADDUCTION ADDUCTOR ADDUCTS ADELAIDE ADELE ADELIA ADEN ADEPT ADEQUACIES ADEQUACY ADEQUATE ADEQUATELY ADHERE ADHERED ADHERENCE ADHERENT ADHERENTS ADHERER ADHERERS ADHERES ADHERING ADHESION ADHESIONS ADHESIVE ADHESIVES ADIABATIC ADIABATICALLY ADIEU ADIRONDACK ADIRONDACKS ADJACENCY ADJACENT ADJECTIVE ADJECTIVES ADJOIN ADJOINED ADJOINING ADJOINS ADJOURN ADJOURNED ADJOURNING ADJOURNMENT ADJOURNS ADJUDGE ADJUDGED ADJUDGES ADJUDGING ADJUDICATE ADJUDICATED ADJUDICATES ADJUDICATING ADJUDICATION ADJUDICATIONS ADJUNCT ADJUNCTS ADJURE ADJURED ADJURES ADJURING ADJUST ADJUSTABLE ADJUSTABLY ADJUSTED ADJUSTER ADJUSTERS ADJUSTING ADJUSTMENT ADJUSTMENTS ADJUSTOR ADJUSTORS ADJUSTS ADJUTANT ADJUTANTS ADKINS ADLER ADLERIAN ADMINISTER ADMINISTERED ADMINISTERING ADMINISTERINGS ADMINISTERS ADMINISTRABLE ADMINISTRATE ADMINISTRATION ADMINISTRATIONS ADMINISTRATIVE ADMINISTRATIVELY ADMINISTRATOR ADMINISTRATORS ADMIRABLE ADMIRABLY ADMIRAL ADMIRALS ADMIRALTY ADMIRATION ADMIRATIONS ADMIRE ADMIRED ADMIRER ADMIRERS ADMIRES ADMIRING ADMIRINGLY ADMISSIBILITY ADMISSIBLE ADMISSION ADMISSIONS ADMIT ADMITS ADMITTANCE ADMITTED ADMITTEDLY ADMITTER ADMITTERS ADMITTING ADMIX ADMIXED ADMIXES ADMIXTURE ADMONISH ADMONISHED ADMONISHES ADMONISHING ADMONISHMENT ADMONISHMENTS ADMONITION ADMONITIONS ADO ADOBE ADOLESCENCE ADOLESCENT ADOLESCENTS ADOLPH ADOLPHUS ADONIS ADOPT ADOPTED ADOPTER ADOPTERS ADOPTING ADOPTION ADOPTIONS ADOPTIVE ADOPTS ADORABLE ADORATION ADORE ADORED ADORES ADORN ADORNED ADORNMENT ADORNMENTS ADORNS ADRENAL ADRENALINE ADRIAN ADRIATIC ADRIENNE ADRIFT ADROIT ADROITNESS ADS ADSORB ADSORBED ADSORBING ADSORBS ADSORPTION ADULATE ADULATING ADULATION ADULT ADULTERATE ADULTERATED ADULTERATES ADULTERATING ADULTERER ADULTERERS ADULTEROUS ADULTEROUSLY ADULTERY ADULTHOOD ADULTS ADUMBRATE ADUMBRATED ADUMBRATES ADUMBRATING ADUMBRATION ADVANCE ADVANCED ADVANCEMENT ADVANCEMENTS ADVANCES ADVANCING ADVANTAGE ADVANTAGED ADVANTAGEOUS ADVANTAGEOUSLY ADVANTAGES ADVENT ADVENTIST ADVENTISTS ADVENTITIOUS ADVENTURE ADVENTURED ADVENTURER ADVENTURERS ADVENTURES ADVENTURING ADVENTUROUS ADVERB ADVERBIAL ADVERBS ADVERSARIES ADVERSARY ADVERSE ADVERSELY ADVERSITIES ADVERSITY ADVERT ADVERTISE ADVERTISED ADVERTISEMENT ADVERTISEMENTS ADVERTISER ADVERTISERS ADVERTISES ADVERTISING ADVICE ADVISABILITY ADVISABLE ADVISABLY ADVISE ADVISED ADVISEDLY ADVISEE ADVISEES ADVISEMENT ADVISEMENTS ADVISER ADVISERS ADVISES ADVISING ADVISOR ADVISORS ADVISORY ADVOCACY ADVOCATE ADVOCATED ADVOCATES ADVOCATING AEGEAN AEGIS AENEAS AENEID AEOLUS AERATE AERATED AERATES AERATING AERATION AERATOR AERATORS AERIAL AERIALS AEROACOUSTIC AEROBACTER AEROBIC AEROBICS AERODYNAMIC AERODYNAMICS AERONAUTIC AERONAUTICAL AERONAUTICS AEROSOL AEROSOLIZE AEROSOLS AEROSPACE AESCHYLUS AESOP AESTHETIC AESTHETICALLY AESTHETICS AFAR AFFABLE AFFAIR AFFAIRS AFFECT AFFECTATION AFFECTATIONS AFFECTED AFFECTING AFFECTINGLY AFFECTION AFFECTIONATE AFFECTIONATELY AFFECTIONS AFFECTIVE AFFECTS AFFERENT AFFIANCED AFFIDAVIT AFFIDAVITS AFFILIATE AFFILIATED AFFILIATES AFFILIATING AFFILIATION AFFILIATIONS AFFINITIES AFFINITY AFFIRM AFFIRMATION AFFIRMATIONS AFFIRMATIVE AFFIRMATIVELY AFFIRMED AFFIRMING AFFIRMS AFFIX AFFIXED AFFIXES AFFIXING AFFLICT AFFLICTED AFFLICTING AFFLICTION AFFLICTIONS AFFLICTIVE AFFLICTS AFFLUENCE AFFLUENT AFFORD AFFORDABLE AFFORDED AFFORDING AFFORDS AFFRICATE AFFRICATES AFFRIGHT AFFRONT AFFRONTED AFFRONTING AFFRONTS AFGHAN AFGHANISTAN AFGHANS AFICIONADO AFIELD AFIRE AFLAME AFLOAT AFOOT AFORE AFOREMENTIONED AFORESAID AFORETHOUGHT AFOUL AFRAID AFRESH AFRICA AFRICAN AFRICANIZATION AFRICANIZATIONS AFRICANIZE AFRICANIZED AFRICANIZES AFRICANIZING AFRICANS AFRIKAANS AFRIKANER AFRIKANERS AFT AFTER AFTEREFFECT AFTERGLOW AFTERIMAGE AFTERLIFE AFTERMATH AFTERMOST AFTERNOON AFTERNOONS AFTERSHOCK AFTERSHOCKS AFTERTHOUGHT AFTERTHOUGHTS AFTERWARD AFTERWARDS AGAIN AGAINST AGAMEMNON AGAPE AGAR AGATE AGATES AGATHA AGE AGED AGEE AGELESS AGENCIES AGENCY AGENDA AGENDAS AGENT AGENTS AGER AGERS AGES AGGIE AGGIES AGGLOMERATE AGGLOMERATED AGGLOMERATES AGGLOMERATION AGGLUTINATE AGGLUTINATED AGGLUTINATES AGGLUTINATING AGGLUTINATION AGGLUTININ AGGLUTININS AGGRANDIZE AGGRAVATE AGGRAVATED AGGRAVATES AGGRAVATION AGGREGATE AGGREGATED AGGREGATELY AGGREGATES AGGREGATING AGGREGATION AGGREGATIONS AGGRESSION AGGRESSIONS AGGRESSIVE AGGRESSIVELY AGGRESSIVENESS AGGRESSOR AGGRESSORS AGGRIEVE AGGRIEVED AGGRIEVES AGGRIEVING AGHAST AGILE AGILELY AGILITY AGING AGITATE AGITATED AGITATES AGITATING AGITATION AGITATIONS AGITATOR AGITATORS AGLEAM AGLOW AGNES AGNEW AGNOSTIC AGNOSTICS AGO AGOG AGONIES AGONIZE AGONIZED AGONIZES AGONIZING AGONIZINGLY AGONY AGRARIAN AGREE AGREEABLE AGREEABLY AGREED AGREEING AGREEMENT AGREEMENTS AGREER AGREERS AGREES AGRICOLA AGRICULTURAL AGRICULTURALLY AGRICULTURE AGUE AGWAY AHEAD AHMADABAD AHMEDABAD AID AIDA AIDE AIDED AIDES AIDING AIDS AIKEN AIL AILEEN AILERON AILERONS AILING AILMENT AILMENTS AIM AIMED AIMER AIMERS AIMING AIMLESS AIMLESSLY AIMS AINU AINUS AIR AIRBAG AIRBAGS AIRBORNE AIRBUS AIRCRAFT AIRDROP AIRDROPS AIRED AIREDALE AIRER AIRERS AIRES AIRFARE AIRFIELD AIRFIELDS AIRFLOW AIRFOIL AIRFOILS AIRFRAME AIRFRAMES AIRILY AIRING AIRINGS AIRLESS AIRLIFT AIRLIFTS AIRLINE AIRLINER AIRLINES AIRLOCK AIRLOCKS AIRMAIL AIRMAILS AIRMAN AIRMEN AIRPLANE AIRPLANES AIRPORT AIRPORTS AIRS AIRSHIP AIRSHIPS AIRSPACE AIRSPEED AIRSTRIP AIRSTRIPS AIRTIGHT AIRWAY AIRWAYS AIRY AISLE AITKEN AJAR AJAX AKERS AKIMBO AKIN AKRON ALABAMA ALABAMANS ALABAMIAN ALABASTER ALACRITY ALADDIN ALAMEDA ALAMO ALAMOS ALAN ALAR ALARM ALARMED ALARMING ALARMINGLY ALARMIST ALARMS ALAS ALASKA ALASKAN ALASTAIR ALBA ALBACORE ALBANIA ALBANIAN ALBANIANS ALBANY ALBATROSS ALBEIT ALBERICH ALBERT ALBERTA ALBERTO ALBRECHT ALBRIGHT ALBUM ALBUMIN ALBUMS ALBUQUERQUE ALCESTIS ALCHEMY ALCIBIADES ALCMENA ALCOA ALCOHOL ALCOHOLIC ALCOHOLICS ALCOHOLISM ALCOHOLS ALCOTT ALCOVE ALCOVES ALDEBARAN ALDEN ALDER ALDERMAN ALDERMEN ALDRICH ALE ALEC ALECK ALEE ALERT ALERTED ALERTEDLY ALERTER ALERTERS ALERTING ALERTLY ALERTNESS ALERTS ALEUT ALEUTIAN ALEX ALEXANDER ALEXANDRA ALEXANDRE ALEXANDRIA ALEXANDRINE ALEXEI ALEXIS ALFA ALFALFA ALFONSO ALFRED ALFREDO ALFRESCO ALGA ALGAE ALGAECIDE ALGEBRA ALGEBRAIC ALGEBRAICALLY ALGEBRAS ALGENIB ALGER ALGERIA ALGERIAN ALGIERS ALGINATE ALGOL ALGOL ALGONQUIAN ALGONQUIN ALGORITHM ALGORITHMIC ALGORITHMICALLY ALGORITHMS ALHAMBRA ALI ALIAS ALIASED ALIASES ALIASING ALIBI ALIBIS ALICE ALICIA ALIEN ALIENATE ALIENATED ALIENATES ALIENATING ALIENATION ALIENS ALIGHT ALIGN ALIGNED ALIGNING ALIGNMENT ALIGNMENTS ALIGNS ALIKE ALIMENT ALIMENTS ALIMONY ALISON ALISTAIR ALIVE ALKALI ALKALINE ALKALIS ALKALOID ALKALOIDS ALKYL ALL ALLAH ALLAN ALLAY ALLAYED ALLAYING ALLAYS ALLEGATION ALLEGATIONS ALLEGE ALLEGED ALLEGEDLY ALLEGES ALLEGHENIES ALLEGHENY ALLEGIANCE ALLEGIANCES ALLEGING ALLEGORIC ALLEGORICAL ALLEGORICALLY ALLEGORIES ALLEGORY ALLEGRA ALLEGRETTO ALLEGRETTOS ALLELE ALLELES ALLEMANDE ALLEN ALLENDALE ALLENTOWN ALLERGIC ALLERGIES ALLERGY ALLEVIATE ALLEVIATED ALLEVIATES ALLEVIATING ALLEVIATION ALLEY ALLEYS ALLEYWAY ALLEYWAYS ALLIANCE ALLIANCES ALLIED ALLIES ALLIGATOR ALLIGATORS ALLIS ALLISON ALLITERATION ALLITERATIONS ALLITERATIVE ALLOCATABLE ALLOCATE ALLOCATED ALLOCATES ALLOCATING ALLOCATION ALLOCATIONS ALLOCATOR ALLOCATORS ALLOPHONE ALLOPHONES ALLOPHONIC ALLOT ALLOTMENT ALLOTMENTS ALLOTS ALLOTTED ALLOTTER ALLOTTING ALLOW ALLOWABLE ALLOWABLY ALLOWANCE ALLOWANCES ALLOWED ALLOWING ALLOWS ALLOY ALLOYS ALLSTATE ALLUDE ALLUDED ALLUDES ALLUDING ALLURE ALLUREMENT ALLURING ALLUSION ALLUSIONS ALLUSIVE ALLUSIVENESS ALLY ALLYING ALLYN ALMA ALMADEN ALMANAC ALMANACS ALMIGHTY ALMOND ALMONDS ALMONER ALMOST ALMS ALMSMAN ALNICO ALOE ALOES ALOFT ALOHA ALONE ALONENESS ALONG ALONGSIDE ALOOF ALOOFNESS ALOUD ALPERT ALPHA ALPHABET ALPHABETIC ALPHABETICAL ALPHABETICALLY ALPHABETICS ALPHABETIZE ALPHABETIZED ALPHABETIZES ALPHABETIZING ALPHABETS ALPHANUMERIC ALPHERATZ ALPHONSE ALPINE ALPS ALREADY ALSATIAN ALSATIANS ALSO ALSOP ALTAIR ALTAR ALTARS ALTER ALTERABLE ALTERATION ALTERATIONS ALTERCATION ALTERCATIONS ALTERED ALTERER ALTERERS ALTERING ALTERNATE ALTERNATED ALTERNATELY ALTERNATES ALTERNATING ALTERNATION ALTERNATIONS ALTERNATIVE ALTERNATIVELY ALTERNATIVES ALTERNATOR ALTERNATORS ALTERS ALTHAEA ALTHOUGH ALTITUDE ALTITUDES ALTOGETHER ALTON ALTOS ALTRUISM ALTRUIST ALTRUISTIC ALTRUISTICALLY ALUM ALUMINUM ALUMNA ALUMNAE ALUMNI ALUMNUS ALUNDUM ALVA ALVAREZ ALVEOLAR ALVEOLI ALVEOLUS ALVIN ALWAYS ALYSSA AMADEUS AMAIN AMALGAM AMALGAMATE AMALGAMATED AMALGAMATES AMALGAMATING AMALGAMATION AMALGAMS AMANDA AMANUENSIS AMARETTO AMARILLO AMASS AMASSED AMASSES AMASSING AMATEUR AMATEURISH AMATEURISHNESS AMATEURISM AMATEURS AMATORY AMAZE AMAZED AMAZEDLY AMAZEMENT AMAZER AMAZERS AMAZES AMAZING AMAZINGLY AMAZON AMAZONS AMBASSADOR AMBASSADORS AMBER AMBIANCE AMBIDEXTROUS AMBIDEXTROUSLY AMBIENT AMBIGUITIES AMBIGUITY AMBIGUOUS AMBIGUOUSLY AMBITION AMBITIONS AMBITIOUS AMBITIOUSLY AMBIVALENCE AMBIVALENT AMBIVALENTLY AMBLE AMBLED AMBLER AMBLES AMBLING AMBROSIAL AMBULANCE AMBULANCES AMBULATORY AMBUSCADE AMBUSH AMBUSHED AMBUSHES AMDAHL AMELIA AMELIORATE AMELIORATED AMELIORATING AMELIORATION AMEN AMENABLE AMEND AMENDED AMENDING AMENDMENT AMENDMENTS AMENDS AMENITIES AMENITY AMENORRHEA AMERADA AMERICA AMERICAN AMERICANA AMERICANISM AMERICANIZATION AMERICANIZATIONS AMERICANIZE AMERICANIZER AMERICANIZERS AMERICANIZES AMERICANS AMERICAS AMERICIUM AMES AMHARIC AMHERST AMIABLE AMICABLE AMICABLY AMID AMIDE AMIDST AMIGA AMIGO AMINO AMISS AMITY AMMAN AMMERMAN AMMO AMMONIA AMMONIAC AMMONIUM AMMUNITION AMNESTY AMOCO AMOEBA AMOEBAE AMOEBAS AMOK AMONG AMONGST AMONTILLADO AMORAL AMORALITY AMORIST AMOROUS AMORPHOUS AMORPHOUSLY AMORTIZE AMORTIZED AMORTIZES AMORTIZING AMOS AMOUNT AMOUNTED AMOUNTER AMOUNTERS AMOUNTING AMOUNTS AMOUR AMPERAGE AMPERE AMPERES AMPERSAND AMPERSANDS AMPEX AMPHETAMINE AMPHETAMINES AMPHIBIAN AMPHIBIANS AMPHIBIOUS AMPHIBIOUSLY AMPHIBOLOGY AMPHITHEATER AMPHITHEATERS AMPLE AMPLIFICATION AMPLIFIED AMPLIFIER AMPLIFIERS AMPLIFIES AMPLIFY AMPLIFYING AMPLITUDE AMPLITUDES AMPLY AMPOULE AMPOULES AMPUTATE AMPUTATED AMPUTATES AMPUTATING AMSTERDAM AMTRAK AMULET AMULETS AMUSE AMUSED AMUSEDLY AMUSEMENT AMUSEMENTS AMUSER AMUSERS AMUSES AMUSING AMUSINGLY AMY AMYL ANABAPTIST ANABAPTISTS ANABEL ANACHRONISM ANACHRONISMS ANACHRONISTICALLY ANACONDA ANACONDAS ANACREON ANAEROBIC ANAGRAM ANAGRAMS ANAHEIM ANAL ANALECTS ANALOG ANALOGICAL ANALOGIES ANALOGOUS ANALOGOUSLY ANALOGUE ANALOGUES ANALOGY ANALYSES ANALYSIS ANALYST ANALYSTS ANALYTIC ANALYTICAL ANALYTICALLY ANALYTICITIES ANALYTICITY ANALYZABLE ANALYZE ANALYZED ANALYZER ANALYZERS ANALYZES ANALYZING ANAPHORA ANAPHORIC ANAPHORICALLY ANAPLASMOSIS ANARCHIC ANARCHICAL ANARCHISM ANARCHIST ANARCHISTS ANARCHY ANASTASIA ANASTOMOSES ANASTOMOSIS ANASTOMOTIC ANATHEMA ANATOLE ANATOLIA ANATOLIAN ANATOMIC ANATOMICAL ANATOMICALLY ANATOMY ANCESTOR ANCESTORS ANCESTRAL ANCESTRY ANCHOR ANCHORAGE ANCHORAGES ANCHORED ANCHORING ANCHORITE ANCHORITISM ANCHORS ANCHOVIES ANCHOVY ANCIENT ANCIENTLY ANCIENTS ANCILLARY AND ANDALUSIA ANDALUSIAN ANDALUSIANS ANDEAN ANDERS ANDERSEN ANDERSON ANDES ANDING ANDORRA ANDOVER ANDRE ANDREA ANDREI ANDREW ANDREWS ANDROMACHE ANDROMEDA ANDY ANECDOTAL ANECDOTE ANECDOTES ANECHOIC ANEMIA ANEMIC ANEMOMETER ANEMOMETERS ANEMOMETRY ANEMONE ANESTHESIA ANESTHETIC ANESTHETICALLY ANESTHETICS ANESTHETIZE ANESTHETIZED ANESTHETIZES ANESTHETIZING ANEW ANGEL ANGELA ANGELENO ANGELENOS ANGELES ANGELIC ANGELICA ANGELINA ANGELINE ANGELO ANGELS ANGER ANGERED ANGERING ANGERS ANGIE ANGIOGRAPHY ANGLE ANGLED ANGLER ANGLERS ANGLES ANGLIA ANGLICAN ANGLICANISM ANGLICANIZE ANGLICANIZES ANGLICANS ANGLING ANGLO ANGLOPHILIA ANGLOPHOBIA ANGOLA ANGORA ANGRIER ANGRIEST ANGRILY ANGRY ANGST ANGSTROM ANGUISH ANGUISHED ANGULAR ANGULARLY ANGUS ANHEUSER ANHYDROUS ANHYDROUSLY ANILINE ANIMAL ANIMALS ANIMATE ANIMATED ANIMATEDLY ANIMATELY ANIMATENESS ANIMATES ANIMATING ANIMATION ANIMATIONS ANIMATOR ANIMATORS ANIMISM ANIMIZED ANIMOSITY ANION ANIONIC ANIONS ANISE ANISEIKONIC ANISOTROPIC ANISOTROPY ANITA ANKARA ANKLE ANKLES ANN ANNA ANNAL ANNALIST ANNALISTIC ANNALS ANNAPOLIS ANNE ANNETTE ANNEX ANNEXATION ANNEXED ANNEXES ANNEXING ANNIE ANNIHILATE ANNIHILATED ANNIHILATES ANNIHILATING ANNIHILATION ANNIVERSARIES ANNIVERSARY ANNOTATE ANNOTATED ANNOTATES ANNOTATING ANNOTATION ANNOTATIONS ANNOUNCE ANNOUNCED ANNOUNCEMENT ANNOUNCEMENTS ANNOUNCER ANNOUNCERS ANNOUNCES ANNOUNCING ANNOY ANNOYANCE ANNOYANCES ANNOYED ANNOYER ANNOYERS ANNOYING ANNOYINGLY ANNOYS ANNUAL ANNUALLY ANNUALS ANNUITY ANNUL ANNULAR ANNULI ANNULLED ANNULLING ANNULMENT ANNULMENTS ANNULS ANNULUS ANNUM ANNUNCIATE ANNUNCIATED ANNUNCIATES ANNUNCIATING ANNUNCIATOR ANNUNCIATORS ANODE ANODES ANODIZE ANODIZED ANODIZES ANOINT ANOINTED ANOINTING ANOINTS ANOMALIES ANOMALOUS ANOMALOUSLY ANOMALY ANOMIC ANOMIE ANON ANONYMITY ANONYMOUS ANONYMOUSLY ANOREXIA ANOTHER ANSELM ANSELMO ANSI ANSWER ANSWERABLE ANSWERED ANSWERER ANSWERERS ANSWERING ANSWERS ANT ANTAEUS ANTAGONISM ANTAGONISMS ANTAGONIST ANTAGONISTIC ANTAGONISTICALLY ANTAGONISTS ANTAGONIZE ANTAGONIZED ANTAGONIZES ANTAGONIZING ANTARCTIC ANTARCTICA ANTARES ANTE ANTEATER ANTEATERS ANTECEDENT ANTECEDENTS ANTEDATE ANTELOPE ANTELOPES ANTENNA ANTENNAE ANTENNAS ANTERIOR ANTHEM ANTHEMS ANTHER ANTHOLOGIES ANTHOLOGY ANTHONY ANTHRACITE ANTHROPOLOGICAL ANTHROPOLOGICALLY ANTHROPOLOGIST ANTHROPOLOGISTS ANTHROPOLOGY ANTHROPOMORPHIC ANTHROPOMORPHICALLY ANTI ANTIBACTERIAL ANTIBIOTIC ANTIBIOTICS ANTIBODIES ANTIBODY ANTIC ANTICIPATE ANTICIPATED ANTICIPATES ANTICIPATING ANTICIPATION ANTICIPATIONS ANTICIPATORY ANTICOAGULATION ANTICOMPETITIVE ANTICS ANTIDISESTABLISHMENTARIANISM ANTIDOTE ANTIDOTES ANTIETAM ANTIFORMANT ANTIFUNDAMENTALIST ANTIGEN ANTIGENS ANTIGONE ANTIHISTORICAL ANTILLES ANTIMICROBIAL ANTIMONY ANTINOMIAN ANTINOMY ANTIOCH ANTIPATHY ANTIPHONAL ANTIPODE ANTIPODES ANTIQUARIAN ANTIQUARIANS ANTIQUATE ANTIQUATED ANTIQUE ANTIQUES ANTIQUITIES ANTIQUITY ANTIREDEPOSITION ANTIRESONANCE ANTIRESONATOR ANTISEMITIC ANTISEMITISM ANTISEPTIC ANTISERA ANTISERUM ANTISLAVERY ANTISOCIAL ANTISUBMARINE ANTISYMMETRIC ANTISYMMETRY ANTITHESIS ANTITHETICAL ANTITHYROID ANTITOXIN ANTITOXINS ANTITRUST ANTLER ANTLERED ANTOINE ANTOINETTE ANTON ANTONIO ANTONOVICS ANTONY ANTS ANTWERP ANUS ANVIL ANVILS ANXIETIES ANXIETY ANXIOUS ANXIOUSLY ANY ANYBODY ANYHOW ANYMORE ANYONE ANYPLACE ANYTHING ANYTIME ANYWAY ANYWHERE AORTA APACE APACHES APALACHICOLA APART APARTMENT APARTMENTS APATHETIC APATHY APE APED APERIODIC APERIODICITY APERTURE APES APETALOUS APEX APHASIA APHASIC APHELION APHID APHIDS APHONIC APHORISM APHORISMS APHRODITE APIARIES APIARY APICAL APIECE APING APISH APLENTY APLOMB APOCALYPSE APOCALYPTIC APOCRYPHA APOCRYPHAL APOGEE APOGEES APOLLINAIRE APOLLO APOLLONIAN APOLOGETIC APOLOGETICALLY APOLOGIA APOLOGIES APOLOGIST APOLOGISTS APOLOGIZE APOLOGIZED APOLOGIZES APOLOGIZING APOLOGY APOSTATE APOSTLE APOSTLES APOSTOLIC APOSTROPHE APOSTROPHES APOTHECARY APOTHEGM APOTHEOSES APOTHEOSIS APPALACHIA APPALACHIAN APPALACHIANS APPALL APPALLED APPALLING APPALLINGLY APPALOOSAS APPANAGE APPARATUS APPAREL APPARELED APPARENT APPARENTLY APPARITION APPARITIONS APPEAL APPEALED APPEALER APPEALERS APPEALING APPEALINGLY APPEALS APPEAR APPEARANCE APPEARANCES APPEARED APPEARER APPEARERS APPEARING APPEARS APPEASE APPEASED APPEASEMENT APPEASES APPEASING APPELLANT APPELLANTS APPELLATE APPELLATION APPEND APPENDAGE APPENDAGES APPENDED APPENDER APPENDERS APPENDICES APPENDICITIS APPENDING APPENDIX APPENDIXES APPENDS APPERTAIN APPERTAINS APPETITE APPETITES APPETIZER APPETIZING APPIA APPIAN APPLAUD APPLAUDED APPLAUDING APPLAUDS APPLAUSE APPLE APPLEBY APPLEJACK APPLES APPLETON APPLIANCE APPLIANCES APPLICABILITY APPLICABLE APPLICANT APPLICANTS APPLICATION APPLICATIONS APPLICATIVE APPLICATIVELY APPLICATOR APPLICATORS APPLIED APPLIER APPLIERS APPLIES APPLIQUE APPLY APPLYING APPOINT APPOINTED APPOINTEE APPOINTEES APPOINTER APPOINTERS APPOINTING APPOINTIVE APPOINTMENT APPOINTMENTS APPOINTS APPOMATTOX APPORTION APPORTIONED APPORTIONING APPORTIONMENT APPORTIONMENTS APPORTIONS APPOSITE APPRAISAL APPRAISALS APPRAISE APPRAISED APPRAISER APPRAISERS APPRAISES APPRAISING APPRAISINGLY APPRECIABLE APPRECIABLY APPRECIATE APPRECIATED APPRECIATES APPRECIATING APPRECIATION APPRECIATIONS APPRECIATIVE APPRECIATIVELY APPREHEND APPREHENDED APPREHENSIBLE APPREHENSION APPREHENSIONS APPREHENSIVE APPREHENSIVELY APPREHENSIVENESS APPRENTICE APPRENTICED APPRENTICES APPRENTICESHIP APPRISE APPRISED APPRISES APPRISING APPROACH APPROACHABILITY APPROACHABLE APPROACHED APPROACHER APPROACHERS APPROACHES APPROACHING APPROBATE APPROBATION APPROPRIATE APPROPRIATED APPROPRIATELY APPROPRIATENESS APPROPRIATES APPROPRIATING APPROPRIATION APPROPRIATIONS APPROPRIATOR APPROPRIATORS APPROVAL APPROVALS APPROVE APPROVED APPROVER APPROVERS APPROVES APPROVING APPROVINGLY APPROXIMATE APPROXIMATED APPROXIMATELY APPROXIMATES APPROXIMATING APPROXIMATION APPROXIMATIONS APPURTENANCE APPURTENANCES APRICOT APRICOTS APRIL APRILS APRON APRONS APROPOS APSE APSIS APT APTITUDE APTITUDES APTLY APTNESS AQUA AQUARIA AQUARIUM AQUARIUS AQUATIC AQUEDUCT AQUEDUCTS AQUEOUS AQUIFER AQUIFERS AQUILA AQUINAS ARAB ARABESQUE ARABIA ARABIAN ARABIANIZE ARABIANIZES ARABIANS ARABIC ARABICIZE ARABICIZES ARABLE ARABS ARABY ARACHNE ARACHNID ARACHNIDS ARAMCO ARAPAHO ARBITER ARBITERS ARBITRARILY ARBITRARINESS ARBITRARY ARBITRATE ARBITRATED ARBITRATES ARBITRATING ARBITRATION ARBITRATOR ARBITRATORS ARBOR ARBOREAL ARBORS ARC ARCADE ARCADED ARCADES ARCADIA ARCADIAN ARCANE ARCED ARCH ARCHAIC ARCHAICALLY ARCHAICNESS ARCHAISM ARCHAIZE ARCHANGEL ARCHANGELS ARCHBISHOP ARCHDIOCESE ARCHDIOCESES ARCHED ARCHENEMY ARCHEOLOGICAL ARCHEOLOGIST ARCHEOLOGY ARCHER ARCHERS ARCHERY ARCHES ARCHETYPE ARCHFOOL ARCHIBALD ARCHIE ARCHIMEDES ARCHING ARCHIPELAGO ARCHIPELAGOES ARCHITECT ARCHITECTONIC ARCHITECTS ARCHITECTURAL ARCHITECTURALLY ARCHITECTURE ARCHITECTURES ARCHIVAL ARCHIVE ARCHIVED ARCHIVER ARCHIVERS ARCHIVES ARCHIVING ARCHIVIST ARCHLY ARCING ARCLIKE ARCO ARCS ARCSINE ARCTANGENT ARCTIC ARCTURUS ARDEN ARDENT ARDENTLY ARDOR ARDUOUS ARDUOUSLY ARDUOUSNESS ARE AREA AREAS ARENA ARENAS AREQUIPA ARES ARGENTINA ARGENTINIAN ARGIVE ARGO ARGON ARGONAUT ARGONAUTS ARGONNE ARGOS ARGOT ARGUABLE ARGUABLY ARGUE ARGUED ARGUER ARGUERS ARGUES ARGUING ARGUMENT ARGUMENTATION ARGUMENTATIVE ARGUMENTS ARGUS ARIADNE ARIANISM ARIANIST ARIANISTS ARID ARIDITY ARIES ARIGHT ARISE ARISEN ARISER ARISES ARISING ARISINGS ARISTOCRACY ARISTOCRAT ARISTOCRATIC ARISTOCRATICALLY ARISTOCRATS ARISTOTELIAN ARISTOTLE ARITHMETIC ARITHMETICAL ARITHMETICALLY ARITHMETICS ARITHMETIZE ARITHMETIZED ARITHMETIZES ARIZONA ARK ARKANSAN ARKANSAS ARLEN ARLENE ARLINGTON ARM ARMADA ARMADILLO ARMADILLOS ARMAGEDDON ARMAGNAC ARMAMENT ARMAMENTS ARMATA ARMCHAIR ARMCHAIRS ARMCO ARMED ARMENIA ARMENIAN ARMER ARMERS ARMFUL ARMHOLE ARMIES ARMING ARMISTICE ARMLOAD ARMONK ARMOR ARMORED ARMORER ARMORY ARMOUR ARMPIT ARMPITS ARMS ARMSTRONG ARMY ARNOLD AROMA AROMAS AROMATIC AROSE AROUND AROUSAL AROUSE AROUSED AROUSES AROUSING ARPA ARPANET ARPANET ARPEGGIO ARPEGGIOS ARRACK ARRAGON ARRAIGN ARRAIGNED ARRAIGNING ARRAIGNMENT ARRAIGNMENTS ARRAIGNS ARRANGE ARRANGED ARRANGEMENT ARRANGEMENTS ARRANGER ARRANGERS ARRANGES ARRANGING ARRANT ARRAY ARRAYED ARRAYS ARREARS ARREST ARRESTED ARRESTER ARRESTERS ARRESTING ARRESTINGLY ARRESTOR ARRESTORS ARRESTS ARRHENIUS ARRIVAL ARRIVALS ARRIVE ARRIVED ARRIVES ARRIVING ARROGANCE ARROGANT ARROGANTLY ARROGATE ARROGATED ARROGATES ARROGATING ARROGATION ARROW ARROWED ARROWHEAD ARROWHEADS ARROWS ARROYO ARROYOS ARSENAL ARSENALS ARSENIC ARSINE ARSON ART ARTEMIA ARTEMIS ARTERIAL ARTERIES ARTERIOLAR ARTERIOLE ARTERIOLES ARTERIOSCLEROSIS ARTERY ARTFUL ARTFULLY ARTFULNESS ARTHRITIS ARTHROPOD ARTHROPODS ARTHUR ARTICHOKE ARTICHOKES ARTICLE ARTICLES ARTICULATE ARTICULATED ARTICULATELY ARTICULATENESS ARTICULATES ARTICULATING ARTICULATION ARTICULATIONS ARTICULATOR ARTICULATORS ARTICULATORY ARTIE ARTIFACT ARTIFACTS ARTIFICE ARTIFICER ARTIFICES ARTIFICIAL ARTIFICIALITIES ARTIFICIALITY ARTIFICIALLY ARTIFICIALNESS ARTILLERIST ARTILLERY ARTISAN ARTISANS ARTIST ARTISTIC ARTISTICALLY ARTISTRY ARTISTS ARTLESS ARTS ARTURO ARTWORK ARUBA ARYAN ARYANS ASBESTOS ASCEND ASCENDANCY ASCENDANT ASCENDED ASCENDENCY ASCENDENT ASCENDER ASCENDERS ASCENDING ASCENDS ASCENSION ASCENSIONS ASCENT ASCERTAIN ASCERTAINABLE ASCERTAINED ASCERTAINING ASCERTAINS ASCETIC ASCETICISM ASCETICS ASCII ASCOT ASCRIBABLE ASCRIBE ASCRIBED ASCRIBES ASCRIBING ASCRIPTION ASEPTIC ASH ASHAMED ASHAMEDLY ASHEN ASHER ASHES ASHEVILLE ASHLAND ASHLEY ASHMAN ASHMOLEAN ASHORE ASHTRAY ASHTRAYS ASIA ASIAN ASIANS ASIATIC ASIATICIZATION ASIATICIZATIONS ASIATICIZE ASIATICIZES ASIATICS ASIDE ASILOMAR ASININE ASK ASKANCE ASKED ASKER ASKERS ASKEW ASKING ASKS ASLEEP ASOCIAL ASP ASPARAGUS ASPECT ASPECTS ASPEN ASPERSION ASPERSIONS ASPHALT ASPHYXIA ASPIC ASPIRANT ASPIRANTS ASPIRATE ASPIRATED ASPIRATES ASPIRATING ASPIRATION ASPIRATIONS ASPIRATOR ASPIRATORS ASPIRE ASPIRED ASPIRES ASPIRIN ASPIRING ASPIRINS ASS ASSAIL ASSAILANT ASSAILANTS ASSAILED ASSAILING ASSAILS ASSAM ASSASSIN ASSASSINATE ASSASSINATED ASSASSINATES ASSASSINATING ASSASSINATION ASSASSINATIONS ASSASSINS ASSAULT ASSAULTED ASSAULTING ASSAULTS ASSAY ASSAYED ASSAYING ASSEMBLAGE ASSEMBLAGES ASSEMBLE ASSEMBLED ASSEMBLER ASSEMBLERS ASSEMBLES ASSEMBLIES ASSEMBLING ASSEMBLY ASSENT ASSENTED ASSENTER ASSENTING ASSENTS ASSERT ASSERTED ASSERTER ASSERTERS ASSERTING ASSERTION ASSERTIONS ASSERTIVE ASSERTIVELY ASSERTIVENESS ASSERTS ASSES ASSESS ASSESSED ASSESSES ASSESSING ASSESSMENT ASSESSMENTS ASSESSOR ASSESSORS ASSET ASSETS ASSIDUITY ASSIDUOUS ASSIDUOUSLY ASSIGN ASSIGNABLE ASSIGNED ASSIGNEE ASSIGNEES ASSIGNER ASSIGNERS ASSIGNING ASSIGNMENT ASSIGNMENTS ASSIGNS ASSIMILATE ASSIMILATED ASSIMILATES ASSIMILATING ASSIMILATION ASSIMILATIONS ASSIST ASSISTANCE ASSISTANCES ASSISTANT ASSISTANTS ASSISTANTSHIP ASSISTANTSHIPS ASSISTED ASSISTING ASSISTS ASSOCIATE ASSOCIATED ASSOCIATES ASSOCIATING ASSOCIATION ASSOCIATIONAL ASSOCIATIONS ASSOCIATIVE ASSOCIATIVELY ASSOCIATIVITY ASSOCIATOR ASSOCIATORS ASSONANCE ASSONANT ASSORT ASSORTED ASSORTMENT ASSORTMENTS ASSORTS ASSUAGE ASSUAGED ASSUAGES ASSUME ASSUMED ASSUMES ASSUMING ASSUMPTION ASSUMPTIONS ASSURANCE ASSURANCES ASSURE ASSURED ASSUREDLY ASSURER ASSURERS ASSURES ASSURING ASSURINGLY ASSYRIA ASSYRIAN ASSYRIANIZE ASSYRIANIZES ASSYRIOLOGY ASTAIRE ASTAIRES ASTARTE ASTATINE ASTER ASTERISK ASTERISKS ASTEROID ASTEROIDAL ASTEROIDS ASTERS ASTHMA ASTON ASTONISH ASTONISHED ASTONISHES ASTONISHING ASTONISHINGLY ASTONISHMENT ASTOR ASTORIA ASTOUND ASTOUNDED ASTOUNDING ASTOUNDS ASTRAL ASTRAY ASTRIDE ASTRINGENCY ASTRINGENT ASTROLOGY ASTRONAUT ASTRONAUTICS ASTRONAUTS ASTRONOMER ASTRONOMERS ASTRONOMICAL ASTRONOMICALLY ASTRONOMY ASTROPHYSICAL ASTROPHYSICS ASTUTE ASTUTELY ASTUTENESS ASUNCION ASUNDER ASYLUM ASYMMETRIC ASYMMETRICALLY ASYMMETRY ASYMPTOMATICALLY ASYMPTOTE ASYMPTOTES ASYMPTOTIC ASYMPTOTICALLY ASYNCHRONISM ASYNCHRONOUS ASYNCHRONOUSLY ASYNCHRONY ATALANTA ATARI ATAVISTIC ATCHISON ATE ATEMPORAL ATHABASCAN ATHEISM ATHEIST ATHEISTIC ATHEISTS ATHENA ATHENIAN ATHENIANS ATHENS ATHEROSCLEROSIS ATHLETE ATHLETES ATHLETIC ATHLETICISM ATHLETICS ATKINS ATKINSON ATLANTA ATLANTIC ATLANTICA ATLANTIS ATLAS ATMOSPHERE ATMOSPHERES ATMOSPHERIC ATOLL ATOLLS ATOM ATOMIC ATOMICALLY ATOMICS ATOMIZATION ATOMIZE ATOMIZED ATOMIZES ATOMIZING ATOMS ATONAL ATONALLY ATONE ATONED ATONEMENT ATONES ATOP ATREUS ATROCIOUS ATROCIOUSLY ATROCITIES ATROCITY ATROPHIC ATROPHIED ATROPHIES ATROPHY ATROPHYING ATROPOS ATTACH ATTACHE ATTACHED ATTACHER ATTACHERS ATTACHES ATTACHING ATTACHMENT ATTACHMENTS ATTACK ATTACKABLE ATTACKED ATTACKER ATTACKERS ATTACKING ATTACKS ATTAIN ATTAINABLE ATTAINABLY ATTAINED ATTAINER ATTAINERS ATTAINING ATTAINMENT ATTAINMENTS ATTAINS ATTEMPT ATTEMPTED ATTEMPTER ATTEMPTERS ATTEMPTING ATTEMPTS ATTEND ATTENDANCE ATTENDANCES ATTENDANT ATTENDANTS ATTENDED ATTENDEE ATTENDEES ATTENDER ATTENDERS ATTENDING ATTENDS ATTENTION ATTENTIONAL ATTENTIONALITY ATTENTIONS ATTENTIVE ATTENTIVELY ATTENTIVENESS ATTENUATE ATTENUATED ATTENUATES ATTENUATING ATTENUATION ATTENUATOR ATTENUATORS ATTEST ATTESTED ATTESTING ATTESTS ATTIC ATTICA ATTICS ATTIRE ATTIRED ATTIRES ATTIRING ATTITUDE ATTITUDES ATTITUDINAL ATTLEE ATTORNEY ATTORNEYS ATTRACT ATTRACTED ATTRACTING ATTRACTION ATTRACTIONS ATTRACTIVE ATTRACTIVELY ATTRACTIVENESS ATTRACTOR ATTRACTORS ATTRACTS ATTRIBUTABLE ATTRIBUTE ATTRIBUTED ATTRIBUTES ATTRIBUTING ATTRIBUTION ATTRIBUTIONS ATTRIBUTIVE ATTRIBUTIVELY ATTRITION ATTUNE ATTUNED ATTUNES ATTUNING ATWATER ATWOOD ATYPICAL ATYPICALLY AUBERGE AUBREY AUBURN AUCKLAND AUCTION AUCTIONEER AUCTIONEERS AUDACIOUS AUDACIOUSLY AUDACIOUSNESS AUDACITY AUDIBLE AUDIBLY AUDIENCE AUDIENCES AUDIO AUDIOGRAM AUDIOGRAMS AUDIOLOGICAL AUDIOLOGIST AUDIOLOGISTS AUDIOLOGY AUDIOMETER AUDIOMETERS AUDIOMETRIC AUDIOMETRY AUDIT AUDITED AUDITING AUDITION AUDITIONED AUDITIONING AUDITIONS AUDITOR AUDITORIUM AUDITORS AUDITORY AUDITS AUDREY AUDUBON AUERBACH AUGEAN AUGER AUGERS AUGHT AUGMENT AUGMENTATION AUGMENTED AUGMENTING AUGMENTS AUGUR AUGURS AUGUST AUGUSTA AUGUSTAN AUGUSTINE AUGUSTLY AUGUSTNESS AUGUSTUS AUNT AUNTS AURA AURAL AURALLY AURAS AURELIUS AUREOLE AUREOMYCIN AURIGA AURORA AUSCHWITZ AUSCULTATE AUSCULTATED AUSCULTATES AUSCULTATING AUSCULTATION AUSCULTATIONS AUSPICE AUSPICES AUSPICIOUS AUSPICIOUSLY AUSTERE AUSTERELY AUSTERITY AUSTIN AUSTRALIA AUSTRALIAN AUSTRALIANIZE AUSTRALIANIZES AUSTRALIS AUSTRIA AUSTRIAN AUSTRIANIZE AUSTRIANIZES AUTHENTIC AUTHENTICALLY AUTHENTICATE AUTHENTICATED AUTHENTICATES AUTHENTICATING AUTHENTICATION AUTHENTICATIONS AUTHENTICATOR AUTHENTICATORS AUTHENTICITY AUTHOR AUTHORED AUTHORING AUTHORITARIAN AUTHORITARIANISM AUTHORITATIVE AUTHORITATIVELY AUTHORITIES AUTHORITY AUTHORIZATION AUTHORIZATIONS AUTHORIZE AUTHORIZED AUTHORIZER AUTHORIZERS AUTHORIZES AUTHORIZING AUTHORS AUTHORSHIP AUTISM AUTISTIC AUTO AUTOBIOGRAPHIC AUTOBIOGRAPHICAL AUTOBIOGRAPHIES AUTOBIOGRAPHY AUTOCOLLIMATOR AUTOCORRELATE AUTOCORRELATION AUTOCRACIES AUTOCRACY AUTOCRAT AUTOCRATIC AUTOCRATICALLY AUTOCRATS AUTODECREMENT AUTODECREMENTED AUTODECREMENTS AUTODIALER AUTOFLUORESCENCE AUTOGRAPH AUTOGRAPHED AUTOGRAPHING AUTOGRAPHS AUTOINCREMENT AUTOINCREMENTED AUTOINCREMENTS AUTOINDEX AUTOINDEXING AUTOMATA AUTOMATE AUTOMATED AUTOMATES AUTOMATIC AUTOMATICALLY AUTOMATING AUTOMATION AUTOMATON AUTOMOBILE AUTOMOBILES AUTOMOTIVE AUTONAVIGATOR AUTONAVIGATORS AUTONOMIC AUTONOMOUS AUTONOMOUSLY AUTONOMY AUTOPILOT AUTOPILOTS AUTOPSIED AUTOPSIES AUTOPSY AUTOREGRESSIVE AUTOS AUTOSUGGESTIBILITY AUTOTRANSFORMER AUTUMN AUTUMNAL AUTUMNS AUXILIARIES AUXILIARY AVAIL AVAILABILITIES AVAILABILITY AVAILABLE AVAILABLY AVAILED AVAILER AVAILERS AVAILING AVAILS AVALANCHE AVALANCHED AVALANCHES AVALANCHING AVANT AVARICE AVARICIOUS AVARICIOUSLY AVENGE AVENGED AVENGER AVENGES AVENGING AVENTINE AVENTINO AVENUE AVENUES AVER AVERAGE AVERAGED AVERAGES AVERAGING AVERNUS AVERRED AVERRER AVERRING AVERS AVERSE AVERSION AVERSIONS AVERT AVERTED AVERTING AVERTS AVERY AVESTA AVIAN AVIARIES AVIARY AVIATION AVIATOR AVIATORS AVID AVIDITY AVIDLY AVIGNON AVIONIC AVIONICS AVIS AVIV AVOCADO AVOCADOS AVOCATION AVOCATIONS AVOGADRO AVOID AVOIDABLE AVOIDABLY AVOIDANCE AVOIDED AVOIDER AVOIDERS AVOIDING AVOIDS AVON AVOUCH AVOW AVOWAL AVOWED AVOWS AWAIT AWAITED AWAITING AWAITS AWAKE AWAKEN AWAKENED AWAKENING AWAKENS AWAKES AWAKING AWARD AWARDED AWARDER AWARDERS AWARDING AWARDS AWARE AWARENESS AWASH AWAY AWE AWED AWESOME AWFUL AWFULLY AWFULNESS AWHILE AWKWARD AWKWARDLY AWKWARDNESS AWL AWLS AWNING AWNINGS AWOKE AWRY AXED AXEL AXER AXERS AXES AXIAL AXIALLY AXING AXIOLOGICAL AXIOM AXIOMATIC AXIOMATICALLY AXIOMATIZATION AXIOMATIZATIONS AXIOMATIZE AXIOMATIZED AXIOMATIZES AXIOMATIZING AXIOMS AXIS AXLE AXLES AXOLOTL AXOLOTLS AXON AXONS AYE AYERS AYES AYLESBURY AZALEA AZALEAS AZERBAIJAN AZIMUTH AZIMUTHS AZORES AZTEC AZTECAN AZURE BABBAGE BABBLE BABBLED BABBLES BABBLING BABCOCK BABE BABEL BABELIZE BABELIZES BABES BABIED BABIES BABKA BABOON BABOONS BABUL BABY BABYHOOD BABYING BABYISH BABYLON BABYLONIAN BABYLONIANS BABYLONIZE BABYLONIZES BABYSIT BABYSITTING BACCALAUREATE BACCHUS BACH BACHELOR BACHELORS BACILLI BACILLUS BACK BACKACHE BACKACHES BACKARROW BACKBEND BACKBENDS BACKBOARD BACKBONE BACKBONES BACKDROP BACKDROPS BACKED BACKER BACKERS BACKFILL BACKFIRING BACKGROUND BACKGROUNDS BACKHAND BACKING BACKLASH BACKLOG BACKLOGGED BACKLOGS BACKORDER BACKPACK BACKPACKS BACKPLANE BACKPLANES BACKPLATE BACKS BACKSCATTER BACKSCATTERED BACKSCATTERING BACKSCATTERS BACKSIDE BACKSLASH BACKSLASHES BACKSPACE BACKSPACED BACKSPACES BACKSPACING BACKSTAGE BACKSTAIRS BACKSTITCH BACKSTITCHED BACKSTITCHES BACKSTITCHING BACKSTOP BACKTRACK BACKTRACKED BACKTRACKER BACKTRACKERS BACKTRACKING BACKTRACKS BACKUP BACKUPS BACKUS BACKWARD BACKWARDNESS BACKWARDS BACKWATER BACKWATERS BACKWOODS BACKYARD BACKYARDS BACON BACTERIA BACTERIAL BACTERIUM BAD BADE BADEN BADGE BADGER BADGERED BADGERING BADGERS BADGES BADLANDS BADLY BADMINTON BADNESS BAFFIN BAFFLE BAFFLED BAFFLER BAFFLERS BAFFLING BAG BAGATELLE BAGATELLES BAGEL BAGELS BAGGAGE BAGGED BAGGER BAGGERS BAGGING BAGGY BAGHDAD BAGLEY BAGPIPE BAGPIPES BAGRODIA BAGRODIAS BAGS BAH BAHAMA BAHAMAS BAHREIN BAIL BAILEY BAILEYS BAILIFF BAILIFFS BAILING BAIRD BAIRDI BAIRN BAIT BAITED BAITER BAITING BAITS BAJA BAKE BAKED BAKELITE BAKER BAKERIES BAKERS BAKERSFIELD BAKERY BAKES BAKHTIARI BAKING BAKLAVA BAKU BALALAIKA BALALAIKAS BALANCE BALANCED BALANCER BALANCERS BALANCES BALANCING BALBOA BALCONIES BALCONY BALD BALDING BALDLY BALDNESS BALDWIN BALE BALEFUL BALER BALES BALFOUR BALI BALINESE BALK BALKAN BALKANIZATION BALKANIZATIONS BALKANIZE BALKANIZED BALKANIZES BALKANIZING BALKANS BALKED BALKINESS BALKING BALKS BALKY BALL BALLAD BALLADS BALLARD BALLARDS BALLAST BALLASTS BALLED BALLER BALLERINA BALLERINAS BALLERS BALLET BALLETS BALLGOWN BALLING BALLISTIC BALLISTICS BALLOON BALLOONED BALLOONER BALLOONERS BALLOONING BALLOONS BALLOT BALLOTS BALLPARK BALLPARKS BALLPLAYER BALLPLAYERS BALLROOM BALLROOMS BALLS BALLYHOO BALM BALMS BALMY BALSA BALSAM BALTIC BALTIMORE BALTIMOREAN BALUSTRADE BALUSTRADES BALZAC BAMAKO BAMBERGER BAMBI BAMBOO BAN BANACH BANAL BANALLY BANANA BANANAS BANBURY BANCROFT BAND BANDAGE BANDAGED BANDAGES BANDAGING BANDED BANDIED BANDIES BANDING BANDIT BANDITS BANDPASS BANDS BANDSTAND BANDSTANDS BANDWAGON BANDWAGONS BANDWIDTH BANDWIDTHS BANDY BANDYING BANE BANEFUL BANG BANGED BANGING BANGLADESH BANGLE BANGLES BANGOR BANGS BANGUI BANISH BANISHED BANISHES BANISHING BANISHMENT BANISTER BANISTERS BANJO BANJOS BANK BANKED BANKER BANKERS BANKING BANKRUPT BANKRUPTCIES BANKRUPTCY BANKRUPTED BANKRUPTING BANKRUPTS BANKS BANNED BANNER BANNERS BANNING BANQUET BANQUETING BANQUETINGS BANQUETS BANS BANSHEE BANSHEES BANTAM BANTER BANTERED BANTERING BANTERS BANTU BANTUS BAPTISM BAPTISMAL BAPTISMS BAPTIST BAPTISTE BAPTISTERY BAPTISTRIES BAPTISTRY BAPTISTS BAPTIZE BAPTIZED BAPTIZES BAPTIZING BAR BARB BARBADOS BARBARA BARBARIAN BARBARIANS BARBARIC BARBARISM BARBARITIES BARBARITY BARBAROUS BARBAROUSLY BARBECUE BARBECUED BARBECUES BARBED BARBELL BARBELLS BARBER BARBITAL BARBITURATE BARBITURATES BARBOUR BARBS BARCELONA BARCLAY BARD BARDS BARE BARED BAREFACED BAREFOOT BAREFOOTED BARELY BARENESS BARER BARES BAREST BARFLIES BARFLY BARGAIN BARGAINED BARGAINING BARGAINS BARGE BARGES BARGING BARHOP BARING BARITONE BARITONES BARIUM BARK BARKED BARKER BARKERS BARKING BARKS BARLEY BARLOW BARN BARNABAS BARNARD BARNES BARNET BARNETT BARNEY BARNHARD BARNS BARNSTORM BARNSTORMED BARNSTORMING BARNSTORMS BARNUM BARNYARD BARNYARDS BAROMETER BAROMETERS BAROMETRIC BARON BARONESS BARONIAL BARONIES BARONS BARONY BAROQUE BAROQUENESS BARR BARRACK BARRACKS BARRAGE BARRAGES BARRED BARREL BARRELLED BARRELLING BARRELS BARREN BARRENNESS BARRETT BARRICADE BARRICADES BARRIER BARRIERS BARRING BARRINGER BARRINGTON BARRON BARROW BARRY BARRYMORE BARRYMORES BARS BARSTOW BART BARTENDER BARTENDERS BARTER BARTERED BARTERING BARTERS BARTH BARTHOLOMEW BARTLETT BARTOK BARTON BASAL BASALT BASCOM BASE BASEBALL BASEBALLS BASEBAND BASEBOARD BASEBOARDS BASED BASEL BASELESS BASELINE BASELINES BASELY BASEMAN BASEMENT BASEMENTS BASENESS BASER BASES BASH BASHED BASHES BASHFUL BASHFULNESS BASHING BASIC BASIC BASIC BASICALLY BASICS BASIE BASIL BASIN BASING BASINS BASIS BASK BASKED BASKET BASKETBALL BASKETBALLS BASKETS BASKING BASQUE BASS BASSES BASSET BASSETT BASSINET BASSINETS BASTARD BASTARDS BASTE BASTED BASTES BASTING BASTION BASTIONS BAT BATAVIA BATCH BATCHED BATCHELDER BATCHES BATEMAN BATES BATH BATHE BATHED BATHER BATHERS BATHES BATHING BATHOS BATHROBE BATHROBES BATHROOM BATHROOMS BATHS BATHTUB BATHTUBS BATHURST BATISTA BATON BATONS BATOR BATS BATTALION BATTALIONS BATTED BATTELLE BATTEN BATTENS BATTER BATTERED BATTERIES BATTERING BATTERS BATTERY BATTING BATTLE BATTLED BATTLEFIELD BATTLEFIELDS BATTLEFRONT BATTLEFRONTS BATTLEGROUND BATTLEGROUNDS BATTLEMENT BATTLEMENTS BATTLER BATTLERS BATTLES BATTLESHIP BATTLESHIPS BATTLING BAUBLE BAUBLES BAUD BAUDELAIRE BAUER BAUHAUS BAUSCH BAUXITE BAVARIA BAVARIAN BAWDY BAWL BAWLED BAWLING BAWLS BAXTER BAY BAYDA BAYED BAYES BAYESIAN BAYING BAYLOR BAYONET BAYONETS BAYONNE BAYOU BAYOUS BAYPORT BAYREUTH BAYS BAZAAR BAZAARS BEACH BEACHED BEACHES BEACHHEAD BEACHHEADS BEACHING BEACON BEACONS BEAD BEADED BEADING BEADLE BEADLES BEADS BEADY BEAGLE BEAGLES BEAK BEAKED BEAKER BEAKERS BEAKS BEAM BEAMED BEAMER BEAMERS BEAMING BEAMS BEAN BEANBAG BEANED BEANER BEANERS BEANING BEANS BEAR BEARABLE BEARABLY BEARD BEARDED BEARDLESS BEARDS BEARDSLEY BEARER BEARERS BEARING BEARINGS BEARISH BEARS BEAST BEASTLY BEASTS BEAT BEATABLE BEATABLY BEATEN BEATER BEATERS BEATIFIC BEATIFICATION BEATIFY BEATING BEATINGS BEATITUDE BEATITUDES BEATNIK BEATNIKS BEATRICE BEATS BEAU BEAUCHAMPS BEAUJOLAIS BEAUMONT BEAUREGARD BEAUS BEAUTEOUS BEAUTEOUSLY BEAUTIES BEAUTIFICATIONS BEAUTIFIED BEAUTIFIER BEAUTIFIERS BEAUTIFIES BEAUTIFUL BEAUTIFULLY BEAUTIFY BEAUTIFYING BEAUTY BEAVER BEAVERS BEAVERTON BECALM BECALMED BECALMING BECALMS BECAME BECAUSE BECHTEL BECK BECKER BECKMAN BECKON BECKONED BECKONING BECKONS BECKY BECOME BECOMES BECOMING BECOMINGLY BED BEDAZZLE BEDAZZLED BEDAZZLEMENT BEDAZZLES BEDAZZLING BEDBUG BEDBUGS BEDDED BEDDER BEDDERS BEDDING BEDEVIL BEDEVILED BEDEVILING BEDEVILS BEDFAST BEDFORD BEDLAM BEDPOST BEDPOSTS BEDRAGGLE BEDRAGGLED BEDRIDDEN BEDROCK BEDROOM BEDROOMS BEDS BEDSIDE BEDSPREAD BEDSPREADS BEDSPRING BEDSPRINGS BEDSTEAD BEDSTEADS BEDTIME BEE BEEBE BEECH BEECHAM BEECHEN BEECHER BEEF BEEFED BEEFER BEEFERS BEEFING BEEFS BEEFSTEAK BEEFY BEEHIVE BEEHIVES BEEN BEEP BEEPS BEER BEERS BEES BEET BEETHOVEN BEETLE BEETLED BEETLES BEETLING BEETS BEFALL BEFALLEN BEFALLING BEFALLS BEFELL BEFIT BEFITS BEFITTED BEFITTING BEFOG BEFOGGED BEFOGGING BEFORE BEFOREHAND BEFOUL BEFOULED BEFOULING BEFOULS BEFRIEND BEFRIENDED BEFRIENDING BEFRIENDS BEFUDDLE BEFUDDLED BEFUDDLES BEFUDDLING BEG BEGAN BEGET BEGETS BEGETTING BEGGAR BEGGARLY BEGGARS BEGGARY BEGGED BEGGING BEGIN BEGINNER BEGINNERS BEGINNING BEGINNINGS BEGINS BEGOT BEGOTTEN BEGRUDGE BEGRUDGED BEGRUDGES BEGRUDGING BEGRUDGINGLY BEGS BEGUILE BEGUILED BEGUILES BEGUILING BEGUN BEHALF BEHAVE BEHAVED BEHAVES BEHAVING BEHAVIOR BEHAVIORAL BEHAVIORALLY BEHAVIORISM BEHAVIORISTIC BEHAVIORS BEHEAD BEHEADING BEHELD BEHEMOTH BEHEMOTHS BEHEST BEHIND BEHOLD BEHOLDEN BEHOLDER BEHOLDERS BEHOLDING BEHOLDS BEHOOVE BEHOOVES BEIGE BEIJING BEING BEINGS BEIRUT BELA BELABOR BELABORED BELABORING BELABORS BELATED BELATEDLY BELAY BELAYED BELAYING BELAYS BELCH BELCHED BELCHES BELCHING BELFAST BELFRIES BELFRY BELGIAN BELGIANS BELGIUM BELGRADE BELIE BELIED BELIEF BELIEFS BELIES BELIEVABLE BELIEVABLY BELIEVE BELIEVED BELIEVER BELIEVERS BELIEVES BELIEVING BELITTLE BELITTLED BELITTLES BELITTLING BELIZE BELL BELLA BELLAMY BELLATRIX BELLBOY BELLBOYS BELLE BELLES BELLEVILLE BELLHOP BELLHOPS BELLICOSE BELLICOSITY BELLIES BELLIGERENCE BELLIGERENT BELLIGERENTLY BELLIGERENTS BELLINGHAM BELLINI BELLMAN BELLMEN BELLOVIN BELLOW BELLOWED BELLOWING BELLOWS BELLS BELLUM BELLWETHER BELLWETHERS BELLWOOD BELLY BELLYACHE BELLYFULL BELMONT BELOIT BELONG BELONGED BELONGING BELONGINGS BELONGS BELOVED BELOW BELSHAZZAR BELT BELTED BELTING BELTON BELTS BELTSVILLE BELUSHI BELY BELYING BEMOAN BEMOANED BEMOANING BEMOANS BEN BENARES BENCH BENCHED BENCHES BENCHMARK BENCHMARKING BENCHMARKS BEND BENDABLE BENDER BENDERS BENDING BENDIX BENDS BENEATH BENEDICT BENEDICTINE BENEDICTION BENEDICTIONS BENEDIKT BENEFACTOR BENEFACTORS BENEFICENCE BENEFICENCES BENEFICENT BENEFICIAL BENEFICIALLY BENEFICIARIES BENEFICIARY BENEFIT BENEFITED BENEFITING BENEFITS BENEFITTED BENEFITTING BENELUX BENEVOLENCE BENEVOLENT BENGAL BENGALI BENIGHTED BENIGN BENIGNLY BENJAMIN BENNETT BENNINGTON BENNY BENSON BENT BENTHAM BENTLEY BENTLEYS BENTON BENZ BENZEDRINE BENZENE BEOGRAD BEOWULF BEQUEATH BEQUEATHAL BEQUEATHED BEQUEATHING BEQUEATHS BEQUEST BEQUESTS BERATE BERATED BERATES BERATING BEREA BEREAVE BEREAVED BEREAVEMENT BEREAVEMENTS BEREAVES BEREAVING BEREFT BERENICES BERESFORD BERET BERETS BERGEN BERGLAND BERGLUND BERGMAN BERGSON BERGSTEN BERGSTROM BERIBBONED BERIBERI BERINGER BERKELEY BERKELIUM BERKOWITZ BERKSHIRE BERKSHIRES BERLIN BERLINER BERLINERS BERLINIZE BERLINIZES BERLIOZ BERLITZ BERMAN BERMUDA BERN BERNADINE BERNARD BERNARDINE BERNARDINO BERNARDO BERNE BERNET BERNHARD BERNICE BERNIE BERNIECE BERNINI BERNOULLI BERNSTEIN BERRA BERRIES BERRY BERSERK BERT BERTH BERTHA BERTHS BERTIE BERTRAM BERTRAND BERWICK BERYL BERYLLIUM BESEECH BESEECHES BESEECHING BESET BESETS BESETTING BESIDE BESIDES BESIEGE BESIEGED BESIEGER BESIEGERS BESIEGING BESMIRCH BESMIRCHED BESMIRCHES BESMIRCHING BESOTTED BESOTTER BESOTTING BESOUGHT BESPEAK BESPEAKS BESPECTACLED BESPOKE BESS BESSEL BESSEMER BESSEMERIZE BESSEMERIZES BESSIE BEST BESTED BESTIAL BESTING BESTIR BESTIRRING BESTOW BESTOWAL BESTOWED BESTS BESTSELLER BESTSELLERS BESTSELLING BET BETA BETATRON BETEL BETELGEUSE BETHESDA BETHLEHEM BETIDE BETRAY BETRAYAL BETRAYED BETRAYER BETRAYING BETRAYS BETROTH BETROTHAL BETROTHED BETS BETSEY BETSY BETTE BETTER BETTERED BETTERING BETTERMENT BETTERMENTS BETTERS BETTIES BETTING BETTY BETWEEN BETWIXT BEVEL BEVELED BEVELING BEVELS BEVERAGE BEVERAGES BEVERLY BEVY BEWAIL BEWAILED BEWAILING BEWAILS BEWARE BEWHISKERED BEWILDER BEWILDERED BEWILDERING BEWILDERINGLY BEWILDERMENT BEWILDERS BEWITCH BEWITCHED BEWITCHES BEWITCHING BEYOND BHUTAN BIALYSTOK BIANCO BIANNUAL BIAS BIASED BIASES BIASING BIB BIBBED BIBBING BIBLE BIBLES BIBLICAL BIBLICALLY BIBLIOGRAPHIC BIBLIOGRAPHICAL BIBLIOGRAPHIES BIBLIOGRAPHY BIBLIOPHILE BIBS BICAMERAL BICARBONATE BICENTENNIAL BICEP BICEPS BICKER BICKERED BICKERING BICKERS BICONCAVE BICONNECTED BICONVEX BICYCLE BICYCLED BICYCLER BICYCLERS BICYCLES BICYCLING BID BIDDABLE BIDDEN BIDDER BIDDERS BIDDIES BIDDING BIDDLE BIDDY BIDE BIDIRECTIONAL BIDS BIEN BIENNIAL BIENNIUM BIENVILLE BIER BIERCE BIFOCAL BIFOCALS BIFURCATE BIG BIGELOW BIGGER BIGGEST BIGGS BIGHT BIGHTS BIGNESS BIGOT BIGOTED BIGOTRY BIGOTS BIHARMONIC BIJECTION BIJECTIONS BIJECTIVE BIJECTIVELY BIKE BIKES BIKING BIKINI BIKINIS BILABIAL BILATERAL BILATERALLY BILBAO BILBO BILE BILGE BILGES BILINEAR BILINGUAL BILK BILKED BILKING BILKS BILL BILLBOARD BILLBOARDS BILLED BILLER BILLERS BILLET BILLETED BILLETING BILLETS BILLIARD BILLIARDS BILLIE BILLIKEN BILLIKENS BILLING BILLINGS BILLION BILLIONS BILLIONTH BILLOW BILLOWED BILLOWS BILLS BILTMORE BIMETALLIC BIMETALLISM BIMINI BIMODAL BIMOLECULAR BIMONTHLIES BIMONTHLY BIN BINARIES BINARY BINAURAL BIND BINDER BINDERS BINDING BINDINGS BINDS BING BINGE BINGES BINGHAM BINGHAMTON BINGO BINI BINOCULAR BINOCULARS BINOMIAL BINS BINUCLEAR BIOCHEMICAL BIOCHEMIST BIOCHEMISTRY BIOFEEDBACK BIOGRAPHER BIOGRAPHERS BIOGRAPHIC BIOGRAPHICAL BIOGRAPHICALLY BIOGRAPHIES BIOGRAPHY BIOLOGICAL BIOLOGICALLY BIOLOGIST BIOLOGISTS BIOLOGY BIOMEDICAL BIOMEDICINE BIOPHYSICAL BIOPHYSICIST BIOPHYSICS BIOPSIES BIOPSY BIOSCIENCE BIOSPHERE BIOSTATISTIC BIOSYNTHESIZE BIOTA BIOTIC BIPARTISAN BIPARTITE BIPED BIPEDS BIPLANE BIPLANES BIPOLAR BIRACIAL BIRCH BIRCHEN BIRCHES BIRD BIRDBATH BIRDBATHS BIRDIE BIRDIED BIRDIES BIRDLIKE BIRDS BIREFRINGENCE BIREFRINGENT BIRGIT BIRMINGHAM BIRMINGHAMIZE BIRMINGHAMIZES BIRTH BIRTHDAY BIRTHDAYS BIRTHED BIRTHPLACE BIRTHPLACES BIRTHRIGHT BIRTHRIGHTS BIRTHS BISCAYNE BISCUIT BISCUITS BISECT BISECTED BISECTING BISECTION BISECTIONS BISECTOR BISECTORS BISECTS BISHOP BISHOPS BISMARCK BISMARK BISMUTH BISON BISONS BISQUE BISQUES BISSAU BISTABLE BISTATE BIT BITCH BITCHES BITE BITER BITERS BITES BITING BITINGLY BITMAP BITNET BITS BITTEN BITTER BITTERER BITTEREST BITTERLY BITTERNESS BITTERNUT BITTERROOT BITTERS BITTERSWEET BITUMEN BITUMINOUS BITWISE BIVALVE BIVALVES BIVARIATE BIVOUAC BIVOUACS BIWEEKLY BIZARRE BIZET BLAB BLABBED BLABBERMOUTH BLABBERMOUTHS BLABBING BLABS BLACK BLACKBERRIES BLACKBERRY BLACKBIRD BLACKBIRDS BLACKBOARD BLACKBOARDS BLACKBURN BLACKED BLACKEN BLACKENED BLACKENING BLACKENS BLACKER BLACKEST BLACKFEET BLACKFOOT BLACKFOOTS BLACKING BLACKJACK BLACKJACKS BLACKLIST BLACKLISTED BLACKLISTING BLACKLISTS BLACKLY BLACKMAIL BLACKMAILED BLACKMAILER BLACKMAILERS BLACKMAILING BLACKMAILS BLACKMAN BLACKMER BLACKNESS BLACKOUT BLACKOUTS BLACKS BLACKSMITH BLACKSMITHS BLACKSTONE BLACKWELL BLACKWELLS BLADDER BLADDERS BLADE BLADES BLAINE BLAIR BLAKE BLAKEY BLAMABLE BLAME BLAMED BLAMELESS BLAMELESSNESS BLAMER BLAMERS BLAMES BLAMEWORTHY BLAMING BLANCH BLANCHARD BLANCHE BLANCHED BLANCHES BLANCHING BLAND BLANDLY BLANDNESS BLANK BLANKED BLANKER BLANKEST BLANKET BLANKETED BLANKETER BLANKETERS BLANKETING BLANKETS BLANKING BLANKLY BLANKNESS BLANKS BLANTON BLARE BLARED BLARES BLARING BLASE BLASPHEME BLASPHEMED BLASPHEMES BLASPHEMIES BLASPHEMING BLASPHEMOUS BLASPHEMOUSLY BLASPHEMOUSNESS BLASPHEMY BLAST BLASTED BLASTER BLASTERS BLASTING BLASTS BLATANT BLATANTLY BLATZ BLAZE BLAZED BLAZER BLAZERS BLAZES BLAZING BLEACH BLEACHED BLEACHER BLEACHERS BLEACHES BLEACHING BLEAK BLEAKER BLEAKLY BLEAKNESS BLEAR BLEARY BLEAT BLEATING BLEATS BLED BLEED BLEEDER BLEEDING BLEEDINGS BLEEDS BLEEKER BLEMISH BLEMISHES BLEND BLENDED BLENDER BLENDING BLENDS BLENHEIM BLESS BLESSED BLESSING BLESSINGS BLEW BLIGHT BLIGHTED BLIMP BLIMPS BLIND BLINDED BLINDER BLINDERS BLINDFOLD BLINDFOLDED BLINDFOLDING BLINDFOLDS BLINDING BLINDINGLY BLINDLY BLINDNESS BLINDS BLINK BLINKED BLINKER BLINKERS BLINKING BLINKS BLINN BLIP BLIPS BLISS BLISSFUL BLISSFULLY BLISTER BLISTERED BLISTERING BLISTERS BLITHE BLITHELY BLITZ BLITZES BLITZKRIEG BLIZZARD BLIZZARDS BLOAT BLOATED BLOATER BLOATING BLOATS BLOB BLOBS BLOC BLOCH BLOCK BLOCKADE BLOCKADED BLOCKADES BLOCKADING BLOCKAGE BLOCKAGES BLOCKED BLOCKER BLOCKERS BLOCKHOUSE BLOCKHOUSES BLOCKING BLOCKS BLOCS BLOKE BLOKES BLOMBERG BLOMQUIST BLOND BLONDE BLONDES BLONDS BLOOD BLOODBATH BLOODED BLOODHOUND BLOODHOUNDS BLOODIED BLOODIEST BLOODLESS BLOODS BLOODSHED BLOODSHOT BLOODSTAIN BLOODSTAINED BLOODSTAINS BLOODSTREAM BLOODY BLOOM BLOOMED BLOOMERS BLOOMFIELD BLOOMING BLOOMINGTON BLOOMS BLOOPER BLOSSOM BLOSSOMED BLOSSOMS BLOT BLOTS BLOTTED BLOTTING BLOUSE BLOUSES BLOW BLOWER BLOWERS BLOWFISH BLOWING BLOWN BLOWOUT BLOWS BLOWUP BLUBBER BLUDGEON BLUDGEONED BLUDGEONING BLUDGEONS BLUE BLUEBERRIES BLUEBERRY BLUEBIRD BLUEBIRDS BLUEBONNET BLUEBONNETS BLUEFISH BLUENESS BLUEPRINT BLUEPRINTS BLUER BLUES BLUEST BLUESTOCKING BLUFF BLUFFING BLUFFS BLUING BLUISH BLUM BLUMENTHAL BLUNDER BLUNDERBUSS BLUNDERED BLUNDERING BLUNDERINGS BLUNDERS BLUNT BLUNTED BLUNTER BLUNTEST BLUNTING BLUNTLY BLUNTNESS BLUNTS BLUR BLURB BLURRED BLURRING BLURRY BLURS BLURT BLURTED BLURTING BLURTS BLUSH BLUSHED BLUSHES BLUSHING BLUSTER BLUSTERED BLUSTERING BLUSTERS BLUSTERY BLYTHE BOA BOAR BOARD BOARDED BOARDER BOARDERS BOARDING BOARDINGHOUSE BOARDINGHOUSES BOARDS BOARSH BOAST BOASTED BOASTER BOASTERS BOASTFUL BOASTFULLY BOASTING BOASTINGS BOASTS BOAT BOATER BOATERS BOATHOUSE BOATHOUSES BOATING BOATLOAD BOATLOADS BOATMAN BOATMEN BOATS BOATSMAN BOATSMEN BOATSWAIN BOATSWAINS BOATYARD BOATYARDS BOB BOBBED BOBBIE BOBBIN BOBBING BOBBINS BOBBSEY BOBBY BOBOLINK BOBOLINKS BOBROW BOBS BOBWHITE BOBWHITES BOCA BODE BODENHEIM BODES BODICE BODIED BODIES BODILY BODLEIAN BODY BODYBUILDER BODYBUILDERS BODYBUILDING BODYGUARD BODYGUARDS BODYWEIGHT BOEING BOEOTIA BOEOTIAN BOER BOERS BOG BOGART BOGARTIAN BOGEYMEN BOGGED BOGGLE BOGGLED BOGGLES BOGGLING BOGOTA BOGS BOGUS BOHEME BOHEMIA BOHEMIAN BOHEMIANISM BOHR BOIL BOILED BOILER BOILERPLATE BOILERS BOILING BOILS BOIS BOISE BOISTEROUS BOISTEROUSLY BOLD BOLDER BOLDEST BOLDFACE BOLDLY BOLDNESS BOLIVIA BOLIVIAN BOLL BOLOGNA BOLSHEVIK BOLSHEVIKS BOLSHEVISM BOLSHEVIST BOLSHEVISTIC BOLSHOI BOLSTER BOLSTERED BOLSTERING BOLSTERS BOLT BOLTED BOLTING BOLTON BOLTS BOLTZMANN BOMB BOMBARD BOMBARDED BOMBARDING BOMBARDMENT BOMBARDS BOMBAST BOMBASTIC BOMBAY BOMBED BOMBER BOMBERS BOMBING BOMBINGS BOMBPROOF BOMBS BONANZA BONANZAS BONAPARTE BONAVENTURE BOND BONDAGE BONDED BONDER BONDERS BONDING BONDS BONDSMAN BONDSMEN BONE BONED BONER BONERS BONES BONFIRE BONFIRES BONG BONHAM BONIFACE BONING BONN BONNET BONNETED BONNETS BONNEVILLE BONNIE BONNY BONTEMPO BONUS BONUSES BONY BOO BOOB BOOBOO BOOBY BOOK BOOKCASE BOOKCASES BOOKED BOOKER BOOKERS BOOKIE BOOKIES BOOKING BOOKINGS BOOKISH BOOKKEEPER BOOKKEEPERS BOOKKEEPING BOOKLET BOOKLETS BOOKMARK BOOKS BOOKSELLER BOOKSELLERS BOOKSHELF BOOKSHELVES BOOKSTORE BOOKSTORES BOOKWORM BOOLEAN BOOLEANS BOOM BOOMED BOOMERANG BOOMERANGS BOOMING BOOMS BOON BOONE BOONTON BOOR BOORISH BOORS BOOS BOOST BOOSTED BOOSTER BOOSTING BOOSTS BOOT BOOTABLE BOOTED BOOTES BOOTH BOOTHS BOOTING BOOTLE BOOTLEG BOOTLEGGED BOOTLEGGER BOOTLEGGERS BOOTLEGGING BOOTLEGS BOOTS BOOTSTRAP BOOTSTRAPPED BOOTSTRAPPING BOOTSTRAPS BOOTY BOOZE BORATE BORATES BORAX BORDEAUX BORDELLO BORDELLOS BORDEN BORDER BORDERED BORDERING BORDERINGS BORDERLAND BORDERLANDS BORDERLINE BORDERS BORE BOREALIS BOREAS BORED BOREDOM BORER BORES BORG BORIC BORING BORIS BORN BORNE BORNEO BORON BOROUGH BOROUGHS BORROUGHS BORROW BORROWED BORROWER BORROWERS BORROWING BORROWS BOSCH BOSE BOSOM BOSOMS BOSPORUS BOSS BOSSED BOSSES BOSTITCH BOSTON BOSTONIAN BOSTONIANS BOSUN BOSWELL BOSWELLIZE BOSWELLIZES BOTANICAL BOTANIST BOTANISTS BOTANY BOTCH BOTCHED BOTCHER BOTCHERS BOTCHES BOTCHING BOTH BOTHER BOTHERED BOTHERING BOTHERS BOTHERSOME BOTSWANA BOTTLE BOTTLED BOTTLENECK BOTTLENECKS BOTTLER BOTTLERS BOTTLES BOTTLING BOTTOM BOTTOMED BOTTOMING BOTTOMLESS BOTTOMS BOTULINUS BOTULISM BOUCHER BOUFFANT BOUGH BOUGHS BOUGHT BOULDER BOULDERS BOULEVARD BOULEVARDS BOUNCE BOUNCED BOUNCER BOUNCES BOUNCING BOUNCY BOUND BOUNDARIES BOUNDARY BOUNDED BOUNDEN BOUNDING BOUNDLESS BOUNDLESSNESS BOUNDS BOUNTEOUS BOUNTEOUSLY BOUNTIES BOUNTIFUL BOUNTY BOUQUET BOUQUETS BOURBAKI BOURBON BOURGEOIS BOURGEOISIE BOURNE BOUSTROPHEDON BOUSTROPHEDONIC BOUT BOUTIQUE BOUTS BOUVIER BOVINE BOVINES BOW BOWDITCH BOWDLERIZE BOWDLERIZED BOWDLERIZES BOWDLERIZING BOWDOIN BOWED BOWEL BOWELS BOWEN BOWER BOWERS BOWES BOWING BOWL BOWLED BOWLER BOWLERS BOWLINE BOWLINES BOWLING BOWLS BOWMAN BOWS BOWSTRING BOWSTRINGS BOX BOXCAR BOXCARS BOXED BOXER BOXERS BOXES BOXFORD BOXING BOXTOP BOXTOPS BOXWOOD BOY BOYCE BOYCOTT BOYCOTTED BOYCOTTS BOYD BOYFRIEND BOYFRIENDS BOYHOOD BOYISH BOYISHNESS BOYLE BOYLSTON BOYS BRA BRACE BRACED BRACELET BRACELETS BRACES BRACING BRACKET BRACKETED BRACKETING BRACKETS BRACKISH BRADBURY BRADFORD BRADLEY BRADSHAW BRADY BRAE BRAES BRAG BRAGG BRAGGED BRAGGER BRAGGING BRAGS BRAHMAPUTRA BRAHMS BRAHMSIAN BRAID BRAIDED BRAIDING BRAIDS BRAILLE BRAIN BRAINARD BRAINARDS BRAINCHILD BRAINED BRAINING BRAINS BRAINSTEM BRAINSTEMS BRAINSTORM BRAINSTORMS BRAINWASH BRAINWASHED BRAINWASHES BRAINWASHING BRAINY BRAKE BRAKED BRAKEMAN BRAKES BRAKING BRAMBLE BRAMBLES BRAMBLY BRAN BRANCH BRANCHED BRANCHES BRANCHING BRANCHINGS BRANCHVILLE BRAND BRANDED BRANDEIS BRANDEL BRANDENBURG BRANDING BRANDISH BRANDISHES BRANDISHING BRANDON BRANDS BRANDT BRANDY BRANDYWINE BRANIFF BRANNON BRAS BRASH BRASHLY BRASHNESS BRASILIA BRASS BRASSES BRASSIERE BRASSTOWN BRASSY BRAT BRATS BRAUN BRAVADO BRAVE BRAVED BRAVELY BRAVENESS BRAVER BRAVERY BRAVES BRAVEST BRAVING BRAVO BRAVOS BRAWL BRAWLER BRAWLING BRAWN BRAY BRAYED BRAYER BRAYING BRAYS BRAZE BRAZED BRAZEN BRAZENLY BRAZENNESS BRAZES BRAZIER BRAZIERS BRAZIL BRAZILIAN BRAZING BRAZZAVILLE BREACH BREACHED BREACHER BREACHERS BREACHES BREACHING BREAD BREADBOARD BREADBOARDS BREADBOX BREADBOXES BREADED BREADING BREADS BREADTH BREADWINNER BREADWINNERS BREAK BREAKABLE BREAKABLES BREAKAGE BREAKAWAY BREAKDOWN BREAKDOWNS BREAKER BREAKERS BREAKFAST BREAKFASTED BREAKFASTER BREAKFASTERS BREAKFASTING BREAKFASTS BREAKING BREAKPOINT BREAKPOINTS BREAKS BREAKTHROUGH BREAKTHROUGHES BREAKTHROUGHS BREAKUP BREAKWATER BREAKWATERS BREAST BREASTED BREASTS BREASTWORK BREASTWORKS BREATH BREATHABLE BREATHE BREATHED BREATHER BREATHERS BREATHES BREATHING BREATHLESS BREATHLESSLY BREATHS BREATHTAKING BREATHTAKINGLY BREATHY BRED BREECH BREECHES BREED BREEDER BREEDING BREEDS BREEZE BREEZES BREEZILY BREEZY BREMEN BREMSSTRAHLUNG BRENDA BRENDAN BRENNAN BRENNER BRENT BRESENHAM BREST BRETHREN BRETON BRETONS BRETT BREVE BREVET BREVETED BREVETING BREVETS BREVITY BREW BREWED BREWER BREWERIES BREWERS BREWERY BREWING BREWS BREWSTER BRIAN BRIAR BRIARS BRIBE BRIBED BRIBER BRIBERS BRIBERY BRIBES BRIBING BRICE BRICK BRICKBAT BRICKED BRICKER BRICKLAYER BRICKLAYERS BRICKLAYING BRICKS BRIDAL BRIDE BRIDEGROOM BRIDES BRIDESMAID BRIDESMAIDS BRIDEWELL BRIDGE BRIDGEABLE BRIDGED BRIDGEHEAD BRIDGEHEADS BRIDGEPORT BRIDGES BRIDGET BRIDGETOWN BRIDGEWATER BRIDGEWORK BRIDGING BRIDLE BRIDLED BRIDLES BRIDLING BRIE BRIEF BRIEFCASE BRIEFCASES BRIEFED BRIEFER BRIEFEST BRIEFING BRIEFINGS BRIEFLY BRIEFNESS BRIEFS BRIEN BRIER BRIG BRIGADE BRIGADES BRIGADIER BRIGADIERS BRIGADOON BRIGANTINE BRIGGS BRIGHAM BRIGHT BRIGHTEN BRIGHTENED BRIGHTENER BRIGHTENERS BRIGHTENING BRIGHTENS BRIGHTER BRIGHTEST BRIGHTLY BRIGHTNESS BRIGHTON BRIGS BRILLIANCE BRILLIANCY BRILLIANT BRILLIANTLY BRILLOUIN BRIM BRIMFUL BRIMMED BRIMMING BRIMSTONE BRINDISI BRINDLE BRINDLED BRINE BRING BRINGER BRINGERS BRINGING BRINGS BRINK BRINKLEY BRINKMANSHIP BRINY BRISBANE BRISK BRISKER BRISKLY BRISKNESS BRISTLE BRISTLED BRISTLES BRISTLING BRISTOL BRITAIN BRITANNIC BRITANNICA BRITCHES BRITISH BRITISHER BRITISHLY BRITON BRITONS BRITTANY BRITTEN BRITTLE BRITTLENESS BROACH BROACHED BROACHES BROACHING BROAD BROADBAND BROADCAST BROADCASTED BROADCASTER BROADCASTERS BROADCASTING BROADCASTINGS BROADCASTS BROADEN BROADENED BROADENER BROADENERS BROADENING BROADENINGS BROADENS BROADER BROADEST BROADLY BROADNESS BROADSIDE BROADWAY BROCADE BROCADED BROCCOLI BROCHURE BROCHURES BROCK BROGLIE BROIL BROILED BROILER BROILERS BROILING BROILS BROKE BROKEN BROKENLY BROKENNESS BROKER BROKERAGE BROKERS BROMFIELD BROMIDE BROMIDES BROMINE BROMLEY BRONCHI BRONCHIAL BRONCHIOLE BRONCHIOLES BRONCHITIS BRONCHUS BRONTOSAURUS BRONX BRONZE BRONZED BRONZES BROOCH BROOCHES BROOD BROODER BROODING BROODS BROOK BROOKDALE BROOKE BROOKED BROOKFIELD BROOKHAVEN BROOKLINE BROOKLYN BROOKMONT BROOKS BROOM BROOMS BROOMSTICK BROOMSTICKS BROTH BROTHEL BROTHELS BROTHER BROTHERHOOD BROTHERLINESS BROTHERLY BROTHERS BROUGHT BROW BROWBEAT BROWBEATEN BROWBEATING BROWBEATS BROWN BROWNE BROWNED BROWNELL BROWNER BROWNEST BROWNIAN BROWNIE BROWNIES BROWNING BROWNISH BROWNNESS BROWNS BROWS BROWSE BROWSING BRUCE BRUCKNER BRUEGEL BRUISE BRUISED BRUISES BRUISING BRUMIDI BRUNCH BRUNCHES BRUNETTE BRUNHILDE BRUNO BRUNSWICK BRUNT BRUSH BRUSHED BRUSHES BRUSHFIRE BRUSHFIRES BRUSHING BRUSHLIKE BRUSHY BRUSQUE BRUSQUELY BRUSSELS BRUTAL BRUTALITIES BRUTALITY BRUTALIZE BRUTALIZED BRUTALIZES BRUTALIZING BRUTALLY BRUTE BRUTES BRUTISH BRUXELLES BRYAN BRYANT BRYCE BRYN BUBBLE BUBBLED BUBBLES BUBBLING BUBBLY BUCHANAN BUCHAREST BUCHENWALD BUCHWALD BUCK BUCKBOARD BUCKBOARDS BUCKED BUCKET BUCKETS BUCKING BUCKLE BUCKLED BUCKLER BUCKLES BUCKLEY BUCKLING BUCKNELL BUCKS BUCKSHOT BUCKSKIN BUCKSKINS BUCKWHEAT BUCKY BUCOLIC BUD BUDAPEST BUDD BUDDED BUDDHA BUDDHISM BUDDHIST BUDDHISTS BUDDIES BUDDING BUDDY BUDGE BUDGED BUDGES BUDGET BUDGETARY BUDGETED BUDGETER BUDGETERS BUDGETING BUDGETS BUDGING BUDS BUDWEISER BUDWEISERS BUEHRING BUENA BUENOS BUFF BUFFALO BUFFALOES BUFFER BUFFERED BUFFERING BUFFERS BUFFET BUFFETED BUFFETING BUFFETINGS BUFFETS BUFFOON BUFFOONS BUFFS BUG BUGABOO BUGATTI BUGEYED BUGGED BUGGER BUGGERS BUGGIES BUGGING BUGGY BUGLE BUGLED BUGLER BUGLES BUGLING BUGS BUICK BUILD BUILDER BUILDERS BUILDING BUILDINGS BUILDS BUILDUP BUILDUPS BUILT BUILTIN BUJUMBURA BULB BULBA BULBS BULGARIA BULGARIAN BULGE BULGED BULGING BULK BULKED BULKHEAD BULKHEADS BULKS BULKY BULL BULLDOG BULLDOGS BULLDOZE BULLDOZED BULLDOZER BULLDOZES BULLDOZING BULLED BULLET BULLETIN BULLETINS BULLETS BULLFROG BULLIED BULLIES BULLING BULLION BULLISH BULLOCK BULLS BULLSEYE BULLY BULLYING BULWARK BUM BUMBLE BUMBLEBEE BUMBLEBEES BUMBLED BUMBLER BUMBLERS BUMBLES BUMBLING BUMBRY BUMMED BUMMING BUMP BUMPED BUMPER BUMPERS BUMPING BUMPS BUMPTIOUS BUMPTIOUSLY BUMPTIOUSNESS BUMS BUN BUNCH BUNCHED BUNCHES BUNCHING BUNDESTAG BUNDLE BUNDLED BUNDLES BUNDLING BUNDOORA BUNDY BUNGALOW BUNGALOWS BUNGLE BUNGLED BUNGLER BUNGLERS BUNGLES BUNGLING BUNION BUNIONS BUNK BUNKER BUNKERED BUNKERS BUNKHOUSE BUNKHOUSES BUNKMATE BUNKMATES BUNKS BUNNIES BUNNY BUNS BUNSEN BUNT BUNTED BUNTER BUNTERS BUNTING BUNTS BUNYAN BUOY BUOYANCY BUOYANT BUOYED BUOYS BURBANK BURCH BURDEN BURDENED BURDENING BURDENS BURDENSOME BUREAU BUREAUCRACIES BUREAUCRACY BUREAUCRAT BUREAUCRATIC BUREAUCRATS BUREAUS BURGEON BURGEONED BURGEONING BURGESS BURGESSES BURGHER BURGHERS BURGLAR BURGLARIES BURGLARIZE BURGLARIZED BURGLARIZES BURGLARIZING BURGLARPROOF BURGLARPROOFED BURGLARPROOFING BURGLARPROOFS BURGLARS BURGLARY BURGUNDIAN BURGUNDIES BURGUNDY BURIAL BURIED BURIES BURKE BURKES BURL BURLESQUE BURLESQUES BURLINGAME BURLINGTON BURLY BURMA BURMESE BURN BURNE BURNED BURNER BURNERS BURNES BURNETT BURNHAM BURNING BURNINGLY BURNINGS BURNISH BURNISHED BURNISHES BURNISHING BURNS BURNSIDE BURNSIDES BURNT BURNTLY BURNTNESS BURP BURPED BURPING BURPS BURR BURROUGHS BURROW BURROWED BURROWER BURROWING BURROWS BURRS BURSA BURSITIS BURST BURSTINESS BURSTING BURSTS BURSTY BURT BURTON BURTT BURUNDI BURY BURYING BUS BUSBOY BUSBOYS BUSCH BUSED BUSES BUSH BUSHEL BUSHELS BUSHES BUSHING BUSHNELL BUSHWHACK BUSHWHACKED BUSHWHACKING BUSHWHACKS BUSHY BUSIED BUSIER BUSIEST BUSILY BUSINESS BUSINESSES BUSINESSLIKE BUSINESSMAN BUSINESSMEN BUSING BUSS BUSSED BUSSES BUSSING BUST BUSTARD BUSTARDS BUSTED BUSTER BUSTLE BUSTLING BUSTS BUSY BUT BUTANE BUTCHER BUTCHERED BUTCHERS BUTCHERY BUTLER BUTLERS BUTT BUTTE BUTTED BUTTER BUTTERBALL BUTTERCUP BUTTERED BUTTERER BUTTERERS BUTTERFAT BUTTERFIELD BUTTERFLIES BUTTERFLY BUTTERING BUTTERMILK BUTTERNUT BUTTERS BUTTERY BUTTES BUTTING BUTTOCK BUTTOCKS BUTTON BUTTONED BUTTONHOLE BUTTONHOLES BUTTONING BUTTONS BUTTRESS BUTTRESSED BUTTRESSES BUTTRESSING BUTTRICK BUTTS BUTYL BUTYRATE BUXOM BUXTEHUDE BUXTON BUY BUYER BUYERS BUYING BUYS BUZZ BUZZARD BUZZARDS BUZZED BUZZER BUZZES BUZZING BUZZWORD BUZZWORDS BUZZY BYE BYERS BYGONE BYLAW BYLAWS BYLINE BYLINES BYPASS BYPASSED BYPASSES BYPASSING BYPRODUCT BYPRODUCTS BYRD BYRNE BYRON BYRONIC BYRONISM BYRONIZE BYRONIZES BYSTANDER BYSTANDERS BYTE BYTES BYWAY BYWAYS BYWORD BYWORDS BYZANTINE BYZANTINIZE BYZANTINIZES BYZANTIUM CAB CABAL CABANA CABARET CABBAGE CABBAGES CABDRIVER CABIN CABINET CABINETS CABINS CABLE CABLED CABLES CABLING CABOOSE CABOT CABS CACHE CACHED CACHES CACHING CACKLE CACKLED CACKLER CACKLES CACKLING CACTI CACTUS CADAVER CADENCE CADENCED CADILLAC CADILLACS CADRES CADY CAESAR CAESARIAN CAESARIZE CAESARIZES CAFE CAFES CAFETERIA CAGE CAGED CAGER CAGERS CAGES CAGING CAHILL CAIMAN CAIN CAINE CAIRN CAIRO CAJOLE CAJOLED CAJOLES CAJOLING CAJUN CAJUNS CAKE CAKED CAKES CAKING CALAIS CALAMITIES CALAMITOUS CALAMITY CALCEOLARIA CALCIFY CALCIUM CALCOMP CALCOMP CALCOMP CALCULATE CALCULATED CALCULATES CALCULATING CALCULATION CALCULATIONS CALCULATIVE CALCULATOR CALCULATORS CALCULI CALCULUS CALCUTTA CALDER CALDERA CALDWELL CALEB CALENDAR CALENDARS CALF CALFSKIN CALGARY CALHOUN CALIBER CALIBERS CALIBRATE CALIBRATED CALIBRATES CALIBRATING CALIBRATION CALIBRATIONS CALICO CALIFORNIA CALIFORNIAN CALIFORNIANS CALIGULA CALIPH CALIPHS CALKINS CALL CALLABLE CALLAGHAN CALLAHAN CALLAN CALLED CALLER CALLERS CALLING CALLIOPE CALLISTO CALLOUS CALLOUSED CALLOUSLY CALLOUSNESS CALLS CALLUS CALM CALMED CALMER CALMEST CALMING CALMINGLY CALMLY CALMNESS CALMS CALORIC CALORIE CALORIES CALORIMETER CALORIMETRIC CALORIMETRY CALTECH CALUMNY CALVARY CALVE CALVERT CALVES CALVIN CALVINIST CALVINIZE CALVINIZES CALYPSO CAM CAMBODIA CAMBRIAN CAMBRIDGE CAMDEN CAME CAMEL CAMELOT CAMELS CAMEMBERT CAMERA CAMERAMAN CAMERAMEN CAMERAS CAMERON CAMEROON CAMEROUN CAMILLA CAMILLE CAMINO CAMOUFLAGE CAMOUFLAGED CAMOUFLAGES CAMOUFLAGING CAMP CAMPAIGN CAMPAIGNED CAMPAIGNER CAMPAIGNERS CAMPAIGNING CAMPAIGNS CAMPBELL CAMPBELLSPORT CAMPED CAMPER CAMPERS CAMPFIRE CAMPGROUND CAMPING CAMPS CAMPSITE CAMPUS CAMPUSES CAN CANAAN CANADA CANADIAN CANADIANIZATION CANADIANIZATIONS CANADIANIZE CANADIANIZES CANADIANS CANAL CANALS CANARIES CANARY CANAVERAL CANBERRA CANCEL CANCELED CANCELING CANCELLATION CANCELLATIONS CANCELS CANCER CANCEROUS CANCERS CANDACE CANDID CANDIDACY CANDIDATE CANDIDATES CANDIDE CANDIDLY CANDIDNESS CANDIED CANDIES CANDLE CANDLELIGHT CANDLER CANDLES CANDLESTICK CANDLESTICKS CANDLEWICK CANDOR CANDY CANE CANER CANFIELD CANINE CANIS CANISTER CANKER CANKERWORM CANNABIS CANNED CANNEL CANNER CANNERS CANNERY CANNIBAL CANNIBALIZE CANNIBALIZED CANNIBALIZES CANNIBALIZING CANNIBALS CANNING CANNISTER CANNISTERS CANNON CANNONBALL CANNONS CANNOT CANNY CANOE CANOES CANOGA CANON CANONIC CANONICAL CANONICALIZATION CANONICALIZE CANONICALIZED CANONICALIZES CANONICALIZING CANONICALLY CANONICALS CANONS CANOPUS CANOPY CANS CANT CANTABRIGIAN CANTALOUPE CANTANKEROUS CANTANKEROUSLY CANTEEN CANTERBURY CANTILEVER CANTO CANTON CANTONESE CANTONS CANTOR CANTORS CANUTE CANVAS CANVASES CANVASS CANVASSED CANVASSER CANVASSERS CANVASSES CANVASSING CANYON CANYONS CAP CAPABILITIES CAPABILITY CAPABLE CAPABLY CAPACIOUS CAPACIOUSLY CAPACIOUSNESS CAPACITANCE CAPACITANCES CAPACITIES CAPACITIVE CAPACITOR CAPACITORS CAPACITY CAPE CAPER CAPERS CAPES CAPET CAPETOWN CAPILLARY CAPISTRANO CAPITA CAPITAL CAPITALISM CAPITALIST CAPITALISTS CAPITALIZATION CAPITALIZATIONS CAPITALIZE CAPITALIZED CAPITALIZER CAPITALIZERS CAPITALIZES CAPITALIZING CAPITALLY CAPITALS CAPITAN CAPITOL CAPITOLINE CAPITOLS CAPPED CAPPING CAPPY CAPRICE CAPRICIOUS CAPRICIOUSLY CAPRICIOUSNESS CAPRICORN CAPS CAPSICUM CAPSTAN CAPSTONE CAPSULE CAPTAIN CAPTAINED CAPTAINING CAPTAINS CAPTION CAPTIONS CAPTIVATE CAPTIVATED CAPTIVATES CAPTIVATING CAPTIVATION CAPTIVE CAPTIVES CAPTIVITY CAPTOR CAPTORS CAPTURE CAPTURED CAPTURER CAPTURERS CAPTURES CAPTURING CAPUTO CAPYBARA CAR CARACAS CARAMEL CARAVAN CARAVANS CARAWAY CARBOHYDRATE CARBOLIC CARBOLOY CARBON CARBONATE CARBONATES CARBONATION CARBONDALE CARBONE CARBONES CARBONIC CARBONIZATION CARBONIZE CARBONIZED CARBONIZER CARBONIZERS CARBONIZES CARBONIZING CARBONS CARBORUNDUM CARBUNCLE CARCASS CARCASSES CARCINOGEN CARCINOGENIC CARCINOMA CARD CARDBOARD CARDER CARDIAC CARDIFF CARDINAL CARDINALITIES CARDINALITY CARDINALLY CARDINALS CARDIOD CARDIOLOGY CARDIOVASCULAR CARDS CARE CARED CAREEN CAREER CAREERS CAREFREE CAREFUL CAREFULLY CAREFULNESS CARELESS CARELESSLY CARELESSNESS CARES CARESS CARESSED CARESSER CARESSES CARESSING CARET CARETAKER CAREY CARGILL CARGO CARGOES CARIB CARIBBEAN CARIBOU CARICATURE CARING CARL CARLA CARLETON CARLETONIAN CARLIN CARLISLE CARLO CARLOAD CARLSBAD CARLSBADS CARLSON CARLTON CARLYLE CARMELA CARMEN CARMICHAEL CARNAGE CARNAL CARNATION CARNEGIE CARNIVAL CARNIVALS CARNIVOROUS CARNIVOROUSLY CAROL CAROLINA CAROLINAS CAROLINE CAROLINGIAN CAROLINIAN CAROLINIANS CAROLS CAROLYN CARP CARPATHIA CARPATHIANS CARPENTER CARPENTERS CARPENTRY CARPET CARPETED CARPETING CARPETS CARPORT CARR CARRARA CARRIAGE CARRIAGES CARRIE CARRIED CARRIER CARRIERS CARRIES CARRION CARROLL CARROT CARROTS CARRUTHERS CARRY CARRYING CARRYOVER CARRYOVERS CARS CARSON CART CARTED CARTEL CARTER CARTERS CARTESIAN CARTHAGE CARTHAGINIAN CARTILAGE CARTING CARTOGRAPHER CARTOGRAPHIC CARTOGRAPHY CARTON CARTONS CARTOON CARTOONS CARTRIDGE CARTRIDGES CARTS CARTWHEEL CARTY CARUSO CARVE CARVED CARVER CARVES CARVING CARVINGS CASANOVA CASCADABLE CASCADE CASCADED CASCADES CASCADING CASE CASED CASEMENT CASEMENTS CASES CASEWORK CASEY CASH CASHED CASHER CASHERS CASHES CASHEW CASHIER CASHIERS CASHING CASHMERE CASING CASINGS CASINO CASK CASKET CASKETS CASKS CASPIAN CASSANDRA CASSEROLE CASSEROLES CASSETTE CASSIOPEIA CASSITE CASSITES CASSIUS CASSOCK CAST CASTE CASTER CASTERS CASTES CASTIGATE CASTILLO CASTING CASTLE CASTLED CASTLES CASTOR CASTRO CASTROISM CASTS CASUAL CASUALLY CASUALNESS CASUALS CASUALTIES CASUALTY CAT CATACLYSMIC CATALAN CATALINA CATALOG CATALOGED CATALOGER CATALOGING CATALOGS CATALONIA CATALYST CATALYSTS CATALYTIC CATAPULT CATARACT CATASTROPHE CATASTROPHES CATASTROPHIC CATAWBA CATCH CATCHABLE CATCHER CATCHERS CATCHES CATCHING CATEGORICAL CATEGORICALLY CATEGORIES CATEGORIZATION CATEGORIZE CATEGORIZED CATEGORIZER CATEGORIZERS CATEGORIZES CATEGORIZING CATEGORY CATER CATERED CATERER CATERING CATERPILLAR CATERPILLARS CATERS CATHEDRAL CATHEDRALS CATHERINE CATHERWOOD CATHETER CATHETERS CATHODE CATHODES CATHOLIC CATHOLICISM CATHOLICISMS CATHOLICS CATHY CATLIKE CATNIP CATS CATSKILL CATSKILLS CATSUP CATTAIL CATTLE CATTLEMAN CATTLEMEN CAUCASIAN CAUCASIANS CAUCASUS CAUCHY CAUCUS CAUGHT CAULDRON CAULDRONS CAULIFLOWER CAULK CAUSAL CAUSALITY CAUSALLY CAUSATION CAUSATIONS CAUSE CAUSED CAUSER CAUSES CAUSEWAY CAUSEWAYS CAUSING CAUSTIC CAUSTICLY CAUSTICS CAUTION CAUTIONED CAUTIONER CAUTIONERS CAUTIONING CAUTIONINGS CAUTIONS CAUTIOUS CAUTIOUSLY CAUTIOUSNESS CAVALIER CAVALIERLY CAVALIERNESS CAVALRY CAVE CAVEAT CAVEATS CAVED CAVEMAN CAVEMEN CAVENDISH CAVERN CAVERNOUS CAVERNS CAVES CAVIAR CAVIL CAVINESS CAVING CAVITIES CAVITY CAW CAWING CAYLEY CAYUGA CEASE CEASED CEASELESS CEASELESSLY CEASELESSNESS CEASES CEASING CECIL CECILIA CECROPIA CEDAR CEDE CEDED CEDING CEDRIC CEILING CEILINGS CELANESE CELEBES CELEBRATE CELEBRATED CELEBRATES CELEBRATING CELEBRATION CELEBRATIONS CELEBRITIES CELEBRITY CELERITY CELERY CELESTE CELESTIAL CELESTIALLY CELIA CELL CELLAR CELLARS CELLED CELLIST CELLISTS CELLOPHANE CELLS CELLULAR CELLULOSE CELSIUS CELT CELTIC CELTICIZE CELTICIZES CEMENT CEMENTED CEMENTING CEMENTS CEMETERIES CEMETERY CENOZOIC CENSOR CENSORED CENSORING CENSORS CENSORSHIP CENSURE CENSURED CENSURER CENSURES CENSUS CENSUSES CENT CENTAUR CENTENARY CENTENNIAL CENTER CENTERED CENTERING CENTERPIECE CENTERPIECES CENTERS CENTIGRADE CENTIMETER CENTIMETERS CENTIPEDE CENTIPEDES CENTRAL CENTRALIA CENTRALISM CENTRALIST CENTRALIZATION CENTRALIZE CENTRALIZED CENTRALIZES CENTRALIZING CENTRALLY CENTREX CENTREX CENTRIFUGAL CENTRIFUGE CENTRIPETAL CENTRIST CENTROID CENTS CENTURIES CENTURY CEPHEUS CERAMIC CERBERUS CEREAL CEREALS CEREBELLUM CEREBRAL CEREMONIAL CEREMONIALLY CEREMONIALNESS CEREMONIES CEREMONY CERES CERN CERTAIN CERTAINLY CERTAINTIES CERTAINTY CERTIFIABLE CERTIFICATE CERTIFICATES CERTIFICATION CERTIFICATIONS CERTIFIED CERTIFIER CERTIFIERS CERTIFIES CERTIFY CERTIFYING CERVANTES CESARE CESSATION CESSATIONS CESSNA CETUS CEYLON CEZANNE CEZANNES CHABLIS CHABLISES CHAD CHADWICK CHAFE CHAFER CHAFF CHAFFER CHAFFEY CHAFFING CHAFING CHAGRIN CHAIN CHAINED CHAINING CHAINS CHAIR CHAIRED CHAIRING CHAIRLADY CHAIRMAN CHAIRMEN CHAIRPERSON CHAIRPERSONS CHAIRS CHAIRWOMAN CHAIRWOMEN CHALICE CHALICES CHALK CHALKED CHALKING CHALKS CHALLENGE CHALLENGED CHALLENGER CHALLENGERS CHALLENGES CHALLENGING CHALMERS CHAMBER CHAMBERED CHAMBERLAIN CHAMBERLAINS CHAMBERMAID CHAMBERS CHAMELEON CHAMPAGNE CHAMPAIGN CHAMPION CHAMPIONED CHAMPIONING CHAMPIONS CHAMPIONSHIP CHAMPIONSHIPS CHAMPLAIN CHANCE CHANCED CHANCELLOR CHANCELLORSVILLE CHANCERY CHANCES CHANCING CHANDELIER CHANDELIERS CHANDIGARH CHANG CHANGE CHANGEABILITY CHANGEABLE CHANGEABLY CHANGED CHANGEOVER CHANGER CHANGERS CHANGES CHANGING CHANNEL CHANNELED CHANNELING CHANNELLED CHANNELLER CHANNELLERS CHANNELLING CHANNELS CHANNING CHANT CHANTED CHANTER CHANTICLEER CHANTICLEERS CHANTILLY CHANTING CHANTS CHAO CHAOS CHAOTIC CHAP CHAPEL CHAPELS CHAPERON CHAPERONE CHAPERONED CHAPLAIN CHAPLAINS CHAPLIN CHAPMAN CHAPS CHAPTER CHAPTERS CHAR CHARACTER CHARACTERISTIC CHARACTERISTICALLY CHARACTERISTICS CHARACTERIZABLE CHARACTERIZATION CHARACTERIZATIONS CHARACTERIZE CHARACTERIZED CHARACTERIZER CHARACTERIZERS CHARACTERIZES CHARACTERIZING CHARACTERS CHARCOAL CHARCOALED CHARGE CHARGEABLE CHARGED CHARGER CHARGERS CHARGES CHARGING CHARIOT CHARIOTS CHARISMA CHARISMATIC CHARITABLE CHARITABLENESS CHARITIES CHARITY CHARLEMAGNE CHARLEMAGNES CHARLES CHARLESTON CHARLEY CHARLIE CHARLOTTE CHARLOTTESVILLE CHARM CHARMED CHARMER CHARMERS CHARMING CHARMINGLY CHARMS CHARON CHARS CHART CHARTA CHARTABLE CHARTED CHARTER CHARTERED CHARTERING CHARTERS CHARTING CHARTINGS CHARTRES CHARTREUSE CHARTS CHARYBDIS CHASE CHASED CHASER CHASERS CHASES CHASING CHASM CHASMS CHASSIS CHASTE CHASTELY CHASTENESS CHASTISE CHASTISED CHASTISER CHASTISERS CHASTISES CHASTISING CHASTITY CHAT CHATEAU CHATEAUS CHATHAM CHATTAHOOCHEE CHATTANOOGA CHATTEL CHATTER CHATTERED CHATTERER CHATTERING CHATTERS CHATTING CHATTY CHAUCER CHAUFFEUR CHAUFFEURED CHAUNCEY CHAUTAUQUA CHEAP CHEAPEN CHEAPENED CHEAPENING CHEAPENS CHEAPER CHEAPEST CHEAPLY CHEAPNESS CHEAT CHEATED CHEATER CHEATERS CHEATING CHEATS CHECK CHECKABLE CHECKBOOK CHECKBOOKS CHECKED CHECKER CHECKERBOARD CHECKERBOARDED CHECKERBOARDING CHECKERS CHECKING CHECKLIST CHECKOUT CHECKPOINT CHECKPOINTS CHECKS CHECKSUM CHECKSUMMED CHECKSUMMING CHECKSUMS CHECKUP CHEEK CHEEKBONE CHEEKS CHEEKY CHEER CHEERED CHEERER CHEERFUL CHEERFULLY CHEERFULNESS CHEERILY CHEERINESS CHEERING CHEERLEADER CHEERLESS CHEERLESSLY CHEERLESSNESS CHEERS CHEERY CHEESE CHEESECLOTH CHEESES CHEESY CHEETAH CHEF CHEFS CHEKHOV CHELSEA CHEMICAL CHEMICALLY CHEMICALS CHEMISE CHEMIST CHEMISTRIES CHEMISTRY CHEMISTS CHEN CHENEY CHENG CHERISH CHERISHED CHERISHES CHERISHING CHERITON CHEROKEE CHEROKEES CHERRIES CHERRY CHERUB CHERUBIM CHERUBS CHERYL CHESAPEAKE CHESHIRE CHESS CHEST CHESTER CHESTERFIELD CHESTERTON CHESTNUT CHESTNUTS CHESTS CHEVROLET CHEVY CHEW CHEWED CHEWER CHEWERS CHEWING CHEWS CHEYENNE CHEYENNES CHIANG CHIC CHICAGO CHICAGOAN CHICAGOANS CHICANA CHICANAS CHICANERY CHICANO CHICANOS CHICK CHICKADEE CHICKADEES CHICKASAWS CHICKEN CHICKENS CHICKS CHIDE CHIDED CHIDES CHIDING CHIEF CHIEFLY CHIEFS CHIEFTAIN CHIEFTAINS CHIFFON CHILD CHILDBIRTH CHILDHOOD CHILDISH CHILDISHLY CHILDISHNESS CHILDLIKE CHILDREN CHILE CHILEAN CHILES CHILI CHILL CHILLED CHILLER CHILLERS CHILLIER CHILLINESS CHILLING CHILLINGLY CHILLS CHILLY CHIME CHIMERA CHIMES CHIMNEY CHIMNEYS CHIMPANZEE CHIN CHINA CHINAMAN CHINAMEN CHINAS CHINATOWN CHINESE CHING CHINK CHINKED CHINKS CHINNED CHINNER CHINNERS CHINNING CHINOOK CHINS CHINTZ CHIP CHIPMUNK CHIPMUNKS CHIPPENDALE CHIPPEWA CHIPS CHIROPRACTOR CHIRP CHIRPED CHIRPING CHIRPS CHISEL CHISELED CHISELER CHISELS CHISHOLM CHIT CHIVALROUS CHIVALROUSLY CHIVALROUSNESS CHIVALRY CHLOE CHLORINE CHLOROFORM CHLOROPHYLL CHLOROPLAST CHLOROPLASTS CHOCK CHOCKS CHOCOLATE CHOCOLATES CHOCTAW CHOCTAWS CHOICE CHOICES CHOICEST CHOIR CHOIRS CHOKE CHOKED CHOKER CHOKERS CHOKES CHOKING CHOLERA CHOMSKY CHOOSE CHOOSER CHOOSERS CHOOSES CHOOSING CHOP CHOPIN CHOPPED CHOPPER CHOPPERS CHOPPING CHOPPY CHOPS CHORAL CHORD CHORDATE CHORDED CHORDING CHORDS CHORE CHOREOGRAPH CHOREOGRAPHY CHORES CHORING CHORTLE CHORUS CHORUSED CHORUSES CHOSE CHOSEN CHOU CHOWDER CHRIS CHRIST CHRISTEN CHRISTENDOM CHRISTENED CHRISTENING CHRISTENS CHRISTENSEN CHRISTENSON CHRISTIAN CHRISTIANA CHRISTIANITY CHRISTIANIZATION CHRISTIANIZATIONS CHRISTIANIZE CHRISTIANIZER CHRISTIANIZERS CHRISTIANIZES CHRISTIANIZING CHRISTIANS CHRISTIANSEN CHRISTIANSON CHRISTIE CHRISTINA CHRISTINE CHRISTLIKE CHRISTMAS CHRISTOFFEL CHRISTOPH CHRISTOPHER CHRISTY CHROMATOGRAM CHROMATOGRAPH CHROMATOGRAPHY CHROME CHROMIUM CHROMOSPHERE CHRONIC CHRONICLE CHRONICLED CHRONICLER CHRONICLERS CHRONICLES CHRONOGRAPH CHRONOGRAPHY CHRONOLOGICAL CHRONOLOGICALLY CHRONOLOGIES CHRONOLOGY CHRYSANTHEMUM CHRYSLER CHUBBIER CHUBBIEST CHUBBINESS CHUBBY CHUCK CHUCKLE CHUCKLED CHUCKLES CHUCKS CHUM CHUNGKING CHUNK CHUNKS CHUNKY CHURCH CHURCHES CHURCHGOER CHURCHGOING CHURCHILL CHURCHILLIAN CHURCHLY CHURCHMAN CHURCHMEN CHURCHWOMAN CHURCHWOMEN CHURCHYARD CHURCHYARDS CHURN CHURNED CHURNING CHURNS CHUTE CHUTES CHUTZPAH CICADA CICERO CICERONIAN CICERONIANIZE CICERONIANIZES CIDER CIGAR CIGARETTE CIGARETTES CIGARS CILIA CINCINNATI CINDER CINDERELLA CINDERS CINDY CINEMA CINEMATIC CINERAMA CINNAMON CIPHER CIPHERS CIPHERTEXT CIPHERTEXTS CIRCA CIRCE CIRCLE CIRCLED CIRCLES CIRCLET CIRCLING CIRCUIT CIRCUITOUS CIRCUITOUSLY CIRCUITRY CIRCUITS CIRCULANT CIRCULAR CIRCULARITY CIRCULARLY CIRCULATE CIRCULATED CIRCULATES CIRCULATING CIRCULATION CIRCUMCISE CIRCUMCISION CIRCUMFERENCE CIRCUMFLEX CIRCUMLOCUTION CIRCUMLOCUTIONS CIRCUMNAVIGATE CIRCUMNAVIGATED CIRCUMNAVIGATES CIRCUMPOLAR CIRCUMSCRIBE CIRCUMSCRIBED CIRCUMSCRIBING CIRCUMSCRIPTION CIRCUMSPECT CIRCUMSPECTION CIRCUMSPECTLY CIRCUMSTANCE CIRCUMSTANCED CIRCUMSTANCES CIRCUMSTANTIAL CIRCUMSTANTIALLY CIRCUMVENT CIRCUMVENTABLE CIRCUMVENTED CIRCUMVENTING CIRCUMVENTS CIRCUS CIRCUSES CISTERN CISTERNS CITADEL CITADELS CITATION CITATIONS CITE CITED CITES CITIES CITING CITIZEN CITIZENS CITIZENSHIP CITROEN CITRUS CITY CITYSCAPE CITYWIDE CIVET CIVIC CIVICS CIVIL CIVILIAN CIVILIANS CIVILITY CIVILIZATION CIVILIZATIONS CIVILIZE CIVILIZED CIVILIZES CIVILIZING CIVILLY CLAD CLADDING CLAIM CLAIMABLE CLAIMANT CLAIMANTS CLAIMED CLAIMING CLAIMS CLAIRE CLAIRVOYANT CLAIRVOYANTLY CLAM CLAMBER CLAMBERED CLAMBERING CLAMBERS CLAMOR CLAMORED CLAMORING CLAMOROUS CLAMORS CLAMP CLAMPED CLAMPING CLAMPS CLAMS CLAN CLANDESTINE CLANG CLANGED CLANGING CLANGS CLANK CLANNISH CLAP CLAPBOARD CLAPEYRON CLAPPING CLAPS CLARA CLARE CLAREMONT CLARENCE CLARENDON CLARIFICATION CLARIFICATIONS CLARIFIED CLARIFIES CLARIFY CLARIFYING CLARINET CLARITY CLARK CLARKE CLARRIDGE CLASH CLASHED CLASHES CLASHING CLASP CLASPED CLASPING CLASPS CLASS CLASSED CLASSES CLASSIC CLASSICAL CLASSICALLY CLASSICS CLASSIFIABLE CLASSIFICATION CLASSIFICATIONS CLASSIFIED CLASSIFIER CLASSIFIERS CLASSIFIES CLASSIFY CLASSIFYING CLASSMATE CLASSMATES CLASSROOM CLASSROOMS CLASSY CLATTER CLATTERED CLATTERING CLAUDE CLAUDIA CLAUDIO CLAUS CLAUSE CLAUSEN CLAUSES CLAUSIUS CLAUSTROPHOBIA CLAUSTROPHOBIC CLAW CLAWED CLAWING CLAWS CLAY CLAYS CLAYTON CLEAN CLEANED CLEANER CLEANERS CLEANEST CLEANING CLEANLINESS CLEANLY CLEANNESS CLEANS CLEANSE CLEANSED CLEANSER CLEANSERS CLEANSES CLEANSING CLEANUP CLEAR CLEARANCE CLEARANCES CLEARED CLEARER CLEAREST CLEARING CLEARINGS CLEARLY CLEARNESS CLEARS CLEARWATER CLEAVAGE CLEAVE CLEAVED CLEAVER CLEAVERS CLEAVES CLEAVING CLEFT CLEFTS CLEMENCY CLEMENS CLEMENT CLEMENTE CLEMSON CLENCH CLENCHED CLENCHES CLERGY CLERGYMAN CLERGYMEN CLERICAL CLERK CLERKED CLERKING CLERKS CLEVELAND CLEVER CLEVERER CLEVEREST CLEVERLY CLEVERNESS CLICHE CLICHES CLICK CLICKED CLICKING CLICKS CLIENT CLIENTELE CLIENTS CLIFF CLIFFORD CLIFFS CLIFTON CLIMATE CLIMATES CLIMATIC CLIMATICALLY CLIMATOLOGY CLIMAX CLIMAXED CLIMAXES CLIMB CLIMBED CLIMBER CLIMBERS CLIMBING CLIMBS CLIME CLIMES CLINCH CLINCHED CLINCHER CLINCHES CLING CLINGING CLINGS CLINIC CLINICAL CLINICALLY CLINICIAN CLINICS CLINK CLINKED CLINKER CLINT CLINTON CLIO CLIP CLIPBOARD CLIPPED CLIPPER CLIPPERS CLIPPING CLIPPINGS CLIPS CLIQUE CLIQUES CLITORIS CLIVE CLOAK CLOAKROOM CLOAKS CLOBBER CLOBBERED CLOBBERING CLOBBERS CLOCK CLOCKED CLOCKER CLOCKERS CLOCKING CLOCKINGS CLOCKS CLOCKWATCHER CLOCKWISE CLOCKWORK CLOD CLODS CLOG CLOGGED CLOGGING CLOGS CLOISTER CLOISTERS CLONE CLONED CLONES CLONING CLOSE CLOSED CLOSELY CLOSENESS CLOSENESSES CLOSER CLOSERS CLOSES CLOSEST CLOSET CLOSETED CLOSETS CLOSEUP CLOSING CLOSURE CLOSURES CLOT CLOTH CLOTHE CLOTHED CLOTHES CLOTHESHORSE CLOTHESLINE CLOTHING CLOTHO CLOTTING CLOTURE CLOUD CLOUDBURST CLOUDED CLOUDIER CLOUDIEST CLOUDINESS CLOUDING CLOUDLESS CLOUDS CLOUDY CLOUT CLOVE CLOVER CLOVES CLOWN CLOWNING CLOWNS CLUB CLUBBED CLUBBING CLUBHOUSE CLUBROOM CLUBS CLUCK CLUCKED CLUCKING CLUCKS CLUE CLUES CLUJ CLUMP CLUMPED CLUMPING CLUMPS CLUMSILY CLUMSINESS CLUMSY CLUNG CLUSTER CLUSTERED CLUSTERING CLUSTERINGS CLUSTERS CLUTCH CLUTCHED CLUTCHES CLUTCHING CLUTTER CLUTTERED CLUTTERING CLUTTERS CLYDE CLYTEMNESTRA COACH COACHED COACHER COACHES COACHING COACHMAN COACHMEN COAGULATE COAL COALESCE COALESCED COALESCES COALESCING COALITION COALS COARSE COARSELY COARSEN COARSENED COARSENESS COARSER COARSEST COAST COASTAL COASTED COASTER COASTERS COASTING COASTLINE COASTS COAT COATED COATES COATING COATINGS COATS COATTAIL COAUTHOR COAX COAXED COAXER COAXES COAXIAL COAXING COBALT COBB COBBLE COBBLER COBBLERS COBBLESTONE COBOL COBOL COBRA COBWEB COBWEBS COCA COCAINE COCHISE COCHRAN COCHRANE COCK COCKED COCKING COCKPIT COCKROACH COCKS COCKTAIL COCKTAILS COCKY COCO COCOA COCONUT COCONUTS COCOON COCOONS COD CODDINGTON CODDLE CODE CODED CODEINE CODER CODERS CODES CODEWORD CODEWORDS CODFISH CODICIL CODIFICATION CODIFICATIONS CODIFIED CODIFIER CODIFIERS CODIFIES CODIFY CODIFYING CODING CODINGS CODPIECE CODY COED COEDITOR COEDUCATION COEFFICIENT COEFFICIENTS COEQUAL COERCE COERCED COERCES COERCIBLE COERCING COERCION COERCIVE COEXIST COEXISTED COEXISTENCE COEXISTING COEXISTS COFACTOR COFFEE COFFEECUP COFFEEPOT COFFEES COFFER COFFERS COFFEY COFFIN COFFINS COFFMAN COG COGENT COGENTLY COGITATE COGITATED COGITATES COGITATING COGITATION COGNAC COGNITION COGNITIVE COGNITIVELY COGNIZANCE COGNIZANT COGS COHABITATION COHABITATIONS COHEN COHERE COHERED COHERENCE COHERENT COHERENTLY COHERES COHERING COHESION COHESIVE COHESIVELY COHESIVENESS COHN COHORT COIL COILED COILING COILS COIN COINAGE COINCIDE COINCIDED COINCIDENCE COINCIDENCES COINCIDENT COINCIDENTAL COINCIDES COINCIDING COINED COINER COINING COINS COKE COKES COLANDER COLBY COLD COLDER COLDEST COLDLY COLDNESS COLDS COLE COLEMAN COLERIDGE COLETTE COLGATE COLICKY COLIFORM COLISEUM COLLABORATE COLLABORATED COLLABORATES COLLABORATING COLLABORATION COLLABORATIONS COLLABORATIVE COLLABORATOR COLLABORATORS COLLAGEN COLLAPSE COLLAPSED COLLAPSES COLLAPSIBLE COLLAPSING COLLAR COLLARBONE COLLARED COLLARING COLLARS COLLATE COLLATERAL COLLEAGUE COLLEAGUES COLLECT COLLECTED COLLECTIBLE COLLECTING COLLECTION COLLECTIONS COLLECTIVE COLLECTIVELY COLLECTIVES COLLECTOR COLLECTORS COLLECTS COLLEGE COLLEGES COLLEGIAN COLLEGIATE COLLIDE COLLIDED COLLIDES COLLIDING COLLIE COLLIER COLLIES COLLINS COLLISION COLLISIONS COLLOIDAL COLLOQUIA COLLOQUIAL COLLOQUIUM COLLOQUY COLLUSION COLOGNE COLOMBIA COLOMBIAN COLOMBIANS COLOMBO COLON COLONEL COLONELS COLONIAL COLONIALLY COLONIALS COLONIES COLONIST COLONISTS COLONIZATION COLONIZE COLONIZED COLONIZER COLONIZERS COLONIZES COLONIZING COLONS COLONY COLOR COLORADO COLORED COLORER COLORERS COLORFUL COLORING COLORINGS COLORLESS COLORS COLOSSAL COLOSSEUM COLT COLTS COLUMBIA COLUMBIAN COLUMBUS COLUMN COLUMNIZE COLUMNIZED COLUMNIZES COLUMNIZING COLUMNS COMANCHE COMB COMBAT COMBATANT COMBATANTS COMBATED COMBATING COMBATIVE COMBATS COMBED COMBER COMBERS COMBINATION COMBINATIONAL COMBINATIONS COMBINATOR COMBINATORIAL COMBINATORIALLY COMBINATORIC COMBINATORICS COMBINATORS COMBINE COMBINED COMBINES COMBING COMBINGS COMBINING COMBS COMBUSTIBLE COMBUSTION COMDEX COME COMEBACK COMEDIAN COMEDIANS COMEDIC COMEDIES COMEDY COMELINESS COMELY COMER COMERS COMES COMESTIBLE COMET COMETARY COMETS COMFORT COMFORTABILITIES COMFORTABILITY COMFORTABLE COMFORTABLY COMFORTED COMFORTER COMFORTERS COMFORTING COMFORTINGLY COMFORTS COMIC COMICAL COMICALLY COMICS COMINFORM COMING COMINGS COMMA COMMAND COMMANDANT COMMANDANTS COMMANDED COMMANDEER COMMANDER COMMANDERS COMMANDING COMMANDINGLY COMMANDMENT COMMANDMENTS COMMANDO COMMANDS COMMAS COMMEMORATE COMMEMORATED COMMEMORATES COMMEMORATING COMMEMORATION COMMEMORATIVE COMMENCE COMMENCED COMMENCEMENT COMMENCEMENTS COMMENCES COMMENCING COMMEND COMMENDATION COMMENDATIONS COMMENDED COMMENDING COMMENDS COMMENSURATE COMMENT COMMENTARIES COMMENTARY COMMENTATOR COMMENTATORS COMMENTED COMMENTING COMMENTS COMMERCE COMMERCIAL COMMERCIALLY COMMERCIALNESS COMMERCIALS COMMISSION COMMISSIONED COMMISSIONER COMMISSIONERS COMMISSIONING COMMISSIONS COMMIT COMMITMENT COMMITMENTS COMMITS COMMITTED COMMITTEE COMMITTEEMAN COMMITTEEMEN COMMITTEES COMMITTEEWOMAN COMMITTEEWOMEN COMMITTING COMMODITIES COMMODITY COMMODORE COMMODORES COMMON COMMONALITIES COMMONALITY COMMONER COMMONERS COMMONEST COMMONLY COMMONNESS COMMONPLACE COMMONPLACES COMMONS COMMONWEALTH COMMONWEALTHS COMMOTION COMMUNAL COMMUNALLY COMMUNE COMMUNES COMMUNICANT COMMUNICANTS COMMUNICATE COMMUNICATED COMMUNICATES COMMUNICATING COMMUNICATION COMMUNICATIONS COMMUNICATIVE COMMUNICATOR COMMUNICATORS COMMUNION COMMUNIST COMMUNISTS COMMUNITIES COMMUNITY COMMUTATIVE COMMUTATIVITY COMMUTE COMMUTED COMMUTER COMMUTERS COMMUTES COMMUTING COMPACT COMPACTED COMPACTER COMPACTEST COMPACTING COMPACTION COMPACTLY COMPACTNESS COMPACTOR COMPACTORS COMPACTS COMPANIES COMPANION COMPANIONABLE COMPANIONS COMPANIONSHIP COMPANY COMPARABILITY COMPARABLE COMPARABLY COMPARATIVE COMPARATIVELY COMPARATIVES COMPARATOR COMPARATORS COMPARE COMPARED COMPARES COMPARING COMPARISON COMPARISONS COMPARTMENT COMPARTMENTALIZE COMPARTMENTALIZED COMPARTMENTALIZES COMPARTMENTALIZING COMPARTMENTED COMPARTMENTS COMPASS COMPASSION COMPASSIONATE COMPASSIONATELY COMPATIBILITIES COMPATIBILITY COMPATIBLE COMPATIBLES COMPATIBLY COMPEL COMPELLED COMPELLING COMPELLINGLY COMPELS COMPENDIUM COMPENSATE COMPENSATED COMPENSATES COMPENSATING COMPENSATION COMPENSATIONS COMPENSATORY COMPETE COMPETED COMPETENCE COMPETENCY COMPETENT COMPETENTLY COMPETES COMPETING COMPETITION COMPETITIONS COMPETITIVE COMPETITIVELY COMPETITOR COMPETITORS COMPILATION COMPILATIONS COMPILE COMPILED COMPILER COMPILERS COMPILES COMPILING COMPLACENCY COMPLAIN COMPLAINED COMPLAINER COMPLAINERS COMPLAINING COMPLAINS COMPLAINT COMPLAINTS COMPLEMENT COMPLEMENTARY COMPLEMENTED COMPLEMENTER COMPLEMENTERS COMPLEMENTING COMPLEMENTS COMPLETE COMPLETED COMPLETELY COMPLETENESS COMPLETES COMPLETING COMPLETION COMPLETIONS COMPLEX COMPLEXES COMPLEXION COMPLEXITIES COMPLEXITY COMPLEXLY COMPLIANCE COMPLIANT COMPLICATE COMPLICATED COMPLICATES COMPLICATING COMPLICATION COMPLICATIONS COMPLICATOR COMPLICATORS COMPLICITY COMPLIED COMPLIMENT COMPLIMENTARY COMPLIMENTED COMPLIMENTER COMPLIMENTERS COMPLIMENTING COMPLIMENTS COMPLY COMPLYING COMPONENT COMPONENTRY COMPONENTS COMPONENTWISE COMPOSE COMPOSED COMPOSEDLY COMPOSER COMPOSERS COMPOSES COMPOSING COMPOSITE COMPOSITES COMPOSITION COMPOSITIONAL COMPOSITIONS COMPOST COMPOSURE COMPOUND COMPOUNDED COMPOUNDING COMPOUNDS COMPREHEND COMPREHENDED COMPREHENDING COMPREHENDS COMPREHENSIBILITY COMPREHENSIBLE COMPREHENSION COMPREHENSIVE COMPREHENSIVELY COMPRESS COMPRESSED COMPRESSES COMPRESSIBLE COMPRESSING COMPRESSION COMPRESSIVE COMPRESSOR COMPRISE COMPRISED COMPRISES COMPRISING COMPROMISE COMPROMISED COMPROMISER COMPROMISERS COMPROMISES COMPROMISING COMPROMISINGLY COMPTON COMPTROLLER COMPTROLLERS COMPULSION COMPULSIONS COMPULSIVE COMPULSORY COMPUNCTION COMPUSERVE COMPUTABILITY COMPUTABLE COMPUTATION COMPUTATIONAL COMPUTATIONALLY COMPUTATIONS COMPUTE COMPUTED COMPUTER COMPUTERIZE COMPUTERIZED COMPUTERIZES COMPUTERIZING COMPUTERS COMPUTES COMPUTING COMRADE COMRADELY COMRADES COMRADESHIP CON CONAKRY CONANT CONCATENATE CONCATENATED CONCATENATES CONCATENATING CONCATENATION CONCATENATIONS CONCAVE CONCEAL CONCEALED CONCEALER CONCEALERS CONCEALING CONCEALMENT CONCEALS CONCEDE CONCEDED CONCEDES CONCEDING CONCEIT CONCEITED CONCEITS CONCEIVABLE CONCEIVABLY CONCEIVE CONCEIVED CONCEIVES CONCEIVING CONCENTRATE CONCENTRATED CONCENTRATES CONCENTRATING CONCENTRATION CONCENTRATIONS CONCENTRATOR CONCENTRATORS CONCENTRIC CONCEPT CONCEPTION CONCEPTIONS CONCEPTS CONCEPTUAL CONCEPTUALIZATION CONCEPTUALIZATIONS CONCEPTUALIZE CONCEPTUALIZED CONCEPTUALIZES CONCEPTUALIZING CONCEPTUALLY CONCERN CONCERNED CONCERNEDLY CONCERNING CONCERNS CONCERT CONCERTED CONCERTMASTER CONCERTO CONCERTS CONCESSION CONCESSIONS CONCILIATE CONCILIATORY CONCISE CONCISELY CONCISENESS CONCLAVE CONCLUDE CONCLUDED CONCLUDES CONCLUDING CONCLUSION CONCLUSIONS CONCLUSIVE CONCLUSIVELY CONCOCT CONCOMITANT CONCORD CONCORDANT CONCORDE CONCORDIA CONCOURSE CONCRETE CONCRETELY CONCRETENESS CONCRETES CONCRETION CONCUBINE CONCUR CONCURRED CONCURRENCE CONCURRENCIES CONCURRENCY CONCURRENT CONCURRENTLY CONCURRING CONCURS CONCUSSION CONDEMN CONDEMNATION CONDEMNATIONS CONDEMNED CONDEMNER CONDEMNERS CONDEMNING CONDEMNS CONDENSATION CONDENSE CONDENSED CONDENSER CONDENSES CONDENSING CONDESCEND CONDESCENDING CONDITION CONDITIONAL CONDITIONALLY CONDITIONALS CONDITIONED CONDITIONER CONDITIONERS CONDITIONING CONDITIONS CONDOM CONDONE CONDONED CONDONES CONDONING CONDUCE CONDUCIVE CONDUCIVENESS CONDUCT CONDUCTANCE CONDUCTED CONDUCTING CONDUCTION CONDUCTIVE CONDUCTIVITY CONDUCTOR CONDUCTORS CONDUCTS CONDUIT CONE CONES CONESTOGA CONFECTIONERY CONFEDERACY CONFEDERATE CONFEDERATES CONFEDERATION CONFEDERATIONS CONFER CONFEREE CONFERENCE CONFERENCES CONFERRED CONFERRER CONFERRERS CONFERRING CONFERS CONFESS CONFESSED CONFESSES CONFESSING CONFESSION CONFESSIONS CONFESSOR CONFESSORS CONFIDANT CONFIDANTS CONFIDE CONFIDED CONFIDENCE CONFIDENCES CONFIDENT CONFIDENTIAL CONFIDENTIALITY CONFIDENTIALLY CONFIDENTLY CONFIDES CONFIDING CONFIDINGLY CONFIGURABLE CONFIGURATION CONFIGURATIONS CONFIGURE CONFIGURED CONFIGURES CONFIGURING CONFINE CONFINED CONFINEMENT CONFINEMENTS CONFINER CONFINES CONFINING CONFIRM CONFIRMATION CONFIRMATIONS CONFIRMATORY CONFIRMED CONFIRMING CONFIRMS CONFISCATE CONFISCATED CONFISCATES CONFISCATING CONFISCATION CONFISCATIONS CONFLAGRATION CONFLICT CONFLICTED CONFLICTING CONFLICTS CONFLUENT CONFOCAL CONFORM CONFORMAL CONFORMANCE CONFORMED CONFORMING CONFORMITY CONFORMS CONFOUND CONFOUNDED CONFOUNDING CONFOUNDS CONFRONT CONFRONTATION CONFRONTATIONS CONFRONTED CONFRONTER CONFRONTERS CONFRONTING CONFRONTS CONFUCIAN CONFUCIANISM CONFUCIUS CONFUSE CONFUSED CONFUSER CONFUSERS CONFUSES CONFUSING CONFUSINGLY CONFUSION CONFUSIONS CONGENIAL CONGENIALLY CONGENITAL CONGEST CONGESTED CONGESTION CONGESTIVE CONGLOMERATE CONGO CONGOLESE CONGRATULATE CONGRATULATED CONGRATULATION CONGRATULATIONS CONGRATULATORY CONGREGATE CONGREGATED CONGREGATES CONGREGATING CONGREGATION CONGREGATIONS CONGRESS CONGRESSES CONGRESSIONAL CONGRESSIONALLY CONGRESSMAN CONGRESSMEN CONGRESSWOMAN CONGRESSWOMEN CONGRUENCE CONGRUENT CONIC CONIFER CONIFEROUS CONJECTURE CONJECTURED CONJECTURES CONJECTURING CONJOINED CONJUGAL CONJUGATE CONJUNCT CONJUNCTED CONJUNCTION CONJUNCTIONS CONJUNCTIVE CONJUNCTIVELY CONJUNCTS CONJUNCTURE CONJURE CONJURED CONJURER CONJURES CONJURING CONKLIN CONLEY CONNALLY CONNECT CONNECTED CONNECTEDNESS CONNECTICUT CONNECTING CONNECTION CONNECTIONLESS CONNECTIONS CONNECTIVE CONNECTIVES CONNECTIVITY CONNECTOR CONNECTORS CONNECTS CONNELLY CONNER CONNIE CONNIVANCE CONNIVE CONNOISSEUR CONNOISSEURS CONNORS CONNOTATION CONNOTATIVE CONNOTE CONNOTED CONNOTES CONNOTING CONNUBIAL CONQUER CONQUERABLE CONQUERED CONQUERER CONQUERERS CONQUERING CONQUEROR CONQUERORS CONQUERS CONQUEST CONQUESTS CONRAD CONRAIL CONSCIENCE CONSCIENCES CONSCIENTIOUS CONSCIENTIOUSLY CONSCIOUS CONSCIOUSLY CONSCIOUSNESS CONSCRIPT CONSCRIPTION CONSECRATE CONSECRATION CONSECUTIVE CONSECUTIVELY CONSENSUAL CONSENSUS CONSENT CONSENTED CONSENTER CONSENTERS CONSENTING CONSENTS CONSEQUENCE CONSEQUENCES CONSEQUENT CONSEQUENTIAL CONSEQUENTIALITIES CONSEQUENTIALITY CONSEQUENTLY CONSEQUENTS CONSERVATION CONSERVATIONIST CONSERVATIONISTS CONSERVATIONS CONSERVATISM CONSERVATIVE CONSERVATIVELY CONSERVATIVES CONSERVATOR CONSERVE CONSERVED CONSERVES CONSERVING CONSIDER CONSIDERABLE CONSIDERABLY CONSIDERATE CONSIDERATELY CONSIDERATION CONSIDERATIONS CONSIDERED CONSIDERING CONSIDERS CONSIGN CONSIGNED CONSIGNING CONSIGNS CONSIST CONSISTED CONSISTENCY CONSISTENT CONSISTENTLY CONSISTING CONSISTS CONSOLABLE CONSOLATION CONSOLATIONS CONSOLE CONSOLED CONSOLER CONSOLERS CONSOLES CONSOLIDATE CONSOLIDATED CONSOLIDATES CONSOLIDATING CONSOLIDATION CONSOLING CONSOLINGLY CONSONANT CONSONANTS CONSORT CONSORTED CONSORTING CONSORTIUM CONSORTS CONSPICUOUS CONSPICUOUSLY CONSPIRACIES CONSPIRACY CONSPIRATOR CONSPIRATORS CONSPIRE CONSPIRED CONSPIRES CONSPIRING CONSTABLE CONSTABLES CONSTANCE CONSTANCY CONSTANT CONSTANTINE CONSTANTINOPLE CONSTANTLY CONSTANTS CONSTELLATION CONSTELLATIONS CONSTERNATION CONSTITUENCIES CONSTITUENCY CONSTITUENT CONSTITUENTS CONSTITUTE CONSTITUTED CONSTITUTES CONSTITUTING CONSTITUTION CONSTITUTIONAL CONSTITUTIONALITY CONSTITUTIONALLY CONSTITUTIONS CONSTITUTIVE CONSTRAIN CONSTRAINED CONSTRAINING CONSTRAINS CONSTRAINT CONSTRAINTS CONSTRICT CONSTRUCT CONSTRUCTED CONSTRUCTIBILITY CONSTRUCTIBLE CONSTRUCTING CONSTRUCTION CONSTRUCTIONS CONSTRUCTIVE CONSTRUCTIVELY CONSTRUCTOR CONSTRUCTORS CONSTRUCTS CONSTRUE CONSTRUED CONSTRUING CONSUL CONSULAR CONSULATE CONSULATES CONSULS CONSULT CONSULTANT CONSULTANTS CONSULTATION CONSULTATIONS CONSULTATIVE CONSULTED CONSULTING CONSULTS CONSUMABLE CONSUME CONSUMED CONSUMER CONSUMERS CONSUMES CONSUMING CONSUMMATE CONSUMMATED CONSUMMATELY CONSUMMATION CONSUMPTION CONSUMPTIONS CONSUMPTIVE CONSUMPTIVELY CONTACT CONTACTED CONTACTING CONTACTS CONTAGION CONTAGIOUS CONTAGIOUSLY CONTAIN CONTAINABLE CONTAINED CONTAINER CONTAINERS CONTAINING CONTAINMENT CONTAINMENTS CONTAINS CONTAMINATE CONTAMINATED CONTAMINATES CONTAMINATING CONTAMINATION CONTEMPLATE CONTEMPLATED CONTEMPLATES CONTEMPLATING CONTEMPLATION CONTEMPLATIONS CONTEMPLATIVE CONTEMPORARIES CONTEMPORARINESS CONTEMPORARY CONTEMPT CONTEMPTIBLE CONTEMPTUOUS CONTEMPTUOUSLY CONTEND CONTENDED CONTENDER CONTENDERS CONTENDING CONTENDS CONTENT CONTENTED CONTENTING CONTENTION CONTENTIONS CONTENTLY CONTENTMENT CONTENTS CONTEST CONTESTABLE CONTESTANT CONTESTED CONTESTER CONTESTERS CONTESTING CONTESTS CONTEXT CONTEXTS CONTEXTUAL CONTEXTUALLY CONTIGUITY CONTIGUOUS CONTIGUOUSLY CONTINENT CONTINENTAL CONTINENTALLY CONTINENTS CONTINGENCIES CONTINGENCY CONTINGENT CONTINGENTS CONTINUAL CONTINUALLY CONTINUANCE CONTINUANCES CONTINUATION CONTINUATIONS CONTINUE CONTINUED CONTINUES CONTINUING CONTINUITIES CONTINUITY CONTINUOUS CONTINUOUSLY CONTINUUM CONTORTIONS CONTOUR CONTOURED CONTOURING CONTOURS CONTRABAND CONTRACEPTION CONTRACEPTIVE CONTRACT CONTRACTED CONTRACTING CONTRACTION CONTRACTIONS CONTRACTOR CONTRACTORS CONTRACTS CONTRACTUAL CONTRACTUALLY CONTRADICT CONTRADICTED CONTRADICTING CONTRADICTION CONTRADICTIONS CONTRADICTORY CONTRADICTS CONTRADISTINCTION CONTRADISTINCTIONS CONTRAPOSITIVE CONTRAPOSITIVES CONTRAPTION CONTRAPTIONS CONTRARINESS CONTRARY CONTRAST CONTRASTED CONTRASTER CONTRASTERS CONTRASTING CONTRASTINGLY CONTRASTS CONTRIBUTE CONTRIBUTED CONTRIBUTES CONTRIBUTING CONTRIBUTION CONTRIBUTIONS CONTRIBUTOR CONTRIBUTORILY CONTRIBUTORS CONTRIBUTORY CONTRITE CONTRITION CONTRIVANCE CONTRIVANCES CONTRIVE CONTRIVED CONTRIVER CONTRIVES CONTRIVING CONTROL CONTROLLABILITY CONTROLLABLE CONTROLLABLY CONTROLLED CONTROLLER CONTROLLERS CONTROLLING CONTROLS CONTROVERSIAL CONTROVERSIES CONTROVERSY CONTROVERTIBLE CONTUMACIOUS CONTUMACY CONUNDRUM CONUNDRUMS CONVAIR CONVALESCENT CONVECT CONVENE CONVENED CONVENES CONVENIENCE CONVENIENCES CONVENIENT CONVENIENTLY CONVENING CONVENT CONVENTION CONVENTIONAL CONVENTIONALLY CONVENTIONS CONVENTS CONVERGE CONVERGED CONVERGENCE CONVERGENT CONVERGES CONVERGING CONVERSANT CONVERSANTLY CONVERSATION CONVERSATIONAL CONVERSATIONALLY CONVERSATIONS CONVERSE CONVERSED CONVERSELY CONVERSES CONVERSING CONVERSION CONVERSIONS CONVERT CONVERTED CONVERTER CONVERTERS CONVERTIBILITY CONVERTIBLE CONVERTING CONVERTS CONVEX CONVEY CONVEYANCE CONVEYANCES CONVEYED CONVEYER CONVEYERS CONVEYING CONVEYOR CONVEYS CONVICT CONVICTED CONVICTING CONVICTION CONVICTIONS CONVICTS CONVINCE CONVINCED CONVINCER CONVINCERS CONVINCES CONVINCING CONVINCINGLY CONVIVIAL CONVOKE CONVOLUTED CONVOLUTION CONVOY CONVOYED CONVOYING CONVOYS CONVULSE CONVULSION CONVULSIONS CONWAY COO COOING COOK COOKBOOK COOKE COOKED COOKERY COOKIE COOKIES COOKING COOKS COOKY COOL COOLED COOLER COOLERS COOLEST COOLEY COOLIDGE COOLIE COOLIES COOLING COOLLY COOLNESS COOLS COON COONS COOP COOPED COOPER COOPERATE COOPERATED COOPERATES COOPERATING COOPERATION COOPERATIONS COOPERATIVE COOPERATIVELY COOPERATIVES COOPERATOR COOPERATORS COOPERS COOPS COORDINATE COORDINATED COORDINATES COORDINATING COORDINATION COORDINATIONS COORDINATOR COORDINATORS COORS COP COPE COPED COPELAND COPENHAGEN COPERNICAN COPERNICUS COPES COPIED COPIER COPIERS COPIES COPING COPINGS COPIOUS COPIOUSLY COPIOUSNESS COPLANAR COPPER COPPERFIELD COPPERHEAD COPPERS COPRA COPROCESSOR COPS COPSE COPY COPYING COPYRIGHT COPYRIGHTABLE COPYRIGHTED COPYRIGHTS COPYWRITER COQUETTE CORAL CORBETT CORCORAN CORD CORDED CORDER CORDIAL CORDIALITY CORDIALLY CORDS CORE CORED CORER CORERS CORES COREY CORIANDER CORING CORINTH CORINTHIAN CORINTHIANIZE CORINTHIANIZES CORINTHIANS CORIOLANUS CORK CORKED CORKER CORKERS CORKING CORKS CORKSCREW CORMORANT CORN CORNEA CORNELIA CORNELIAN CORNELIUS CORNELL CORNER CORNERED CORNERS CORNERSTONE CORNERSTONES CORNET CORNFIELD CORNFIELDS CORNING CORNISH CORNMEAL CORNS CORNSTARCH CORNUCOPIA CORNWALL CORNWALLIS CORNY COROLLARIES COROLLARY CORONADO CORONARIES CORONARY CORONATION CORONER CORONET CORONETS COROUTINE COROUTINES CORPORAL CORPORALS CORPORATE CORPORATELY CORPORATION CORPORATIONS CORPS CORPSE CORPSES CORPULENT CORPUS CORPUSCULAR CORRAL CORRECT CORRECTABLE CORRECTED CORRECTING CORRECTION CORRECTIONS CORRECTIVE CORRECTIVELY CORRECTIVES CORRECTLY CORRECTNESS CORRECTOR CORRECTS CORRELATE CORRELATED CORRELATES CORRELATING CORRELATION CORRELATIONS CORRELATIVE CORRESPOND CORRESPONDED CORRESPONDENCE CORRESPONDENCES CORRESPONDENT CORRESPONDENTS CORRESPONDING CORRESPONDINGLY CORRESPONDS CORRIDOR CORRIDORS CORRIGENDA CORRIGENDUM CORRIGIBLE CORROBORATE CORROBORATED CORROBORATES CORROBORATING CORROBORATION CORROBORATIONS CORROBORATIVE CORRODE CORROSION CORROSIVE CORRUGATE CORRUPT CORRUPTED CORRUPTER CORRUPTIBLE CORRUPTING CORRUPTION CORRUPTIONS CORRUPTS CORSET CORSICA CORSICAN CORTEX CORTEZ CORTICAL CORTLAND CORVALLIS CORVUS CORYDORAS COSGROVE COSINE COSINES COSMETIC COSMETICS COSMIC COSMOLOGY COSMOPOLITAN COSMOS COSPONSOR COSSACK COST COSTA COSTED COSTELLO COSTING COSTLY COSTS COSTUME COSTUMED COSTUMER COSTUMES COSTUMING COSY COT COTANGENT COTILLION COTS COTTAGE COTTAGER COTTAGES COTTON COTTONMOUTH COTTONS COTTONSEED COTTONWOOD COTTRELL COTYLEDON COTYLEDONS COUCH COUCHED COUCHES COUCHING COUGAR COUGH COUGHED COUGHING COUGHS COULD COULOMB COULTER COUNCIL COUNCILLOR COUNCILLORS COUNCILMAN COUNCILMEN COUNCILS COUNCILWOMAN COUNCILWOMEN COUNSEL COUNSELED COUNSELING COUNSELLED COUNSELLING COUNSELLOR COUNSELLORS COUNSELOR COUNSELORS COUNSELS COUNT COUNTABLE COUNTABLY COUNTED COUNTENANCE COUNTER COUNTERACT COUNTERACTED COUNTERACTING COUNTERACTIVE COUNTERARGUMENT COUNTERATTACK COUNTERBALANCE COUNTERCLOCKWISE COUNTERED COUNTEREXAMPLE COUNTEREXAMPLES COUNTERFEIT COUNTERFEITED COUNTERFEITER COUNTERFEITING COUNTERFLOW COUNTERING COUNTERINTUITIVE COUNTERMAN COUNTERMEASURE COUNTERMEASURES COUNTERMEN COUNTERPART COUNTERPARTS COUNTERPOINT COUNTERPOINTING COUNTERPOISE COUNTERPRODUCTIVE COUNTERPROPOSAL COUNTERREVOLUTION COUNTERS COUNTERSINK COUNTERSUNK COUNTESS COUNTIES COUNTING COUNTLESS COUNTRIES COUNTRY COUNTRYMAN COUNTRYMEN COUNTRYSIDE COUNTRYWIDE COUNTS COUNTY COUNTYWIDE COUPLE COUPLED COUPLER COUPLERS COUPLES COUPLING COUPLINGS COUPON COUPONS COURAGE COURAGEOUS COURAGEOUSLY COURIER COURIERS COURSE COURSED COURSER COURSES COURSING COURT COURTED COURTEOUS COURTEOUSLY COURTER COURTERS COURTESAN COURTESIES COURTESY COURTHOUSE COURTHOUSES COURTIER COURTIERS COURTING COURTLY COURTNEY COURTROOM COURTROOMS COURTS COURTSHIP COURTYARD COURTYARDS COUSIN COUSINS COVALENT COVARIANT COVE COVENANT COVENANTS COVENT COVENTRY COVER COVERABLE COVERAGE COVERED COVERING COVERINGS COVERLET COVERLETS COVERS COVERT COVERTLY COVES COVET COVETED COVETING COVETOUS COVETOUSNESS COVETS COW COWAN COWARD COWARDICE COWARDLY COWBOY COWBOYS COWED COWER COWERED COWERER COWERERS COWERING COWERINGLY COWERS COWHERD COWHIDE COWING COWL COWLICK COWLING COWLS COWORKER COWS COWSLIP COWSLIPS COYOTE COYOTES COYPU COZIER COZINESS COZY CRAB CRABAPPLE CRABS CRACK CRACKED CRACKER CRACKERS CRACKING CRACKLE CRACKLED CRACKLES CRACKLING CRACKPOT CRACKS CRADLE CRADLED CRADLES CRAFT CRAFTED CRAFTER CRAFTINESS CRAFTING CRAFTS CRAFTSMAN CRAFTSMEN CRAFTSPEOPLE CRAFTSPERSON CRAFTY CRAG CRAGGY CRAGS CRAIG CRAM CRAMER CRAMMING CRAMP CRAMPS CRAMS CRANBERRIES CRANBERRY CRANDALL CRANE CRANES CRANFORD CRANIA CRANIUM CRANK CRANKCASE CRANKED CRANKIER CRANKIEST CRANKILY CRANKING CRANKS CRANKSHAFT CRANKY CRANNY CRANSTON CRASH CRASHED CRASHER CRASHERS CRASHES CRASHING CRASS CRATE CRATER CRATERS CRATES CRAVAT CRAVATS CRAVE CRAVED CRAVEN CRAVES CRAVING CRAWFORD CRAWL CRAWLED CRAWLER CRAWLERS CRAWLING CRAWLS CRAY CRAYON CRAYS CRAZE CRAZED CRAZES CRAZIER CRAZIEST CRAZILY CRAZINESS CRAZING CRAZY CREAK CREAKED CREAKING CREAKS CREAKY CREAM CREAMED CREAMER CREAMERS CREAMERY CREAMING CREAMS CREAMY CREASE CREASED CREASES CREASING CREATE CREATED CREATES CREATING CREATION CREATIONS CREATIVE CREATIVELY CREATIVENESS CREATIVITY CREATOR CREATORS CREATURE CREATURES CREDENCE CREDENTIAL CREDIBILITY CREDIBLE CREDIBLY CREDIT CREDITABLE CREDITABLY CREDITED CREDITING CREDITOR CREDITORS CREDITS CREDULITY CREDULOUS CREDULOUSNESS CREE CREED CREEDS CREEK CREEKS CREEP CREEPER CREEPERS CREEPING CREEPS CREEPY CREIGHTON CREMATE CREMATED CREMATES CREMATING CREMATION CREMATIONS CREMATORY CREOLE CREON CREPE CREPT CRESCENT CRESCENTS CREST CRESTED CRESTFALLEN CRESTS CRESTVIEW CRETACEOUS CRETACEOUSLY CRETAN CRETE CRETIN CREVICE CREVICES CREW CREWCUT CREWED CREWING CREWS CRIB CRIBS CRICKET CRICKETS CRIED CRIER CRIERS CRIES CRIME CRIMEA CRIMEAN CRIMES CRIMINAL CRIMINALLY CRIMINALS CRIMINATE CRIMSON CRIMSONING CRINGE CRINGED CRINGES CRINGING CRIPPLE CRIPPLED CRIPPLES CRIPPLING CRISES CRISIS CRISP CRISPIN CRISPLY CRISPNESS CRISSCROSS CRITERIA CRITERION CRITIC CRITICAL CRITICALLY CRITICISM CRITICISMS CRITICIZE CRITICIZED CRITICIZES CRITICIZING CRITICS CRITIQUE CRITIQUES CRITIQUING CRITTER CROAK CROAKED CROAKING CROAKS CROATIA CROATIAN CROCHET CROCHETS CROCK CROCKERY CROCKETT CROCKS CROCODILE CROCUS CROFT CROIX CROMWELL CROMWELLIAN CROOK CROOKED CROOKS CROP CROPPED CROPPER CROPPERS CROPPING CROPS CROSBY CROSS CROSSABLE CROSSBAR CROSSBARS CROSSED CROSSER CROSSERS CROSSES CROSSING CROSSINGS CROSSLY CROSSOVER CROSSOVERS CROSSPOINT CROSSROAD CROSSTALK CROSSWALK CROSSWORD CROSSWORDS CROTCH CROTCHETY CROUCH CROUCHED CROUCHING CROW CROWD CROWDED CROWDER CROWDING CROWDS CROWED CROWING CROWLEY CROWN CROWNED CROWNING CROWNS CROWS CROYDON CRUCIAL CRUCIALLY CRUCIBLE CRUCIFIED CRUCIFIES CRUCIFIX CRUCIFIXION CRUCIFY CRUCIFYING CRUD CRUDDY CRUDE CRUDELY CRUDENESS CRUDER CRUDEST CRUEL CRUELER CRUELEST CRUELLY CRUELTY CRUICKSHANK CRUISE CRUISER CRUISERS CRUISES CRUISING CRUMB CRUMBLE CRUMBLED CRUMBLES CRUMBLING CRUMBLY CRUMBS CRUMMY CRUMPLE CRUMPLED CRUMPLES CRUMPLING CRUNCH CRUNCHED CRUNCHES CRUNCHIER CRUNCHIEST CRUNCHING CRUNCHY CRUSADE CRUSADER CRUSADERS CRUSADES CRUSADING CRUSH CRUSHABLE CRUSHED CRUSHER CRUSHERS CRUSHES CRUSHING CRUSHINGLY CRUSOE CRUST CRUSTACEAN CRUSTACEANS CRUSTS CRUTCH CRUTCHES CRUX CRUXES CRUZ CRY CRYING CRYOGENIC CRYPT CRYPTANALYSIS CRYPTANALYST CRYPTANALYTIC CRYPTIC CRYPTOGRAM CRYPTOGRAPHER CRYPTOGRAPHIC CRYPTOGRAPHICALLY CRYPTOGRAPHY CRYPTOLOGIST CRYPTOLOGY CRYSTAL CRYSTALLINE CRYSTALLIZE CRYSTALLIZED CRYSTALLIZES CRYSTALLIZING CRYSTALS CUB CUBA CUBAN CUBANIZE CUBANIZES CUBANS CUBBYHOLE CUBE CUBED CUBES CUBIC CUBS CUCKOO CUCKOOS CUCUMBER CUCUMBERS CUDDLE CUDDLED CUDDLY CUDGEL CUDGELS CUE CUED CUES CUFF CUFFLINK CUFFS CUISINE CULBERTSON CULINARY CULL CULLED CULLER CULLING CULLS CULMINATE CULMINATED CULMINATES CULMINATING CULMINATION CULPA CULPABLE CULPRIT CULPRITS CULT CULTIVABLE CULTIVATE CULTIVATED CULTIVATES CULTIVATING CULTIVATION CULTIVATIONS CULTIVATOR CULTIVATORS CULTS CULTURAL CULTURALLY CULTURE CULTURED CULTURES CULTURING CULVER CULVERS CUMBERLAND CUMBERSOME CUMMINGS CUMMINS CUMULATIVE CUMULATIVELY CUNARD CUNNILINGUS CUNNING CUNNINGHAM CUNNINGLY CUP CUPBOARD CUPBOARDS CUPERTINO CUPFUL CUPID CUPPED CUPPING CUPS CURABLE CURABLY CURB CURBING CURBS CURD CURDLE CURE CURED CURES CURFEW CURFEWS CURING CURIOSITIES CURIOSITY CURIOUS CURIOUSER CURIOUSEST CURIOUSLY CURL CURLED CURLER CURLERS CURLICUE CURLING CURLS CURLY CURRAN CURRANT CURRANTS CURRENCIES CURRENCY CURRENT CURRENTLY CURRENTNESS CURRENTS CURRICULAR CURRICULUM CURRICULUMS CURRIED CURRIES CURRY CURRYING CURS CURSE CURSED CURSES CURSING CURSIVE CURSOR CURSORILY CURSORS CURSORY CURT CURTAIL CURTAILED CURTAILS CURTAIN CURTAINED CURTAINS CURTATE CURTIS CURTLY CURTNESS CURTSIES CURTSY CURVACEOUS CURVATURE CURVE CURVED CURVES CURVILINEAR CURVING CUSHING CUSHION CUSHIONED CUSHIONING CUSHIONS CUSHMAN CUSP CUSPS CUSTARD CUSTER CUSTODIAL CUSTODIAN CUSTODIANS CUSTODY CUSTOM CUSTOMARILY CUSTOMARY CUSTOMER CUSTOMERS CUSTOMIZABLE CUSTOMIZATION CUSTOMIZATIONS CUSTOMIZE CUSTOMIZED CUSTOMIZER CUSTOMIZERS CUSTOMIZES CUSTOMIZING CUSTOMS CUT CUTANEOUS CUTBACK CUTE CUTEST CUTLASS CUTLET CUTOFF CUTOUT CUTOVER CUTS CUTTER CUTTERS CUTTHROAT CUTTING CUTTINGLY CUTTINGS CUTTLEFISH CUVIER CUZCO CYANAMID CYANIDE CYBERNETIC CYBERNETICS CYBERSPACE CYCLADES CYCLE CYCLED CYCLES CYCLIC CYCLICALLY CYCLING CYCLOID CYCLOIDAL CYCLOIDS CYCLONE CYCLONES CYCLOPS CYCLOTRON CYCLOTRONS CYGNUS CYLINDER CYLINDERS CYLINDRICAL CYMBAL CYMBALS CYNIC CYNICAL CYNICALLY CYNTHIA CYPRESS CYPRIAN CYPRIOT CYPRUS CYRIL CYRILLIC CYRUS CYST CYSTS CYTOLOGY CYTOPLASM CZAR CZECH CZECHIZATION CZECHIZATIONS CZECHOSLOVAKIA CZERNIAK DABBLE DABBLED DABBLER DABBLES DABBLING DACCA DACRON DACTYL DACTYLIC DAD DADA DADAISM DADAIST DADAISTIC DADDY DADE DADS DAEDALUS DAEMON DAEMONS DAFFODIL DAFFODILS DAGGER DAHL DAHLIA DAHOMEY DAILEY DAILIES DAILY DAIMLER DAINTILY DAINTINESS DAINTY DAIRY DAIRYLEA DAISIES DAISY DAKAR DAKOTA DALE DALES DALEY DALHOUSIE DALI DALLAS DALTON DALY DALZELL DAM DAMAGE DAMAGED DAMAGER DAMAGERS DAMAGES DAMAGING DAMASCUS DAMASK DAME DAMMING DAMN DAMNATION DAMNED DAMNING DAMNS DAMOCLES DAMON DAMP DAMPEN DAMPENS DAMPER DAMPING DAMPNESS DAMS DAMSEL DAMSELS DAN DANA DANBURY DANCE DANCED DANCER DANCERS DANCES DANCING DANDELION DANDELIONS DANDY DANE DANES DANGER DANGEROUS DANGEROUSLY DANGERS DANGLE DANGLED DANGLES DANGLING DANIEL DANIELS DANIELSON DANISH DANIZATION DANIZATIONS DANIZE DANIZES DANNY DANTE DANUBE DANUBIAN DANVILLE DANZIG DAPHNE DAR DARE DARED DARER DARERS DARES DARESAY DARING DARINGLY DARIUS DARK DARKEN DARKER DARKEST DARKLY DARKNESS DARKROOM DARLENE DARLING DARLINGS DARLINGTON DARN DARNED DARNER DARNING DARNS DARPA DARRELL DARROW DARRY DART DARTED DARTER DARTING DARTMOUTH DARTS DARWIN DARWINIAN DARWINISM DARWINISTIC DARWINIZE DARWINIZES DASH DASHBOARD DASHED DASHER DASHERS DASHES DASHING DASHINGLY DATA DATABASE DATABASES DATAGRAM DATAGRAMS DATAMATION DATAMEDIA DATE DATED DATELINE DATER DATES DATING DATIVE DATSUN DATUM DAUGHERTY DAUGHTER DAUGHTERLY DAUGHTERS DAUNT DAUNTED DAUNTLESS DAVE DAVID DAVIDSON DAVIE DAVIES DAVINICH DAVIS DAVISON DAVY DAWN DAWNED DAWNING DAWNS DAWSON DAY DAYBREAK DAYDREAM DAYDREAMING DAYDREAMS DAYLIGHT DAYLIGHTS DAYS DAYTIME DAYTON DAYTONA DAZE DAZED DAZZLE DAZZLED DAZZLER DAZZLES DAZZLING DAZZLINGLY DEACON DEACONS DEACTIVATE DEAD DEADEN DEADLINE DEADLINES DEADLOCK DEADLOCKED DEADLOCKING DEADLOCKS DEADLY DEADNESS DEADWOOD DEAF DEAFEN DEAFER DEAFEST DEAFNESS DEAL DEALER DEALERS DEALERSHIP DEALING DEALINGS DEALLOCATE DEALLOCATED DEALLOCATING DEALLOCATION DEALLOCATIONS DEALS DEALT DEAN DEANE DEANNA DEANS DEAR DEARBORN DEARER DEAREST DEARLY DEARNESS DEARTH DEARTHS DEATH DEATHBED DEATHLY DEATHS DEBACLE DEBAR DEBASE DEBATABLE DEBATE DEBATED DEBATER DEBATERS DEBATES DEBATING DEBAUCH DEBAUCHERY DEBBIE DEBBY DEBILITATE DEBILITATED DEBILITATES DEBILITATING DEBILITY DEBIT DEBITED DEBORAH DEBRA DEBRIEF DEBRIS DEBT DEBTOR DEBTS DEBUG DEBUGGED DEBUGGER DEBUGGERS DEBUGGING DEBUGS DEBUNK DEBUSSY DEBUTANTE DEC DECADE DECADENCE DECADENT DECADENTLY DECADES DECAL DECATHLON DECATUR DECAY DECAYED DECAYING DECAYS DECCA DECEASE DECEASED DECEASES DECEASING DECEDENT DECEIT DECEITFUL DECEITFULLY DECEITFULNESS DECEIVE DECEIVED DECEIVER DECEIVERS DECEIVES DECEIVING DECELERATE DECELERATED DECELERATES DECELERATING DECELERATION DECEMBER DECEMBERS DECENCIES DECENCY DECENNIAL DECENT DECENTLY DECENTRALIZATION DECENTRALIZED DECEPTION DECEPTIONS DECEPTIVE DECEPTIVELY DECERTIFY DECIBEL DECIDABILITY DECIDABLE DECIDE DECIDED DECIDEDLY DECIDES DECIDING DECIDUOUS DECIMAL DECIMALS DECIMATE DECIMATED DECIMATES DECIMATING DECIMATION DECIPHER DECIPHERED DECIPHERER DECIPHERING DECIPHERS DECISION DECISIONS DECISIVE DECISIVELY DECISIVENESS DECK DECKED DECKER DECKING DECKINGS DECKS DECLARATION DECLARATIONS DECLARATIVE DECLARATIVELY DECLARATIVES DECLARATOR DECLARATORY DECLARE DECLARED DECLARER DECLARERS DECLARES DECLARING DECLASSIFY DECLINATION DECLINATIONS DECLINE DECLINED DECLINER DECLINERS DECLINES DECLINING DECNET DECODE DECODED DECODER DECODERS DECODES DECODING DECODINGS DECOLLETAGE DECOLLIMATE DECOMPILE DECOMPOSABILITY DECOMPOSABLE DECOMPOSE DECOMPOSED DECOMPOSES DECOMPOSING DECOMPOSITION DECOMPOSITIONS DECOMPRESS DECOMPRESSION DECORATE DECORATED DECORATES DECORATING DECORATION DECORATIONS DECORATIVE DECORUM DECOUPLE DECOUPLED DECOUPLES DECOUPLING DECOY DECOYS DECREASE DECREASED DECREASES DECREASING DECREASINGLY DECREE DECREED DECREEING DECREES DECREMENT DECREMENTED DECREMENTING DECREMENTS DECRYPT DECRYPTED DECRYPTING DECRYPTION DECRYPTS DECSTATION DECSYSTEM DECTAPE DEDICATE DEDICATED DEDICATES DEDICATING DEDICATION DEDUCE DEDUCED DEDUCER DEDUCES DEDUCIBLE DEDUCING DEDUCT DEDUCTED DEDUCTIBLE DEDUCTING DEDUCTION DEDUCTIONS DEDUCTIVE DEE DEED DEEDED DEEDING DEEDS DEEM DEEMED DEEMING DEEMPHASIZE DEEMPHASIZED DEEMPHASIZES DEEMPHASIZING DEEMS DEEP DEEPEN DEEPENED DEEPENING DEEPENS DEEPER DEEPEST DEEPLY DEEPS DEER DEERE DEFACE DEFAULT DEFAULTED DEFAULTER DEFAULTING DEFAULTS DEFEAT DEFEATED DEFEATING DEFEATS DEFECATE DEFECT DEFECTED DEFECTING DEFECTION DEFECTIONS DEFECTIVE DEFECTS DEFEND DEFENDANT DEFENDANTS DEFENDED DEFENDER DEFENDERS DEFENDING DEFENDS DEFENESTRATE DEFENESTRATED DEFENESTRATES DEFENESTRATING DEFENESTRATION DEFENSE DEFENSELESS DEFENSES DEFENSIBLE DEFENSIVE DEFER DEFERENCE DEFERMENT DEFERMENTS DEFERRABLE DEFERRED DEFERRER DEFERRERS DEFERRING DEFERS DEFIANCE DEFIANT DEFIANTLY DEFICIENCIES DEFICIENCY DEFICIENT DEFICIT DEFICITS DEFIED DEFIES DEFILE DEFILING DEFINABLE DEFINE DEFINED DEFINER DEFINES DEFINING DEFINITE DEFINITELY DEFINITENESS DEFINITION DEFINITIONAL DEFINITIONS DEFINITIVE DEFLATE DEFLATER DEFLECT DEFOCUS DEFOE DEFOREST DEFORESTATION DEFORM DEFORMATION DEFORMATIONS DEFORMED DEFORMITIES DEFORMITY DEFRAUD DEFRAY DEFROST DEFTLY DEFUNCT DEFY DEFYING DEGENERACY DEGENERATE DEGENERATED DEGENERATES DEGENERATING DEGENERATION DEGENERATIVE DEGRADABLE DEGRADATION DEGRADATIONS DEGRADE DEGRADED DEGRADES DEGRADING DEGREE DEGREES DEHUMIDIFY DEHYDRATE DEIFY DEIGN DEIGNED DEIGNING DEIGNS DEIMOS DEIRDRE DEIRDRES DEITIES DEITY DEJECTED DEJECTEDLY DEKALB DEKASTERE DEL DELANEY DELANO DELAWARE DELAY DELAYED DELAYING DELAYS DELEGATE DELEGATED DELEGATES DELEGATING DELEGATION DELEGATIONS DELETE DELETED DELETER DELETERIOUS DELETES DELETING DELETION DELETIONS DELFT DELHI DELIA DELIBERATE DELIBERATED DELIBERATELY DELIBERATENESS DELIBERATES DELIBERATING DELIBERATION DELIBERATIONS DELIBERATIVE DELIBERATOR DELIBERATORS DELICACIES DELICACY DELICATE DELICATELY DELICATESSEN DELICIOUS DELICIOUSLY DELIGHT DELIGHTED DELIGHTEDLY DELIGHTFUL DELIGHTFULLY DELIGHTING DELIGHTS DELILAH DELIMIT DELIMITATION DELIMITED DELIMITER DELIMITERS DELIMITING DELIMITS DELINEAMENT DELINEATE DELINEATED DELINEATES DELINEATING DELINEATION DELINQUENCY DELINQUENT DELIRIOUS DELIRIOUSLY DELIRIUM DELIVER DELIVERABLE DELIVERABLES DELIVERANCE DELIVERED DELIVERER DELIVERERS DELIVERIES DELIVERING DELIVERS DELIVERY DELL DELLA DELLS DELLWOOD DELMARVA DELPHI DELPHIC DELPHICALLY DELPHINUS DELTA DELTAS DELUDE DELUDED DELUDES DELUDING DELUGE DELUGED DELUGES DELUSION DELUSIONS DELUXE DELVE DELVES DELVING DEMAGNIFY DEMAGOGUE DEMAND DEMANDED DEMANDER DEMANDING DEMANDINGLY DEMANDS DEMARCATE DEMEANOR DEMENTED DEMERIT DEMETER DEMIGOD DEMISE DEMO DEMOCRACIES DEMOCRACY DEMOCRAT DEMOCRATIC DEMOCRATICALLY DEMOCRATS DEMODULATE DEMODULATOR DEMOGRAPHIC DEMOLISH DEMOLISHED DEMOLISHES DEMOLITION DEMON DEMONIAC DEMONIC DEMONS DEMONSTRABLE DEMONSTRATE DEMONSTRATED DEMONSTRATES DEMONSTRATING DEMONSTRATION DEMONSTRATIONS DEMONSTRATIVE DEMONSTRATIVELY DEMONSTRATOR DEMONSTRATORS DEMORALIZE DEMORALIZED DEMORALIZES DEMORALIZING DEMORGAN DEMOTE DEMOUNTABLE DEMPSEY DEMULTIPLEX DEMULTIPLEXED DEMULTIPLEXER DEMULTIPLEXERS DEMULTIPLEXING DEMUR DEMYTHOLOGIZE DEN DENATURE DENEB DENEBOLA DENEEN DENIABLE DENIAL DENIALS DENIED DENIER DENIES DENIGRATE DENIGRATED DENIGRATES DENIGRATING DENIZEN DENMARK DENNIS DENNY DENOMINATE DENOMINATION DENOMINATIONS DENOMINATOR DENOMINATORS DENOTABLE DENOTATION DENOTATIONAL DENOTATIONALLY DENOTATIONS DENOTATIVE DENOTE DENOTED DENOTES DENOTING DENOUNCE DENOUNCED DENOUNCES DENOUNCING DENS DENSE DENSELY DENSENESS DENSER DENSEST DENSITIES DENSITY DENT DENTAL DENTALLY DENTED DENTING DENTIST DENTISTRY DENTISTS DENTON DENTS DENTURE DENUDE DENUMERABLE DENUNCIATE DENUNCIATION DENVER DENY DENYING DEODORANT DEOXYRIBONUCLEIC DEPART DEPARTED DEPARTING DEPARTMENT DEPARTMENTAL DEPARTMENTS DEPARTS DEPARTURE DEPARTURES DEPEND DEPENDABILITY DEPENDABLE DEPENDABLY DEPENDED DEPENDENCE DEPENDENCIES DEPENDENCY DEPENDENT DEPENDENTLY DEPENDENTS DEPENDING DEPENDS DEPICT DEPICTED DEPICTING DEPICTS DEPLETE DEPLETED DEPLETES DEPLETING DEPLETION DEPLETIONS DEPLORABLE DEPLORE DEPLORED DEPLORES DEPLORING DEPLOY DEPLOYED DEPLOYING DEPLOYMENT DEPLOYMENTS DEPLOYS DEPORT DEPORTATION DEPORTEE DEPORTMENT DEPOSE DEPOSED DEPOSES DEPOSIT DEPOSITARY DEPOSITED DEPOSITING DEPOSITION DEPOSITIONS DEPOSITOR DEPOSITORS DEPOSITORY DEPOSITS DEPOT DEPOTS DEPRAVE DEPRAVED DEPRAVITY DEPRECATE DEPRECIATE DEPRECIATED DEPRECIATES DEPRECIATION DEPRESS DEPRESSED DEPRESSES DEPRESSING DEPRESSION DEPRESSIONS DEPRIVATION DEPRIVATIONS DEPRIVE DEPRIVED DEPRIVES DEPRIVING DEPTH DEPTHS DEPUTIES DEPUTY DEQUEUE DEQUEUED DEQUEUES DEQUEUING DERAIL DERAILED DERAILING DERAILS DERBY DERBYSHIRE DEREFERENCE DEREGULATE DEREGULATED DEREK DERIDE DERISION DERIVABLE DERIVATION DERIVATIONS DERIVATIVE DERIVATIVES DERIVE DERIVED DERIVES DERIVING DEROGATORY DERRICK DERRIERE DERVISH DES DESCARTES DESCEND DESCENDANT DESCENDANTS DESCENDED DESCENDENT DESCENDER DESCENDERS DESCENDING DESCENDS DESCENT DESCENTS DESCRIBABLE DESCRIBE DESCRIBED DESCRIBER DESCRIBES DESCRIBING DESCRIPTION DESCRIPTIONS DESCRIPTIVE DESCRIPTIVELY DESCRIPTIVES DESCRIPTOR DESCRIPTORS DESCRY DESECRATE DESEGREGATE DESERT DESERTED DESERTER DESERTERS DESERTING DESERTION DESERTIONS DESERTS DESERVE DESERVED DESERVES DESERVING DESERVINGLY DESERVINGS DESIDERATA DESIDERATUM DESIGN DESIGNATE DESIGNATED DESIGNATES DESIGNATING DESIGNATION DESIGNATIONS DESIGNATOR DESIGNATORS DESIGNED DESIGNER DESIGNERS DESIGNING DESIGNS DESIRABILITY DESIRABLE DESIRABLY DESIRE DESIRED DESIRES DESIRING DESIROUS DESIST DESK DESKS DESKTOP DESMOND DESOLATE DESOLATELY DESOLATION DESOLATIONS DESPAIR DESPAIRED DESPAIRING DESPAIRINGLY DESPAIRS DESPATCH DESPATCHED DESPERADO DESPERATE DESPERATELY DESPERATION DESPICABLE DESPISE DESPISED DESPISES DESPISING DESPITE DESPOIL DESPONDENT DESPOT DESPOTIC DESPOTISM DESPOTS DESSERT DESSERTS DESSICATE DESTABILIZE DESTINATION DESTINATIONS DESTINE DESTINED DESTINIES DESTINY DESTITUTE DESTITUTION DESTROY DESTROYED DESTROYER DESTROYERS DESTROYING DESTROYS DESTRUCT DESTRUCTION DESTRUCTIONS DESTRUCTIVE DESTRUCTIVELY DESTRUCTIVENESS DESTRUCTOR DESTUFF DESTUFFING DESTUFFS DESUETUDE DESULTORY DESYNCHRONIZE DETACH DETACHED DETACHER DETACHES DETACHING DETACHMENT DETACHMENTS DETAIL DETAILED DETAILING DETAILS DETAIN DETAINED DETAINING DETAINS DETECT DETECTABLE DETECTABLY DETECTED DETECTING DETECTION DETECTIONS DETECTIVE DETECTIVES DETECTOR DETECTORS DETECTS DETENTE DETENTION DETER DETERGENT DETERIORATE DETERIORATED DETERIORATES DETERIORATING DETERIORATION DETERMINABLE DETERMINACY DETERMINANT DETERMINANTS DETERMINATE DETERMINATELY DETERMINATION DETERMINATIONS DETERMINATIVE DETERMINE DETERMINED DETERMINER DETERMINERS DETERMINES DETERMINING DETERMINISM DETERMINISTIC DETERMINISTICALLY DETERRED DETERRENT DETERRING DETEST DETESTABLE DETESTED DETOUR DETRACT DETRACTOR DETRACTORS DETRACTS DETRIMENT DETRIMENTAL DETROIT DEUCE DEUS DEUTERIUM DEUTSCH DEVASTATE DEVASTATED DEVASTATES DEVASTATING DEVASTATION DEVELOP DEVELOPED DEVELOPER DEVELOPERS DEVELOPING DEVELOPMENT DEVELOPMENTAL DEVELOPMENTS DEVELOPS DEVIANT DEVIANTS DEVIATE DEVIATED DEVIATES DEVIATING DEVIATION DEVIATIONS DEVICE DEVICES DEVIL DEVILISH DEVILISHLY DEVILS DEVIOUS DEVISE DEVISED DEVISES DEVISING DEVISINGS DEVOID DEVOLVE DEVON DEVONSHIRE DEVOTE DEVOTED DEVOTEDLY DEVOTEE DEVOTEES DEVOTES DEVOTING DEVOTION DEVOTIONS DEVOUR DEVOURED DEVOURER DEVOURS DEVOUT DEVOUTLY DEVOUTNESS DEW DEWDROP DEWDROPS DEWEY DEWITT DEWY DEXEDRINE DEXTERITY DHABI DIABETES DIABETIC DIABOLIC DIACHRONIC DIACRITICAL DIADEM DIAGNOSABLE DIAGNOSE DIAGNOSED DIAGNOSES DIAGNOSING DIAGNOSIS DIAGNOSTIC DIAGNOSTICIAN DIAGNOSTICS DIAGONAL DIAGONALLY DIAGONALS DIAGRAM DIAGRAMMABLE DIAGRAMMATIC DIAGRAMMATICALLY DIAGRAMMED DIAGRAMMER DIAGRAMMERS DIAGRAMMING DIAGRAMS DIAL DIALECT DIALECTIC DIALECTS DIALED DIALER DIALERS DIALING DIALOG DIALOGS DIALOGUE DIALOGUES DIALS DIALUP DIALYSIS DIAMAGNETIC DIAMETER DIAMETERS DIAMETRIC DIAMETRICALLY DIAMOND DIAMONDS DIANA DIANE DIANNE DIAPER DIAPERS DIAPHRAGM DIAPHRAGMS DIARIES DIARRHEA DIARY DIATRIBE DIATRIBES DIBBLE DICE DICHOTOMIZE DICHOTOMY DICKENS DICKERSON DICKINSON DICKSON DICKY DICTATE DICTATED DICTATES DICTATING DICTATION DICTATIONS DICTATOR DICTATORIAL DICTATORS DICTATORSHIP DICTION DICTIONARIES DICTIONARY DICTUM DICTUMS DID DIDACTIC DIDDLE DIDO DIE DIEBOLD DIED DIEGO DIEHARD DIELECTRIC DIELECTRICS DIEM DIES DIESEL DIET DIETARY DIETER DIETERS DIETETIC DIETICIAN DIETITIAN DIETITIANS DIETRICH DIETS DIETZ DIFFER DIFFERED DIFFERENCE DIFFERENCES DIFFERENT DIFFERENTIABLE DIFFERENTIAL DIFFERENTIALS DIFFERENTIATE DIFFERENTIATED DIFFERENTIATES DIFFERENTIATING DIFFERENTIATION DIFFERENTIATIONS DIFFERENTIATORS DIFFERENTLY DIFFERER DIFFERERS DIFFERING DIFFERS DIFFICULT DIFFICULTIES DIFFICULTLY DIFFICULTY DIFFRACT DIFFUSE DIFFUSED DIFFUSELY DIFFUSER DIFFUSERS DIFFUSES DIFFUSIBLE DIFFUSING DIFFUSION DIFFUSIONS DIFFUSIVE DIG DIGEST DIGESTED DIGESTIBLE DIGESTING DIGESTION DIGESTIVE DIGESTS DIGGER DIGGERS DIGGING DIGGINGS DIGIT DIGITAL DIGITALIS DIGITALLY DIGITIZATION DIGITIZE DIGITIZED DIGITIZES DIGITIZING DIGITS DIGNIFIED DIGNIFY DIGNITARY DIGNITIES DIGNITY DIGRAM DIGRESS DIGRESSED DIGRESSES DIGRESSING DIGRESSION DIGRESSIONS DIGRESSIVE DIGS DIHEDRAL DIJKSTRA DIJON DIKE DIKES DILAPIDATE DILATATION DILATE DILATED DILATES DILATING DILATION DILDO DILEMMA DILEMMAS DILIGENCE DILIGENT DILIGENTLY DILL DILLON DILOGARITHM DILUTE DILUTED DILUTES DILUTING DILUTION DIM DIMAGGIO DIME DIMENSION DIMENSIONAL DIMENSIONALITY DIMENSIONALLY DIMENSIONED DIMENSIONING DIMENSIONS DIMES DIMINISH DIMINISHED DIMINISHES DIMINISHING DIMINUTION DIMINUTIVE DIMLY DIMMED DIMMER DIMMERS DIMMEST DIMMING DIMNESS DIMPLE DIMS DIN DINAH DINE DINED DINER DINERS DINES DING DINGHY DINGINESS DINGO DINGY DINING DINNER DINNERS DINNERTIME DINNERWARE DINOSAUR DINT DIOCLETIAN DIODE DIODES DIOGENES DION DIONYSIAN DIONYSUS DIOPHANTINE DIOPTER DIORAMA DIOXIDE DIP DIPHTHERIA DIPHTHONG DIPLOMA DIPLOMACY DIPLOMAS DIPLOMAT DIPLOMATIC DIPLOMATS DIPOLE DIPPED DIPPER DIPPERS DIPPING DIPPINGS DIPS DIRAC DIRE DIRECT DIRECTED DIRECTING DIRECTION DIRECTIONAL DIRECTIONALITY DIRECTIONALLY DIRECTIONS DIRECTIVE DIRECTIVES DIRECTLY DIRECTNESS DIRECTOR DIRECTORATE DIRECTORIES DIRECTORS DIRECTORY DIRECTRICES DIRECTRIX DIRECTS DIRGE DIRGES DIRICHLET DIRT DIRTIER DIRTIEST DIRTILY DIRTINESS DIRTS DIRTY DIS DISABILITIES DISABILITY DISABLE DISABLED DISABLER DISABLERS DISABLES DISABLING DISADVANTAGE DISADVANTAGEOUS DISADVANTAGES DISAFFECTED DISAFFECTION DISAGREE DISAGREEABLE DISAGREED DISAGREEING DISAGREEMENT DISAGREEMENTS DISAGREES DISALLOW DISALLOWED DISALLOWING DISALLOWS DISAMBIGUATE DISAMBIGUATED DISAMBIGUATES DISAMBIGUATING DISAMBIGUATION DISAMBIGUATIONS DISAPPEAR DISAPPEARANCE DISAPPEARANCES DISAPPEARED DISAPPEARING DISAPPEARS DISAPPOINT DISAPPOINTED DISAPPOINTING DISAPPOINTMENT DISAPPOINTMENTS DISAPPROVAL DISAPPROVE DISAPPROVED DISAPPROVES DISARM DISARMAMENT DISARMED DISARMING DISARMS DISASSEMBLE DISASSEMBLED DISASSEMBLES DISASSEMBLING DISASSEMBLY DISASTER DISASTERS DISASTROUS DISASTROUSLY DISBAND DISBANDED DISBANDING DISBANDS DISBURSE DISBURSED DISBURSEMENT DISBURSEMENTS DISBURSES DISBURSING DISC DISCARD DISCARDED DISCARDING DISCARDS DISCERN DISCERNED DISCERNIBILITY DISCERNIBLE DISCERNIBLY DISCERNING DISCERNINGLY DISCERNMENT DISCERNS DISCHARGE DISCHARGED DISCHARGES DISCHARGING DISCIPLE DISCIPLES DISCIPLINARY DISCIPLINE DISCIPLINED DISCIPLINES DISCIPLINING DISCLAIM DISCLAIMED DISCLAIMER DISCLAIMS DISCLOSE DISCLOSED DISCLOSES DISCLOSING DISCLOSURE DISCLOSURES DISCOMFORT DISCONCERT DISCONCERTING DISCONCERTINGLY DISCONNECT DISCONNECTED DISCONNECTING DISCONNECTION DISCONNECTS DISCONTENT DISCONTENTED DISCONTINUANCE DISCONTINUE DISCONTINUED DISCONTINUES DISCONTINUITIES DISCONTINUITY DISCONTINUOUS DISCORD DISCORDANT DISCOUNT DISCOUNTED DISCOUNTING DISCOUNTS DISCOURAGE DISCOURAGED DISCOURAGEMENT DISCOURAGES DISCOURAGING DISCOURSE DISCOURSES DISCOVER DISCOVERED DISCOVERER DISCOVERERS DISCOVERIES DISCOVERING DISCOVERS DISCOVERY DISCREDIT DISCREDITED DISCREET DISCREETLY DISCREPANCIES DISCREPANCY DISCRETE DISCRETELY DISCRETENESS DISCRETION DISCRETIONARY DISCRIMINANT DISCRIMINATE DISCRIMINATED DISCRIMINATES DISCRIMINATING DISCRIMINATION DISCRIMINATORY DISCS DISCUSS DISCUSSANT DISCUSSED DISCUSSES DISCUSSING DISCUSSION DISCUSSIONS DISDAIN DISDAINING DISDAINS DISEASE DISEASED DISEASES DISEMBOWEL DISENGAGE DISENGAGED DISENGAGES DISENGAGING DISENTANGLE DISENTANGLING DISFIGURE DISFIGURED DISFIGURES DISFIGURING DISGORGE DISGRACE DISGRACED DISGRACEFUL DISGRACEFULLY DISGRACES DISGRUNTLE DISGRUNTLED DISGUISE DISGUISED DISGUISES DISGUST DISGUSTED DISGUSTEDLY DISGUSTFUL DISGUSTING DISGUSTINGLY DISGUSTS DISH DISHEARTEN DISHEARTENING DISHED DISHES DISHEVEL DISHING DISHONEST DISHONESTLY DISHONESTY DISHONOR DISHONORABLE DISHONORED DISHONORING DISHONORS DISHWASHER DISHWASHERS DISHWASHING DISHWATER DISILLUSION DISILLUSIONED DISILLUSIONING DISILLUSIONMENT DISILLUSIONMENTS DISINCLINED DISINGENUOUS DISINTERESTED DISINTERESTEDNESS DISJOINT DISJOINTED DISJOINTLY DISJOINTNESS DISJUNCT DISJUNCTION DISJUNCTIONS DISJUNCTIVE DISJUNCTIVELY DISJUNCTS DISK DISKETTE DISKETTES DISKS DISLIKE DISLIKED DISLIKES DISLIKING DISLOCATE DISLOCATED DISLOCATES DISLOCATING DISLOCATION DISLOCATIONS DISLODGE DISLODGED DISMAL DISMALLY DISMAY DISMAYED DISMAYING DISMEMBER DISMEMBERED DISMEMBERMENT DISMEMBERS DISMISS DISMISSAL DISMISSALS DISMISSED DISMISSER DISMISSERS DISMISSES DISMISSING DISMOUNT DISMOUNTED DISMOUNTING DISMOUNTS DISNEY DISNEYLAND DISOBEDIENCE DISOBEDIENT DISOBEY DISOBEYED DISOBEYING DISOBEYS DISORDER DISORDERED DISORDERLY DISORDERS DISORGANIZED DISOWN DISOWNED DISOWNING DISOWNS DISPARAGE DISPARATE DISPARITIES DISPARITY DISPASSIONATE DISPATCH DISPATCHED DISPATCHER DISPATCHERS DISPATCHES DISPATCHING DISPEL DISPELL DISPELLED DISPELLING DISPELS DISPENSARY DISPENSATION DISPENSE DISPENSED DISPENSER DISPENSERS DISPENSES DISPENSING DISPERSAL DISPERSE DISPERSED DISPERSES DISPERSING DISPERSION DISPERSIONS DISPLACE DISPLACED DISPLACEMENT DISPLACEMENTS DISPLACES DISPLACING DISPLAY DISPLAYABLE DISPLAYED DISPLAYER DISPLAYING DISPLAYS DISPLEASE DISPLEASED DISPLEASES DISPLEASING DISPLEASURE DISPOSABLE DISPOSAL DISPOSALS DISPOSE DISPOSED DISPOSER DISPOSES DISPOSING DISPOSITION DISPOSITIONS DISPOSSESSED DISPROPORTIONATE DISPROVE DISPROVED DISPROVES DISPROVING DISPUTE DISPUTED DISPUTER DISPUTERS DISPUTES DISPUTING DISQUALIFICATION DISQUALIFIED DISQUALIFIES DISQUALIFY DISQUALIFYING DISQUIET DISQUIETING DISRAELI DISREGARD DISREGARDED DISREGARDING DISREGARDS DISRESPECTFUL DISRUPT DISRUPTED DISRUPTING DISRUPTION DISRUPTIONS DISRUPTIVE DISRUPTS DISSATISFACTION DISSATISFACTIONS DISSATISFACTORY DISSATISFIED DISSECT DISSECTS DISSEMBLE DISSEMINATE DISSEMINATED DISSEMINATES DISSEMINATING DISSEMINATION DISSENSION DISSENSIONS DISSENT DISSENTED DISSENTER DISSENTERS DISSENTING DISSENTS DISSERTATION DISSERTATIONS DISSERVICE DISSIDENT DISSIDENTS DISSIMILAR DISSIMILARITIES DISSIMILARITY DISSIPATE DISSIPATED DISSIPATES DISSIPATING DISSIPATION DISSOCIATE DISSOCIATED DISSOCIATES DISSOCIATING DISSOCIATION DISSOLUTION DISSOLUTIONS DISSOLVE DISSOLVED DISSOLVES DISSOLVING DISSONANT DISSUADE DISTAFF DISTAL DISTALLY DISTANCE DISTANCES DISTANT DISTANTLY DISTASTE DISTASTEFUL DISTASTEFULLY DISTASTES DISTEMPER DISTEMPERED DISTEMPERS DISTILL DISTILLATION DISTILLED DISTILLER DISTILLERS DISTILLERY DISTILLING DISTILLS DISTINCT DISTINCTION DISTINCTIONS DISTINCTIVE DISTINCTIVELY DISTINCTIVENESS DISTINCTLY DISTINCTNESS DISTINGUISH DISTINGUISHABLE DISTINGUISHED DISTINGUISHES DISTINGUISHING DISTORT DISTORTED DISTORTING DISTORTION DISTORTIONS DISTORTS DISTRACT DISTRACTED DISTRACTING DISTRACTION DISTRACTIONS DISTRACTS DISTRAUGHT DISTRESS DISTRESSED DISTRESSES DISTRESSING DISTRIBUTE DISTRIBUTED DISTRIBUTES DISTRIBUTING DISTRIBUTION DISTRIBUTIONAL DISTRIBUTIONS DISTRIBUTIVE DISTRIBUTIVITY DISTRIBUTOR DISTRIBUTORS DISTRICT DISTRICTS DISTRUST DISTRUSTED DISTURB DISTURBANCE DISTURBANCES DISTURBED DISTURBER DISTURBING DISTURBINGLY DISTURBS DISUSE DITCH DITCHES DITHER DITTO DITTY DITZEL DIURNAL DIVAN DIVANS DIVE DIVED DIVER DIVERGE DIVERGED DIVERGENCE DIVERGENCES DIVERGENT DIVERGES DIVERGING DIVERS DIVERSE DIVERSELY DIVERSIFICATION DIVERSIFIED DIVERSIFIES DIVERSIFY DIVERSIFYING DIVERSION DIVERSIONARY DIVERSIONS DIVERSITIES DIVERSITY DIVERT DIVERTED DIVERTING DIVERTS DIVES DIVEST DIVESTED DIVESTING DIVESTITURE DIVESTS DIVIDE DIVIDED DIVIDEND DIVIDENDS DIVIDER DIVIDERS DIVIDES DIVIDING DIVINE DIVINELY DIVINER DIVING DIVINING DIVINITIES DIVINITY DIVISIBILITY DIVISIBLE DIVISION DIVISIONAL DIVISIONS DIVISIVE DIVISOR DIVISORS DIVORCE DIVORCED DIVORCEE DIVULGE DIVULGED DIVULGES DIVULGING DIXIE DIXIECRATS DIXIELAND DIXON DIZZINESS DIZZY DJAKARTA DMITRI DNIEPER DOBBIN DOBBS DOBERMAN DOC DOCILE DOCK DOCKED DOCKET DOCKS DOCKSIDE DOCKYARD DOCTOR DOCTORAL DOCTORATE DOCTORATES DOCTORED DOCTORS DOCTRINAIRE DOCTRINAL DOCTRINE DOCTRINES DOCUMENT DOCUMENTARIES DOCUMENTARY DOCUMENTATION DOCUMENTATIONS DOCUMENTED DOCUMENTER DOCUMENTERS DOCUMENTING DOCUMENTS DODD DODECAHEDRA DODECAHEDRAL DODECAHEDRON DODGE DODGED DODGER DODGERS DODGING DODINGTON DODSON DOE DOER DOERS DOES DOG DOGE DOGGED DOGGEDLY DOGGEDNESS DOGGING DOGHOUSE DOGMA DOGMAS DOGMATIC DOGMATISM DOGS DOGTOWN DOHERTY DOING DOINGS DOLAN DOLDRUM DOLE DOLED DOLEFUL DOLEFULLY DOLES DOLL DOLLAR DOLLARS DOLLIES DOLLS DOLLY DOLORES DOLPHIN DOLPHINS DOMAIN DOMAINS DOME DOMED DOMENICO DOMES DOMESDAY DOMESTIC DOMESTICALLY DOMESTICATE DOMESTICATED DOMESTICATES DOMESTICATING DOMESTICATION DOMICILE DOMINANCE DOMINANT DOMINANTLY DOMINATE DOMINATED DOMINATES DOMINATING DOMINATION DOMINEER DOMINEERING DOMINGO DOMINIC DOMINICAN DOMINICANS DOMINICK DOMINION DOMINIQUE DOMINO DON DONAHUE DONALD DONALDSON DONATE DONATED DONATES DONATING DONATION DONE DONECK DONKEY DONKEYS DONNA DONNELLY DONNER DONNYBROOK DONOR DONOVAN DONS DOODLE DOOLEY DOOLITTLE DOOM DOOMED DOOMING DOOMS DOOMSDAY DOOR DOORBELL DOORKEEPER DOORMAN DOORMEN DOORS DOORSTEP DOORSTEPS DOORWAY DOORWAYS DOPE DOPED DOPER DOPERS DOPES DOPING DOPPLER DORA DORADO DORCAS DORCHESTER DOREEN DORIA DORIC DORICIZE DORICIZES DORIS DORMANT DORMITORIES DORMITORY DOROTHEA DOROTHY DORSET DORTMUND DOSAGE DOSE DOSED DOSES DOSSIER DOSSIERS DOSTOEVSKY DOT DOTE DOTED DOTES DOTING DOTINGLY DOTS DOTTED DOTTING DOUBLE DOUBLED DOUBLEDAY DOUBLEHEADER DOUBLER DOUBLERS DOUBLES DOUBLET DOUBLETON DOUBLETS DOUBLING DOUBLOON DOUBLY DOUBT DOUBTABLE DOUBTED DOUBTER DOUBTERS DOUBTFUL DOUBTFULLY DOUBTING DOUBTLESS DOUBTLESSLY DOUBTS DOUG DOUGH DOUGHERTY DOUGHNUT DOUGHNUTS DOUGLAS DOUGLASS DOVE DOVER DOVES DOVETAIL DOW DOWAGER DOWEL DOWLING DOWN DOWNCAST DOWNED DOWNERS DOWNEY DOWNFALL DOWNFALLEN DOWNGRADE DOWNHILL DOWNING DOWNLINK DOWNLINKS DOWNLOAD DOWNLOADED DOWNLOADING DOWNLOADS DOWNPLAY DOWNPLAYED DOWNPLAYING DOWNPLAYS DOWNPOUR DOWNRIGHT DOWNS DOWNSIDE DOWNSTAIRS DOWNSTREAM DOWNTOWN DOWNTOWNS DOWNTRODDEN DOWNTURN DOWNWARD DOWNWARDS DOWNY DOWRY DOYLE DOZE DOZED DOZEN DOZENS DOZENTH DOZES DOZING DRAB DRACO DRACONIAN DRAFT DRAFTED DRAFTEE DRAFTER DRAFTERS DRAFTING DRAFTS DRAFTSMAN DRAFTSMEN DRAFTY DRAG DRAGGED DRAGGING DRAGNET DRAGON DRAGONFLY DRAGONHEAD DRAGONS DRAGOON DRAGOONED DRAGOONS DRAGS DRAIN DRAINAGE DRAINED DRAINER DRAINING DRAINS DRAKE DRAM DRAMA DRAMAMINE DRAMAS DRAMATIC DRAMATICALLY DRAMATICS DRAMATIST DRAMATISTS DRANK DRAPE DRAPED DRAPER DRAPERIES DRAPERS DRAPERY DRAPES DRASTIC DRASTICALLY DRAUGHT DRAUGHTS DRAVIDIAN DRAW DRAWBACK DRAWBACKS DRAWBRIDGE DRAWBRIDGES DRAWER DRAWERS DRAWING DRAWINGS DRAWL DRAWLED DRAWLING DRAWLS DRAWN DRAWNLY DRAWNNESS DRAWS DREAD DREADED DREADFUL DREADFULLY DREADING DREADNOUGHT DREADS DREAM DREAMBOAT DREAMED DREAMER DREAMERS DREAMILY DREAMING DREAMLIKE DREAMS DREAMT DREAMY DREARINESS DREARY DREDGE DREGS DRENCH DRENCHED DRENCHES DRENCHING DRESS DRESSED DRESSER DRESSERS DRESSES DRESSING DRESSINGS DRESSMAKER DRESSMAKERS DREW DREXEL DREYFUSS DRIED DRIER DRIERS DRIES DRIEST DRIFT DRIFTED DRIFTER DRIFTERS DRIFTING DRIFTS DRILL DRILLED DRILLER DRILLING DRILLS DRILY DRINK DRINKABLE DRINKER DRINKERS DRINKING DRINKS DRIP DRIPPING DRIPPY DRIPS DRISCOLL DRIVE DRIVEN DRIVER DRIVERS DRIVES DRIVEWAY DRIVEWAYS DRIVING DRIZZLE DRIZZLY DROLL DROMEDARY DRONE DRONES DROOL DROOP DROOPED DROOPING DROOPS DROOPY DROP DROPLET DROPOUT DROPPED DROPPER DROPPERS DROPPING DROPPINGS DROPS DROSOPHILA DROUGHT DROUGHTS DROVE DROVER DROVERS DROVES DROWN DROWNED DROWNING DROWNINGS DROWNS DROWSINESS DROWSY DRUBBING DRUDGE DRUDGERY DRUG DRUGGIST DRUGGISTS DRUGS DRUGSTORE DRUM DRUMHEAD DRUMMED DRUMMER DRUMMERS DRUMMING DRUMMOND DRUMS DRUNK DRUNKARD DRUNKARDS DRUNKEN DRUNKENNESS DRUNKER DRUNKLY DRUNKS DRURY DRY DRYDEN DRYING DRYLY DUAL DUALISM DUALITIES DUALITY DUANE DUB DUBBED DUBHE DUBIOUS DUBIOUSLY DUBIOUSNESS DUBLIN DUBS DUBUQUE DUCHESS DUCHESSES DUCHY DUCK DUCKED DUCKING DUCKLING DUCKS DUCT DUCTS DUD DUDLEY DUE DUEL DUELING DUELS DUES DUET DUFFY DUG DUGAN DUKE DUKES DULL DULLED DULLER DULLES DULLEST DULLING DULLNESS DULLS DULLY DULUTH DULY DUMB DUMBBELL DUMBBELLS DUMBER DUMBEST DUMBLY DUMBNESS DUMMIES DUMMY DUMP DUMPED DUMPER DUMPING DUMPS DUMPTY DUNBAR DUNCAN DUNCE DUNCES DUNDEE DUNE DUNEDIN DUNES DUNG DUNGEON DUNGEONS DUNHAM DUNK DUNKIRK DUNLAP DUNLOP DUNN DUNNE DUPE DUPLEX DUPLICABLE DUPLICATE DUPLICATED DUPLICATES DUPLICATING DUPLICATION DUPLICATIONS DUPLICATOR DUPLICATORS DUPLICITY DUPONT DUPONT DUPONTS DUPONTS DUQUESNE DURABILITIES DURABILITY DURABLE DURABLY DURANGO DURATION DURATIONS DURER DURERS DURESS DURHAM DURING DURKEE DURKIN DURRELL DURWARD DUSENBERG DUSENBURY DUSK DUSKINESS DUSKY DUSSELDORF DUST DUSTBIN DUSTED DUSTER DUSTERS DUSTIER DUSTIEST DUSTIN DUSTING DUSTS DUSTY DUTCH DUTCHESS DUTCHMAN DUTCHMEN DUTIES DUTIFUL DUTIFULLY DUTIFULNESS DUTTON DUTY DVORAK DWARF DWARFED DWARFS DWARVES DWELL DWELLED DWELLER DWELLERS DWELLING DWELLINGS DWELLS DWELT DWIGHT DWINDLE DWINDLED DWINDLING DWYER DYAD DYADIC DYE DYED DYEING DYER DYERS DYES DYING DYKE DYLAN DYNAMIC DYNAMICALLY DYNAMICS DYNAMISM DYNAMITE DYNAMITED DYNAMITES DYNAMITING DYNAMO DYNASTIC DYNASTIES DYNASTY DYNE DYSENTERY DYSPEPTIC DYSTROPHY EACH EAGAN EAGER EAGERLY EAGERNESS EAGLE EAGLES EAR EARDRUM EARED EARL EARLIER EARLIEST EARLINESS EARLS EARLY EARMARK EARMARKED EARMARKING EARMARKINGS EARMARKS EARN EARNED EARNER EARNERS EARNEST EARNESTLY EARNESTNESS EARNING EARNINGS EARNS EARP EARPHONE EARRING EARRINGS EARS EARSPLITTING EARTH EARTHEN EARTHENWARE EARTHLINESS EARTHLING EARTHLY EARTHMAN EARTHMEN EARTHMOVER EARTHQUAKE EARTHQUAKES EARTHS EARTHWORM EARTHWORMS EARTHY EASE EASED EASEL EASEMENT EASEMENTS EASES EASIER EASIEST EASILY EASINESS EASING EAST EASTBOUND EASTER EASTERN EASTERNER EASTERNERS EASTERNMOST EASTHAMPTON EASTLAND EASTMAN EASTWARD EASTWARDS EASTWICK EASTWOOD EASY EASYGOING EAT EATEN EATER EATERS EATING EATINGS EATON EATS EAVES EAVESDROP EAVESDROPPED EAVESDROPPER EAVESDROPPERS EAVESDROPPING EAVESDROPS EBB EBBING EBBS EBEN EBONY ECCENTRIC ECCENTRICITIES ECCENTRICITY ECCENTRICS ECCLES ECCLESIASTICAL ECHELON ECHO ECHOED ECHOES ECHOING ECLECTIC ECLIPSE ECLIPSED ECLIPSES ECLIPSING ECLIPTIC ECOLE ECOLOGY ECONOMETRIC ECONOMETRICA ECONOMIC ECONOMICAL ECONOMICALLY ECONOMICS ECONOMIES ECONOMIST ECONOMISTS ECONOMIZE ECONOMIZED ECONOMIZER ECONOMIZERS ECONOMIZES ECONOMIZING ECONOMY ECOSYSTEM ECSTASY ECSTATIC ECUADOR ECUADORIAN EDDIE EDDIES EDDY EDEN EDENIZATION EDENIZATIONS EDENIZE EDENIZES EDGAR EDGE EDGED EDGERTON EDGES EDGEWATER EDGEWOOD EDGING EDIBLE EDICT EDICTS EDIFICE EDIFICES EDINBURGH EDISON EDIT EDITED EDITH EDITING EDITION EDITIONS EDITOR EDITORIAL EDITORIALLY EDITORIALS EDITORS EDITS EDMONDS EDMONDSON EDMONTON EDMUND EDNA EDSGER EDUARD EDUARDO EDUCABLE EDUCATE EDUCATED EDUCATES EDUCATING EDUCATION EDUCATIONAL EDUCATIONALLY EDUCATIONS EDUCATOR EDUCATORS EDWARD EDWARDIAN EDWARDINE EDWARDS EDWIN EDWINA EEL EELGRASS EELS EERIE EERILY EFFECT EFFECTED EFFECTING EFFECTIVE EFFECTIVELY EFFECTIVENESS EFFECTOR EFFECTORS EFFECTS EFFECTUALLY EFFECTUATE EFFEMINATE EFFICACY EFFICIENCIES EFFICIENCY EFFICIENT EFFICIENTLY EFFIE EFFIGY EFFORT EFFORTLESS EFFORTLESSLY EFFORTLESSNESS EFFORTS EGALITARIAN EGAN EGG EGGED EGGHEAD EGGING EGGPLANT EGGS EGGSHELL EGO EGOCENTRIC EGOS EGOTISM EGOTIST EGYPT EGYPTIAN EGYPTIANIZATION EGYPTIANIZATIONS EGYPTIANIZE EGYPTIANIZES EGYPTIANS EGYPTIZE EGYPTIZES EGYPTOLOGY EHRLICH EICHMANN EIFFEL EIGENFUNCTION EIGENSTATE EIGENVALUE EIGENVALUES EIGENVECTOR EIGHT EIGHTEEN EIGHTEENS EIGHTEENTH EIGHTFOLD EIGHTH EIGHTHES EIGHTIES EIGHTIETH EIGHTS EIGHTY EILEEN EINSTEIN EINSTEINIAN EIRE EISENHOWER EISNER EITHER EJACULATE EJACULATED EJACULATES EJACULATING EJACULATION EJACULATIONS EJECT EJECTED EJECTING EJECTS EKBERG EKE EKED EKES EKSTROM EKTACHROME ELABORATE ELABORATED ELABORATELY ELABORATENESS ELABORATES ELABORATING ELABORATION ELABORATIONS ELABORATORS ELAINE ELAPSE ELAPSED ELAPSES ELAPSING ELASTIC ELASTICALLY ELASTICITY ELBA ELBOW ELBOWING ELBOWS ELDER ELDERLY ELDERS ELDEST ELDON ELEANOR ELEAZAR ELECT ELECTED ELECTING ELECTION ELECTIONS ELECTIVE ELECTIVES ELECTOR ELECTORAL ELECTORATE ELECTORS ELECTRA ELECTRIC ELECTRICAL ELECTRICALLY ELECTRICALNESS ELECTRICIAN ELECTRICITY ELECTRIFICATION ELECTRIFY ELECTRIFYING ELECTRO ELECTROCARDIOGRAM ELECTROCARDIOGRAPH ELECTROCUTE ELECTROCUTED ELECTROCUTES ELECTROCUTING ELECTROCUTION ELECTROCUTIONS ELECTRODE ELECTRODES ELECTROENCEPHALOGRAM ELECTROENCEPHALOGRAPH ELECTROENCEPHALOGRAPHY ELECTROLYSIS ELECTROLYTE ELECTROLYTES ELECTROLYTIC ELECTROMAGNETIC ELECTROMECHANICAL ELECTRON ELECTRONIC ELECTRONICALLY ELECTRONICS ELECTRONS ELECTROPHORESIS ELECTROPHORUS ELECTS ELEGANCE ELEGANT ELEGANTLY ELEGY ELEMENT ELEMENTAL ELEMENTALS ELEMENTARY ELEMENTS ELENA ELEPHANT ELEPHANTS ELEVATE ELEVATED ELEVATES ELEVATION ELEVATOR ELEVATORS ELEVEN ELEVENS ELEVENTH ELF ELGIN ELI ELICIT ELICITED ELICITING ELICITS ELIDE ELIGIBILITY ELIGIBLE ELIJAH ELIMINATE ELIMINATED ELIMINATES ELIMINATING ELIMINATION ELIMINATIONS ELIMINATOR ELIMINATORS ELINOR ELIOT ELISABETH ELISHA ELISION ELITE ELITIST ELIZABETH ELIZABETHAN ELIZABETHANIZE ELIZABETHANIZES ELIZABETHANS ELK ELKHART ELKS ELLA ELLEN ELLIE ELLIOT ELLIOTT ELLIPSE ELLIPSES ELLIPSIS ELLIPSOID ELLIPSOIDAL ELLIPSOIDS ELLIPTIC ELLIPTICAL ELLIPTICALLY ELLIS ELLISON ELLSWORTH ELLWOOD ELM ELMER ELMHURST ELMIRA ELMS ELMSFORD ELOISE ELOPE ELOQUENCE ELOQUENT ELOQUENTLY ELROY ELSE ELSEVIER ELSEWHERE ELSIE ELSINORE ELTON ELUCIDATE ELUCIDATED ELUCIDATES ELUCIDATING ELUCIDATION ELUDE ELUDED ELUDES ELUDING ELUSIVE ELUSIVELY ELUSIVENESS ELVES ELVIS ELY ELYSEE ELYSEES ELYSIUM EMACIATE EMACIATED EMACS EMANATE EMANATING EMANCIPATE EMANCIPATION EMANUEL EMASCULATE EMBALM EMBARGO EMBARGOES EMBARK EMBARKED EMBARKS EMBARRASS EMBARRASSED EMBARRASSES EMBARRASSING EMBARRASSMENT EMBASSIES EMBASSY EMBED EMBEDDED EMBEDDING EMBEDS EMBELLISH EMBELLISHED EMBELLISHES EMBELLISHING EMBELLISHMENT EMBELLISHMENTS EMBER EMBEZZLE EMBLEM EMBODIED EMBODIES EMBODIMENT EMBODIMENTS EMBODY EMBODYING EMBOLDEN EMBRACE EMBRACED EMBRACES EMBRACING EMBROIDER EMBROIDERED EMBROIDERIES EMBROIDERS EMBROIDERY EMBROIL EMBRYO EMBRYOLOGY EMBRYOS EMERALD EMERALDS EMERGE EMERGED EMERGENCE EMERGENCIES EMERGENCY EMERGENT EMERGES EMERGING EMERITUS EMERSON EMERY EMIGRANT EMIGRANTS EMIGRATE EMIGRATED EMIGRATES EMIGRATING EMIGRATION EMIL EMILE EMILIO EMILY EMINENCE EMINENT EMINENTLY EMISSARY EMISSION EMIT EMITS EMITTED EMITTER EMITTING EMMA EMMANUEL EMMETT EMORY EMOTION EMOTIONAL EMOTIONALLY EMOTIONS EMPATHY EMPEROR EMPERORS EMPHASES EMPHASIS EMPHASIZE EMPHASIZED EMPHASIZES EMPHASIZING EMPHATIC EMPHATICALLY EMPIRE EMPIRES EMPIRICAL EMPIRICALLY EMPIRICIST EMPIRICISTS EMPLOY EMPLOYABLE EMPLOYED EMPLOYEE EMPLOYEES EMPLOYER EMPLOYERS EMPLOYING EMPLOYMENT EMPLOYMENTS EMPLOYS EMPORIUM EMPOWER EMPOWERED EMPOWERING EMPOWERS EMPRESS EMPTIED EMPTIER EMPTIES EMPTIEST EMPTILY EMPTINESS EMPTY EMPTYING EMULATE EMULATED EMULATES EMULATING EMULATION EMULATIONS EMULATOR EMULATORS ENABLE ENABLED ENABLER ENABLERS ENABLES ENABLING ENACT ENACTED ENACTING ENACTMENT ENACTS ENAMEL ENAMELED ENAMELING ENAMELS ENCAMP ENCAMPED ENCAMPING ENCAMPS ENCAPSULATE ENCAPSULATED ENCAPSULATES ENCAPSULATING ENCAPSULATION ENCASED ENCHANT ENCHANTED ENCHANTER ENCHANTING ENCHANTMENT ENCHANTRESS ENCHANTS ENCIPHER ENCIPHERED ENCIPHERING ENCIPHERS ENCIRCLE ENCIRCLED ENCIRCLES ENCLOSE ENCLOSED ENCLOSES ENCLOSING ENCLOSURE ENCLOSURES ENCODE ENCODED ENCODER ENCODERS ENCODES ENCODING ENCODINGS ENCOMPASS ENCOMPASSED ENCOMPASSES ENCOMPASSING ENCORE ENCOUNTER ENCOUNTERED ENCOUNTERING ENCOUNTERS ENCOURAGE ENCOURAGED ENCOURAGEMENT ENCOURAGEMENTS ENCOURAGES ENCOURAGING ENCOURAGINGLY ENCROACH ENCRUST ENCRYPT ENCRYPTED ENCRYPTING ENCRYPTION ENCRYPTIONS ENCRYPTS ENCUMBER ENCUMBERED ENCUMBERING ENCUMBERS ENCYCLOPEDIA ENCYCLOPEDIAS ENCYCLOPEDIC END ENDANGER ENDANGERED ENDANGERING ENDANGERS ENDEAR ENDEARED ENDEARING ENDEARS ENDEAVOR ENDEAVORED ENDEAVORING ENDEAVORS ENDED ENDEMIC ENDER ENDERS ENDGAME ENDICOTT ENDING ENDINGS ENDLESS ENDLESSLY ENDLESSNESS ENDORSE ENDORSED ENDORSEMENT ENDORSES ENDORSING ENDOW ENDOWED ENDOWING ENDOWMENT ENDOWMENTS ENDOWS ENDPOINT ENDS ENDURABLE ENDURABLY ENDURANCE ENDURE ENDURED ENDURES ENDURING ENDURINGLY ENEMA ENEMAS ENEMIES ENEMY ENERGETIC ENERGIES ENERGIZE ENERGY ENERVATE ENFEEBLE ENFIELD ENFORCE ENFORCEABLE ENFORCED ENFORCEMENT ENFORCER ENFORCERS ENFORCES ENFORCING ENFRANCHISE ENG ENGAGE ENGAGED ENGAGEMENT ENGAGEMENTS ENGAGES ENGAGING ENGAGINGLY ENGEL ENGELS ENGENDER ENGENDERED ENGENDERING ENGENDERS ENGINE ENGINEER ENGINEERED ENGINEERING ENGINEERS ENGINES ENGLAND ENGLANDER ENGLANDERS ENGLE ENGLEWOOD ENGLISH ENGLISHIZE ENGLISHIZES ENGLISHMAN ENGLISHMEN ENGRAVE ENGRAVED ENGRAVER ENGRAVES ENGRAVING ENGRAVINGS ENGROSS ENGROSSED ENGROSSING ENGULF ENHANCE ENHANCED ENHANCEMENT ENHANCEMENTS ENHANCES ENHANCING ENID ENIGMA ENIGMATIC ENJOIN ENJOINED ENJOINING ENJOINS ENJOY ENJOYABLE ENJOYABLY ENJOYED ENJOYING ENJOYMENT ENJOYS ENLARGE ENLARGED ENLARGEMENT ENLARGEMENTS ENLARGER ENLARGERS ENLARGES ENLARGING ENLIGHTEN ENLIGHTENED ENLIGHTENING ENLIGHTENMENT ENLIST ENLISTED ENLISTMENT ENLISTS ENLIVEN ENLIVENED ENLIVENING ENLIVENS ENMITIES ENMITY ENNOBLE ENNOBLED ENNOBLES ENNOBLING ENNUI ENOCH ENORMITIES ENORMITY ENORMOUS ENORMOUSLY ENOS ENOUGH ENQUEUE ENQUEUED ENQUEUES ENQUIRE ENQUIRED ENQUIRER ENQUIRES ENQUIRY ENRAGE ENRAGED ENRAGES ENRAGING ENRAPTURE ENRICH ENRICHED ENRICHES ENRICHING ENRICO ENROLL ENROLLED ENROLLING ENROLLMENT ENROLLMENTS ENROLLS ENSEMBLE ENSEMBLES ENSIGN ENSIGNS ENSLAVE ENSLAVED ENSLAVES ENSLAVING ENSNARE ENSNARED ENSNARES ENSNARING ENSOLITE ENSUE ENSUED ENSUES ENSUING ENSURE ENSURED ENSURER ENSURERS ENSURES ENSURING ENTAIL ENTAILED ENTAILING ENTAILS ENTANGLE ENTER ENTERED ENTERING ENTERPRISE ENTERPRISES ENTERPRISING ENTERS ENTERTAIN ENTERTAINED ENTERTAINER ENTERTAINERS ENTERTAINING ENTERTAININGLY ENTERTAINMENT ENTERTAINMENTS ENTERTAINS ENTHUSIASM ENTHUSIASMS ENTHUSIAST ENTHUSIASTIC ENTHUSIASTICALLY ENTHUSIASTS ENTICE ENTICED ENTICER ENTICERS ENTICES ENTICING ENTIRE ENTIRELY ENTIRETIES ENTIRETY ENTITIES ENTITLE ENTITLED ENTITLES ENTITLING ENTITY ENTOMB ENTRANCE ENTRANCED ENTRANCES ENTRAP ENTREAT ENTREATED ENTREATY ENTREE ENTRENCH ENTRENCHED ENTRENCHES ENTRENCHING ENTREPRENEUR ENTREPRENEURIAL ENTREPRENEURS ENTRIES ENTROPY ENTRUST ENTRUSTED ENTRUSTING ENTRUSTS ENTRY ENUMERABLE ENUMERATE ENUMERATED ENUMERATES ENUMERATING ENUMERATION ENUMERATIVE ENUMERATOR ENUMERATORS ENUNCIATION ENVELOP ENVELOPE ENVELOPED ENVELOPER ENVELOPES ENVELOPING ENVELOPS ENVIED ENVIES ENVIOUS ENVIOUSLY ENVIOUSNESS ENVIRON ENVIRONING ENVIRONMENT ENVIRONMENTAL ENVIRONMENTS ENVIRONS ENVISAGE ENVISAGED ENVISAGES ENVISION ENVISIONED ENVISIONING ENVISIONS ENVOY ENVOYS ENVY ENZYME EOCENE EPAULET EPAULETS EPHEMERAL EPHESIAN EPHESIANS EPHESUS EPHRAIM EPIC EPICENTER EPICS EPICUREAN EPICURIZE EPICURIZES EPICURUS EPIDEMIC EPIDEMICS EPIDERMIS EPIGRAM EPILEPTIC EPILOGUE EPIPHANY EPISCOPAL EPISCOPALIAN EPISCOPALIANIZE EPISCOPALIANIZES EPISODE EPISODES EPISTEMOLOGICAL EPISTEMOLOGY EPISTLE EPISTLES EPITAPH EPITAPHS EPITAXIAL EPITAXIALLY EPITHET EPITHETS EPITOMIZE EPITOMIZED EPITOMIZES EPITOMIZING EPOCH EPOCHS EPSILON EPSOM EPSTEIN EQUAL EQUALED EQUALING EQUALITIES EQUALITY EQUALIZATION EQUALIZE EQUALIZED EQUALIZER EQUALIZERS EQUALIZES EQUALIZING EQUALLY EQUALS EQUATE EQUATED EQUATES EQUATING EQUATION EQUATIONS EQUATOR EQUATORIAL EQUATORS EQUESTRIAN EQUIDISTANT EQUILATERAL EQUILIBRATE EQUILIBRIA EQUILIBRIUM EQUILIBRIUMS EQUINOX EQUIP EQUIPMENT EQUIPOISE EQUIPPED EQUIPPING EQUIPS EQUITABLE EQUITABLY EQUITY EQUIVALENCE EQUIVALENCES EQUIVALENT EQUIVALENTLY EQUIVALENTS EQUIVOCAL EQUIVOCALLY ERA ERADICATE ERADICATED ERADICATES ERADICATING ERADICATION ERAS ERASABLE ERASE ERASED ERASER ERASERS ERASES ERASING ERASMUS ERASTUS ERASURE ERATO ERATOSTHENES ERE ERECT ERECTED ERECTING ERECTION ERECTIONS ERECTOR ERECTORS ERECTS ERG ERGO ERGODIC ERIC ERICH ERICKSON ERICSSON ERIE ERIK ERIKSON ERIS ERLANG ERLENMEYER ERLENMEYERS ERMINE ERMINES ERNE ERNEST ERNESTINE ERNIE ERNST ERODE EROS EROSION EROTIC EROTICA ERR ERRAND ERRANT ERRATA ERRATIC ERRATUM ERRED ERRING ERRINGLY ERROL ERRONEOUS ERRONEOUSLY ERRONEOUSNESS ERROR ERRORS ERRS ERSATZ ERSKINE ERUDITE ERUPT ERUPTION ERVIN ERWIN ESCALATE ESCALATED ESCALATES ESCALATING ESCALATION ESCAPABLE ESCAPADE ESCAPADES ESCAPE ESCAPED ESCAPEE ESCAPEES ESCAPES ESCAPING ESCHERICHIA ESCHEW ESCHEWED ESCHEWING ESCHEWS ESCORT ESCORTED ESCORTING ESCORTS ESCROW ESKIMO ESKIMOIZED ESKIMOIZEDS ESKIMOS ESMARK ESOTERIC ESPAGNOL ESPECIAL ESPECIALLY ESPIONAGE ESPOSITO ESPOUSE ESPOUSED ESPOUSES ESPOUSING ESPRIT ESPY ESQUIRE ESQUIRES ESSAY ESSAYED ESSAYS ESSEN ESSENCE ESSENCES ESSENIZE ESSENIZES ESSENTIAL ESSENTIALLY ESSENTIALS ESSEX ESTABLISH ESTABLISHED ESTABLISHES ESTABLISHING ESTABLISHMENT ESTABLISHMENTS ESTATE ESTATES ESTEEM ESTEEMED ESTEEMING ESTEEMS ESTELLA ESTES ESTHER ESTHETICS ESTIMATE ESTIMATED ESTIMATES ESTIMATING ESTIMATION ESTIMATIONS ESTONIA ESTONIAN ETCH ETCHING ETERNAL ETERNALLY ETERNITIES ETERNITY ETHAN ETHEL ETHER ETHEREAL ETHEREALLY ETHERNET ETHERNETS ETHERS ETHIC ETHICAL ETHICALLY ETHICS ETHIOPIA ETHIOPIANS ETHNIC ETIQUETTE ETRURIA ETRUSCAN ETYMOLOGY EUCALYPTUS EUCHARIST EUCLID EUCLIDEAN EUGENE EUGENIA EULER EULERIAN EUMENIDES EUNICE EUNUCH EUNUCHS EUPHEMISM EUPHEMISMS EUPHORIA EUPHORIC EUPHRATES EURASIA EURASIAN EUREKA EURIPIDES EUROPA EUROPE EUROPEAN EUROPEANIZATION EUROPEANIZATIONS EUROPEANIZE EUROPEANIZED EUROPEANIZES EUROPEANS EURYDICE EUTERPE EUTHANASIA EVA EVACUATE EVACUATED EVACUATION EVADE EVADED EVADES EVADING EVALUATE EVALUATED EVALUATES EVALUATING EVALUATION EVALUATIONS EVALUATIVE EVALUATOR EVALUATORS EVANGELINE EVANS EVANSTON EVANSVILLE EVAPORATE EVAPORATED EVAPORATING EVAPORATION EVAPORATIVE EVASION EVASIVE EVE EVELYN EVEN EVENED EVENHANDED EVENHANDEDLY EVENHANDEDNESS EVENING EVENINGS EVENLY EVENNESS EVENS EVENSEN EVENT EVENTFUL EVENTFULLY EVENTS EVENTUAL EVENTUALITIES EVENTUALITY EVENTUALLY EVER EVEREADY EVEREST EVERETT EVERGLADE EVERGLADES EVERGREEN EVERHART EVERLASTING EVERLASTINGLY EVERMORE EVERY EVERYBODY EVERYDAY EVERYONE EVERYTHING EVERYWHERE EVICT EVICTED EVICTING EVICTION EVICTIONS EVICTS EVIDENCE EVIDENCED EVIDENCES EVIDENCING EVIDENT EVIDENTLY EVIL EVILLER EVILLY EVILS EVINCE EVINCED EVINCES EVOKE EVOKED EVOKES EVOKING EVOLUTE EVOLUTES EVOLUTION EVOLUTIONARY EVOLUTIONS EVOLVE EVOLVED EVOLVES EVOLVING EWE EWEN EWES EWING EXACERBATE EXACERBATED EXACERBATES EXACERBATING EXACERBATION EXACERBATIONS EXACT EXACTED EXACTING EXACTINGLY EXACTION EXACTIONS EXACTITUDE EXACTLY EXACTNESS EXACTS EXAGGERATE EXAGGERATED EXAGGERATES EXAGGERATING EXAGGERATION EXAGGERATIONS EXALT EXALTATION EXALTED EXALTING EXALTS EXAM EXAMINATION EXAMINATIONS EXAMINE EXAMINED EXAMINER EXAMINERS EXAMINES EXAMINING EXAMPLE EXAMPLES EXAMS EXASPERATE EXASPERATED EXASPERATES EXASPERATING EXASPERATION EXCAVATE EXCAVATED EXCAVATES EXCAVATING EXCAVATION EXCAVATIONS EXCEED EXCEEDED EXCEEDING EXCEEDINGLY EXCEEDS EXCEL EXCELLED EXCELLENCE EXCELLENCES EXCELLENCY EXCELLENT EXCELLENTLY EXCELLING EXCELS EXCEPT EXCEPTED EXCEPTING EXCEPTION EXCEPTIONABLE EXCEPTIONAL EXCEPTIONALLY EXCEPTIONS EXCEPTS EXCERPT EXCERPTED EXCERPTS EXCESS EXCESSES EXCESSIVE EXCESSIVELY EXCHANGE EXCHANGEABLE EXCHANGED EXCHANGES EXCHANGING EXCHEQUER EXCHEQUERS EXCISE EXCISED EXCISES EXCISING EXCISION EXCITABLE EXCITATION EXCITATIONS EXCITE EXCITED EXCITEDLY EXCITEMENT EXCITES EXCITING EXCITINGLY EXCITON EXCLAIM EXCLAIMED EXCLAIMER EXCLAIMERS EXCLAIMING EXCLAIMS EXCLAMATION EXCLAMATIONS EXCLAMATORY EXCLUDE EXCLUDED EXCLUDES EXCLUDING EXCLUSION EXCLUSIONARY EXCLUSIONS EXCLUSIVE EXCLUSIVELY EXCLUSIVENESS EXCLUSIVITY EXCOMMUNICATE EXCOMMUNICATED EXCOMMUNICATES EXCOMMUNICATING EXCOMMUNICATION EXCRETE EXCRETED EXCRETES EXCRETING EXCRETION EXCRETIONS EXCRETORY EXCRUCIATE EXCURSION EXCURSIONS EXCUSABLE EXCUSABLY EXCUSE EXCUSED EXCUSES EXCUSING EXEC EXECUTABLE EXECUTE EXECUTED EXECUTES EXECUTING EXECUTION EXECUTIONAL EXECUTIONER EXECUTIONS EXECUTIVE EXECUTIVES EXECUTOR EXECUTORS EXEMPLAR EXEMPLARY EXEMPLIFICATION EXEMPLIFIED EXEMPLIFIER EXEMPLIFIERS EXEMPLIFIES EXEMPLIFY EXEMPLIFYING EXEMPT EXEMPTED EXEMPTING EXEMPTION EXEMPTS EXERCISE EXERCISED EXERCISER EXERCISERS EXERCISES EXERCISING EXERT EXERTED EXERTING EXERTION EXERTIONS EXERTS EXETER EXHALE EXHALED EXHALES EXHALING EXHAUST EXHAUSTED EXHAUSTEDLY EXHAUSTING EXHAUSTION EXHAUSTIVE EXHAUSTIVELY EXHAUSTS EXHIBIT EXHIBITED EXHIBITING EXHIBITION EXHIBITIONS EXHIBITOR EXHIBITORS EXHIBITS EXHILARATE EXHORT EXHORTATION EXHORTATIONS EXHUME EXIGENCY EXILE EXILED EXILES EXILING EXIST EXISTED EXISTENCE EXISTENT EXISTENTIAL EXISTENTIALISM EXISTENTIALIST EXISTENTIALISTS EXISTENTIALLY EXISTING EXISTS EXIT EXITED EXITING EXITS EXODUS EXORBITANT EXORBITANTLY EXORCISM EXORCIST EXOSKELETON EXOTIC EXPAND EXPANDABLE EXPANDED EXPANDER EXPANDERS EXPANDING EXPANDS EXPANSE EXPANSES EXPANSIBLE EXPANSION EXPANSIONISM EXPANSIONS EXPANSIVE EXPECT EXPECTANCY EXPECTANT EXPECTANTLY EXPECTATION EXPECTATIONS EXPECTED EXPECTEDLY EXPECTING EXPECTINGLY EXPECTS EXPEDIENCY EXPEDIENT EXPEDIENTLY EXPEDITE EXPEDITED EXPEDITES EXPEDITING EXPEDITION EXPEDITIONS EXPEDITIOUS EXPEDITIOUSLY EXPEL EXPELLED EXPELLING EXPELS EXPEND EXPENDABLE EXPENDED EXPENDING EXPENDITURE EXPENDITURES EXPENDS EXPENSE EXPENSES EXPENSIVE EXPENSIVELY EXPERIENCE EXPERIENCED EXPERIENCES EXPERIENCING EXPERIMENT EXPERIMENTAL EXPERIMENTALLY EXPERIMENTATION EXPERIMENTATIONS EXPERIMENTED EXPERIMENTER EXPERIMENTERS EXPERIMENTING EXPERIMENTS EXPERT EXPERTISE EXPERTLY EXPERTNESS EXPERTS EXPIRATION EXPIRATIONS EXPIRE EXPIRED EXPIRES EXPIRING EXPLAIN EXPLAINABLE EXPLAINED EXPLAINER EXPLAINERS EXPLAINING EXPLAINS EXPLANATION EXPLANATIONS EXPLANATORY EXPLETIVE EXPLICIT EXPLICITLY EXPLICITNESS EXPLODE EXPLODED EXPLODES EXPLODING EXPLOIT EXPLOITABLE EXPLOITATION EXPLOITATIONS EXPLOITED EXPLOITER EXPLOITERS EXPLOITING EXPLOITS EXPLORATION EXPLORATIONS EXPLORATORY EXPLORE EXPLORED EXPLORER EXPLORERS EXPLORES EXPLORING EXPLOSION EXPLOSIONS EXPLOSIVE EXPLOSIVELY EXPLOSIVES EXPONENT EXPONENTIAL EXPONENTIALLY EXPONENTIALS EXPONENTIATE EXPONENTIATED EXPONENTIATES EXPONENTIATING EXPONENTIATION EXPONENTIATIONS EXPONENTS EXPORT EXPORTATION EXPORTED EXPORTER EXPORTERS EXPORTING EXPORTS EXPOSE EXPOSED EXPOSER EXPOSERS EXPOSES EXPOSING EXPOSITION EXPOSITIONS EXPOSITORY EXPOSURE EXPOSURES EXPOUND EXPOUNDED EXPOUNDER EXPOUNDING EXPOUNDS EXPRESS EXPRESSED EXPRESSES EXPRESSIBILITY EXPRESSIBLE EXPRESSIBLY EXPRESSING EXPRESSION EXPRESSIONS EXPRESSIVE EXPRESSIVELY EXPRESSIVENESS EXPRESSLY EXPULSION EXPUNGE EXPUNGED EXPUNGES EXPUNGING EXPURGATE EXQUISITE EXQUISITELY EXQUISITENESS EXTANT EXTEMPORANEOUS EXTEND EXTENDABLE EXTENDED EXTENDING EXTENDS EXTENSIBILITY EXTENSIBLE EXTENSION EXTENSIONS EXTENSIVE EXTENSIVELY EXTENT EXTENTS EXTENUATE EXTENUATED EXTENUATING EXTENUATION EXTERIOR EXTERIORS EXTERMINATE EXTERMINATED EXTERMINATES EXTERMINATING EXTERMINATION EXTERNAL EXTERNALLY EXTINCT EXTINCTION EXTINGUISH EXTINGUISHED EXTINGUISHER EXTINGUISHES EXTINGUISHING EXTIRPATE EXTOL EXTORT EXTORTED EXTORTION EXTRA EXTRACT EXTRACTED EXTRACTING EXTRACTION EXTRACTIONS EXTRACTOR EXTRACTORS EXTRACTS EXTRACURRICULAR EXTRAMARITAL EXTRANEOUS EXTRANEOUSLY EXTRANEOUSNESS EXTRAORDINARILY EXTRAORDINARINESS EXTRAORDINARY EXTRAPOLATE EXTRAPOLATED EXTRAPOLATES EXTRAPOLATING EXTRAPOLATION EXTRAPOLATIONS EXTRAS EXTRATERRESTRIAL EXTRAVAGANCE EXTRAVAGANT EXTRAVAGANTLY EXTRAVAGANZA EXTREMAL EXTREME EXTREMELY EXTREMES EXTREMIST EXTREMISTS EXTREMITIES EXTREMITY EXTRICATE EXTRINSIC EXTROVERT EXUBERANCE EXULT EXULTATION EXXON EYE EYEBALL EYEBROW EYEBROWS EYED EYEFUL EYEGLASS EYEGLASSES EYEING EYELASH EYELID EYELIDS EYEPIECE EYEPIECES EYER EYERS EYES EYESIGHT EYEWITNESS EYEWITNESSES EYING EZEKIEL EZRA FABER FABIAN FABLE FABLED FABLES FABRIC FABRICATE FABRICATED FABRICATES FABRICATING FABRICATION FABRICS FABULOUS FABULOUSLY FACADE FACADED FACADES FACE FACED FACES FACET FACETED FACETS FACIAL FACILE FACILELY FACILITATE FACILITATED FACILITATES FACILITATING FACILITIES FACILITY FACING FACINGS FACSIMILE FACSIMILES FACT FACTION FACTIONS FACTIOUS FACTO FACTOR FACTORED FACTORIAL FACTORIES FACTORING FACTORIZATION FACTORIZATIONS FACTORS FACTORY FACTS FACTUAL FACTUALLY FACULTIES FACULTY FADE FADED FADEOUT FADER FADERS FADES FADING FAFNIR FAG FAGIN FAGS FAHEY FAHRENHEIT FAHRENHEITS FAIL FAILED FAILING FAILINGS FAILS FAILSOFT FAILURE FAILURES FAIN FAINT FAINTED FAINTER FAINTEST FAINTING FAINTLY FAINTNESS FAINTS FAIR FAIRBANKS FAIRCHILD FAIRER FAIREST FAIRFAX FAIRFIELD FAIRIES FAIRING FAIRLY FAIRMONT FAIRNESS FAIRPORT FAIRS FAIRVIEW FAIRY FAIRYLAND FAITH FAITHFUL FAITHFULLY FAITHFULNESS FAITHLESS FAITHLESSLY FAITHLESSNESS FAITHS FAKE FAKED FAKER FAKES FAKING FALCON FALCONER FALCONS FALK FALKLAND FALKLANDS FALL FALLACIES FALLACIOUS FALLACY FALLEN FALLIBILITY FALLIBLE FALLING FALLOPIAN FALLOUT FALLOW FALLS FALMOUTH FALSE FALSEHOOD FALSEHOODS FALSELY FALSENESS FALSIFICATION FALSIFIED FALSIFIES FALSIFY FALSIFYING FALSITY FALSTAFF FALTER FALTERED FALTERS FAME FAMED FAMES FAMILIAL FAMILIAR FAMILIARITIES FAMILIARITY FAMILIARIZATION FAMILIARIZE FAMILIARIZED FAMILIARIZES FAMILIARIZING FAMILIARLY FAMILIARNESS FAMILIES FAMILISM FAMILY FAMINE FAMINES FAMISH FAMOUS FAMOUSLY FAN FANATIC FANATICISM FANATICS FANCIED FANCIER FANCIERS FANCIES FANCIEST FANCIFUL FANCIFULLY FANCILY FANCINESS FANCY FANCYING FANFARE FANFOLD FANG FANGLED FANGS FANNED FANNIES FANNING FANNY FANOUT FANS FANTASIES FANTASIZE FANTASTIC FANTASY FAQ FAR FARAD FARADAY FARAWAY FARBER FARCE FARCES FARE FARED FARES FAREWELL FAREWELLS FARFETCHED FARGO FARINA FARING FARKAS FARLEY FARM FARMED FARMER FARMERS FARMHOUSE FARMHOUSES FARMING FARMINGTON FARMLAND FARMS FARMYARD FARMYARDS FARNSWORTH FARRELL FARSIGHTED FARTHER FARTHEST FARTHING FASCICLE FASCINATE FASCINATED FASCINATES FASCINATING FASCINATION FASCISM FASCIST FASHION FASHIONABLE FASHIONABLY FASHIONED FASHIONING FASHIONS FAST FASTED FASTEN FASTENED FASTENER FASTENERS FASTENING FASTENINGS FASTENS FASTER FASTEST FASTIDIOUS FASTING FASTNESS FASTS FAT FATAL FATALITIES FATALITY FATALLY FATALS FATE FATED FATEFUL FATES FATHER FATHERED FATHERLAND FATHERLY FATHERS FATHOM FATHOMED FATHOMING FATHOMS FATIGUE FATIGUED FATIGUES FATIGUING FATIMA FATNESS FATS FATTEN FATTENED FATTENER FATTENERS FATTENING FATTENS FATTER FATTEST FATTY FAUCET FAULKNER FAULKNERIAN FAULT FAULTED FAULTING FAULTLESS FAULTLESSLY FAULTS FAULTY FAUN FAUNA FAUNTLEROY FAUST FAUSTIAN FAUSTUS FAVOR FAVORABLE FAVORABLY FAVORED FAVORER FAVORING FAVORITE FAVORITES FAVORITISM FAVORS FAWKES FAWN FAWNED FAWNING FAWNS FAYETTE FAYETTEVILLE FAZE FEAR FEARED FEARFUL FEARFULLY FEARING FEARLESS FEARLESSLY FEARLESSNESS FEARS FEARSOME FEASIBILITY FEASIBLE FEAST FEASTED FEASTING FEASTS FEAT FEATHER FEATHERBED FEATHERBEDDING FEATHERED FEATHERER FEATHERERS FEATHERING FEATHERMAN FEATHERS FEATHERWEIGHT FEATHERY FEATS FEATURE FEATURED FEATURES FEATURING FEBRUARIES FEBRUARY FECUND FED FEDDERS FEDERAL FEDERALIST FEDERALLY FEDERALS FEDERATION FEDORA FEE FEEBLE FEEBLENESS FEEBLER FEEBLEST FEEBLY FEED FEEDBACK FEEDER FEEDERS FEEDING FEEDINGS FEEDS FEEL FEELER FEELERS FEELING FEELINGLY FEELINGS FEELS FEENEY FEES FEET FEIGN FEIGNED FEIGNING FELDER FELDMAN FELICE FELICIA FELICITIES FELICITY FELINE FELIX FELL FELLATIO FELLED FELLING FELLINI FELLOW FELLOWS FELLOWSHIP FELLOWSHIPS FELON FELONIOUS FELONY FELT FELTS FEMALE FEMALES FEMININE FEMININITY FEMINISM FEMINIST FEMUR FEMURS FEN FENCE FENCED FENCER FENCERS FENCES FENCING FEND FENTON FENWICK FERBER FERDINAND FERDINANDO FERGUSON FERMAT FERMENT FERMENTATION FERMENTATIONS FERMENTED FERMENTING FERMENTS FERMI FERN FERNANDO FERNS FEROCIOUS FEROCIOUSLY FEROCIOUSNESS FEROCITY FERREIRA FERRER FERRET FERRIED FERRIES FERRITE FERRY FERTILE FERTILELY FERTILITY FERTILIZATION FERTILIZE FERTILIZED FERTILIZER FERTILIZERS FERTILIZES FERTILIZING FERVENT FERVENTLY FERVOR FERVORS FESS FESTIVAL FESTIVALS FESTIVE FESTIVELY FESTIVITIES FESTIVITY FETAL FETCH FETCHED FETCHES FETCHING FETCHINGLY FETID FETISH FETTER FETTERED FETTERS FETTLE FETUS FEUD FEUDAL FEUDALISM FEUDS FEVER FEVERED FEVERISH FEVERISHLY FEVERS FEW FEWER FEWEST FEWNESS FIANCE FIANCEE FIASCO FIAT FIB FIBBING FIBER FIBERGLAS FIBERS FIBONACCI FIBROSITIES FIBROSITY FIBROUS FIBROUSLY FICKLE FICKLENESS FICTION FICTIONAL FICTIONALLY FICTIONS FICTITIOUS FICTITIOUSLY FIDDLE FIDDLED FIDDLER FIDDLES FIDDLESTICK FIDDLESTICKS FIDDLING FIDEL FIDELITY FIDGET FIDUCIAL FIEF FIEFDOM FIELD FIELDED FIELDER FIELDERS FIELDING FIELDS FIELDWORK FIEND FIENDISH FIERCE FIERCELY FIERCENESS FIERCER FIERCEST FIERY FIFE FIFTEEN FIFTEENS FIFTEENTH FIFTH FIFTIES FIFTIETH FIFTY FIG FIGARO FIGHT FIGHTER FIGHTERS FIGHTING FIGHTS FIGS FIGURATIVE FIGURATIVELY FIGURE FIGURED FIGURES FIGURING FIGURINGS FIJI FIJIAN FIJIANS FILAMENT FILAMENTS FILE FILED FILENAME FILENAMES FILER FILES FILIAL FILIBUSTER FILING FILINGS FILIPINO FILIPINOS FILIPPO FILL FILLABLE FILLED FILLER FILLERS FILLING FILLINGS FILLMORE FILLS FILLY FILM FILMED FILMING FILMS FILTER FILTERED FILTERING FILTERS FILTH FILTHIER FILTHIEST FILTHINESS FILTHY FIN FINAL FINALITY FINALIZATION FINALIZE FINALIZED FINALIZES FINALIZING FINALLY FINALS FINANCE FINANCED FINANCES FINANCIAL FINANCIALLY FINANCIER FINANCIERS FINANCING FIND FINDER FINDERS FINDING FINDINGS FINDS FINE FINED FINELY FINENESS FINER FINES FINESSE FINESSED FINESSING FINEST FINGER FINGERED FINGERING FINGERINGS FINGERNAIL FINGERPRINT FINGERPRINTS FINGERS FINGERTIP FINICKY FINING FINISH FINISHED FINISHER FINISHERS FINISHES FINISHING FINITE FINITELY FINITENESS FINK FINLAND FINLEY FINN FINNEGAN FINNISH FINNS FINNY FINS FIORELLO FIORI FIR FIRE FIREARM FIREARMS FIREBOAT FIREBREAK FIREBUG FIRECRACKER FIRED FIREFLIES FIREFLY FIREHOUSE FIRELIGHT FIREMAN FIREMEN FIREPLACE FIREPLACES FIREPOWER FIREPROOF FIRER FIRERS FIRES FIRESIDE FIRESTONE FIREWALL FIREWOOD FIREWORKS FIRING FIRINGS FIRM FIRMAMENT FIRMED FIRMER FIRMEST FIRMING FIRMLY FIRMNESS FIRMS FIRMWARE FIRST FIRSTHAND FIRSTLY FIRSTS FISCAL FISCALLY FISCHBEIN FISCHER FISH FISHED FISHER FISHERMAN FISHERMEN FISHERS FISHERY FISHES FISHING FISHKILL FISHMONGER FISHPOND FISHY FISK FISKE FISSION FISSURE FISSURED FIST FISTED FISTICUFF FISTS FIT FITCH FITCHBURG FITFUL FITFULLY FITLY FITNESS FITS FITTED FITTER FITTERS FITTING FITTINGLY FITTINGS FITZGERALD FITZPATRICK FITZROY FIVE FIVEFOLD FIVES FIX FIXATE FIXATED FIXATES FIXATING FIXATION FIXATIONS FIXED FIXEDLY FIXEDNESS FIXER FIXERS FIXES FIXING FIXINGS FIXTURE FIXTURES FIZEAU FIZZLE FIZZLED FLABBERGAST FLABBERGASTED FLACK FLAG FLAGELLATE FLAGGED FLAGGING FLAGLER FLAGPOLE FLAGRANT FLAGRANTLY FLAGS FLAGSTAFF FLAIL FLAIR FLAK FLAKE FLAKED FLAKES FLAKING FLAKY FLAM FLAMBOYANT FLAME FLAMED FLAMER FLAMERS FLAMES FLAMING FLAMMABLE FLANAGAN FLANDERS FLANK FLANKED FLANKER FLANKING FLANKS FLANNEL FLANNELS FLAP FLAPS FLARE FLARED FLARES FLARING FLASH FLASHBACK FLASHED FLASHER FLASHERS FLASHES FLASHING FLASHLIGHT FLASHLIGHTS FLASHY FLASK FLAT FLATBED FLATLY FLATNESS FLATS FLATTEN FLATTENED FLATTENING FLATTER FLATTERED FLATTERER FLATTERING FLATTERY FLATTEST FLATULENT FLATUS FLATWORM FLAUNT FLAUNTED FLAUNTING FLAUNTS FLAVOR FLAVORED FLAVORING FLAVORINGS FLAVORS FLAW FLAWED FLAWLESS FLAWLESSLY FLAWS FLAX FLAXEN FLEA FLEAS FLED FLEDERMAUS FLEDGED FLEDGLING FLEDGLINGS FLEE FLEECE FLEECES FLEECY FLEEING FLEES FLEET FLEETEST FLEETING FLEETLY FLEETNESS FLEETS FLEISCHMAN FLEISHER FLEMING FLEMINGS FLEMISH FLEMISHED FLEMISHES FLEMISHING FLESH FLESHED FLESHES FLESHING FLESHLY FLESHY FLETCHER FLETCHERIZE FLETCHERIZES FLEW FLEX FLEXIBILITIES FLEXIBILITY FLEXIBLE FLEXIBLY FLICK FLICKED FLICKER FLICKERING FLICKING FLICKS FLIER FLIERS FLIES FLIGHT FLIGHTS FLIMSY FLINCH FLINCHED FLINCHES FLINCHING FLING FLINGS FLINT FLINTY FLIP FLIPFLOP FLIPPED FLIPS FLIRT FLIRTATION FLIRTATIOUS FLIRTED FLIRTING FLIRTS FLIT FLITTING FLO FLOAT FLOATED FLOATER FLOATING FLOATS FLOCK FLOCKED FLOCKING FLOCKS FLOG FLOGGING FLOOD FLOODED FLOODING FLOODLIGHT FLOODLIT FLOODS FLOOR FLOORED FLOORING FLOORINGS FLOORS FLOP FLOPPIES FLOPPILY FLOPPING FLOPPY FLOPS FLORA FLORAL FLORENCE FLORENTINE FLORID FLORIDA FLORIDIAN FLORIDIANS FLORIN FLORIST FLOSS FLOSSED FLOSSES FLOSSING FLOTATION FLOTILLA FLOUNDER FLOUNDERED FLOUNDERING FLOUNDERS FLOUR FLOURED FLOURISH FLOURISHED FLOURISHES FLOURISHING FLOW FLOWCHART FLOWCHARTING FLOWCHARTS FLOWED FLOWER FLOWERED FLOWERINESS FLOWERING FLOWERPOT FLOWERS FLOWERY FLOWING FLOWN FLOWS FLOYD FLU FLUCTUATE FLUCTUATES FLUCTUATING FLUCTUATION FLUCTUATIONS FLUE FLUENCY FLUENT FLUENTLY FLUFF FLUFFIER FLUFFIEST FLUFFY FLUID FLUIDITY FLUIDLY FLUIDS FLUKE FLUNG FLUNKED FLUORESCE FLUORESCENT FLURRIED FLURRY FLUSH FLUSHED FLUSHES FLUSHING FLUTE FLUTED FLUTING FLUTTER FLUTTERED FLUTTERING FLUTTERS FLUX FLY FLYABLE FLYER FLYERS FLYING FLYNN FOAL FOAM FOAMED FOAMING FOAMS FOAMY FOB FOBBING FOCAL FOCALLY FOCI FOCUS FOCUSED FOCUSES FOCUSING FOCUSSED FODDER FOE FOES FOG FOGARTY FOGGED FOGGIER FOGGIEST FOGGILY FOGGING FOGGY FOGS FOGY FOIBLE FOIL FOILED FOILING FOILS FOIST FOLD FOLDED FOLDER FOLDERS FOLDING FOLDOUT FOLDS FOLEY FOLIAGE FOLK FOLKLORE FOLKS FOLKSONG FOLKSY FOLLIES FOLLOW FOLLOWED FOLLOWER FOLLOWERS FOLLOWING FOLLOWINGS FOLLOWS FOLLY FOLSOM FOMALHAUT FOND FONDER FONDLE FONDLED FONDLES FONDLING FONDLY FONDNESS FONT FONTAINE FONTAINEBLEAU FONTANA FONTS FOOD FOODS FOODSTUFF FOODSTUFFS FOOL FOOLED FOOLHARDY FOOLING FOOLISH FOOLISHLY FOOLISHNESS FOOLPROOF FOOLS FOOT FOOTAGE FOOTBALL FOOTBALLS FOOTBRIDGE FOOTE FOOTED FOOTER FOOTERS FOOTFALL FOOTHILL FOOTHOLD FOOTING FOOTMAN FOOTNOTE FOOTNOTES FOOTPATH FOOTPRINT FOOTPRINTS FOOTSTEP FOOTSTEPS FOR FORAGE FORAGED FORAGES FORAGING FORAY FORAYS FORBADE FORBEAR FORBEARANCE FORBEARS FORBES FORBID FORBIDDEN FORBIDDING FORBIDS FORCE FORCED FORCEFUL FORCEFULLY FORCEFULNESS FORCER FORCES FORCIBLE FORCIBLY FORCING FORD FORDHAM FORDS FORE FOREARM FOREARMS FOREBODING FORECAST FORECASTED FORECASTER FORECASTERS FORECASTING FORECASTLE FORECASTS FOREFATHER FOREFATHERS FOREFINGER FOREFINGERS FOREGO FOREGOES FOREGOING FOREGONE FOREGROUND FOREHEAD FOREHEADS FOREIGN FOREIGNER FOREIGNERS FOREIGNS FOREMAN FOREMOST FORENOON FORENSIC FORERUNNERS FORESEE FORESEEABLE FORESEEN FORESEES FORESIGHT FORESIGHTED FOREST FORESTALL FORESTALLED FORESTALLING FORESTALLMENT FORESTALLS FORESTED FORESTER FORESTERS FORESTRY FORESTS FORETELL FORETELLING FORETELLS FORETOLD FOREVER FOREWARN FOREWARNED FOREWARNING FOREWARNINGS FOREWARNS FORFEIT FORFEITED FORFEITURE FORGAVE FORGE FORGED FORGER FORGERIES FORGERY FORGES FORGET FORGETFUL FORGETFULNESS FORGETS FORGETTABLE FORGETTABLY FORGETTING FORGING FORGIVABLE FORGIVABLY FORGIVE FORGIVEN FORGIVENESS FORGIVES FORGIVING FORGIVINGLY FORGOT FORGOTTEN FORK FORKED FORKING FORKLIFT FORKS FORLORN FORLORNLY FORM FORMAL FORMALISM FORMALISMS FORMALITIES FORMALITY FORMALIZATION FORMALIZATIONS FORMALIZE FORMALIZED FORMALIZES FORMALIZING FORMALLY FORMANT FORMANTS FORMAT FORMATION FORMATIONS FORMATIVE FORMATIVELY FORMATS FORMATTED FORMATTER FORMATTERS FORMATTING FORMED FORMER FORMERLY FORMICA FORMICAS FORMIDABLE FORMING FORMOSA FORMOSAN FORMS FORMULA FORMULAE FORMULAS FORMULATE FORMULATED FORMULATES FORMULATING FORMULATION FORMULATIONS FORMULATOR FORMULATORS FORNICATION FORREST FORSAKE FORSAKEN FORSAKES FORSAKING FORSYTHE FORT FORTE FORTESCUE FORTH FORTHCOMING FORTHRIGHT FORTHWITH FORTIER FORTIES FORTIETH FORTIFICATION FORTIFICATIONS FORTIFIED FORTIFIES FORTIFY FORTIFYING FORTIORI FORTITUDE FORTNIGHT FORTNIGHTLY FORTRAN FORTRAN FORTRESS FORTRESSES FORTS FORTUITOUS FORTUITOUSLY FORTUNATE FORTUNATELY FORTUNE FORTUNES FORTY FORUM FORUMS FORWARD FORWARDED FORWARDER FORWARDING FORWARDNESS FORWARDS FOSS FOSSIL FOSTER FOSTERED FOSTERING FOSTERS FOUGHT FOUL FOULED FOULEST FOULING FOULLY FOULMOUTH FOULNESS FOULS FOUND FOUNDATION FOUNDATIONS FOUNDED FOUNDER FOUNDERED FOUNDERS FOUNDING FOUNDLING FOUNDRIES FOUNDRY FOUNDS FOUNT FOUNTAIN FOUNTAINS FOUNTS FOUR FOURFOLD FOURIER FOURS FOURSCORE FOURSOME FOURSQUARE FOURTEEN FOURTEENS FOURTEENTH FOURTH FOWL FOWLER FOWLS FOX FOXES FOXHALL FRACTION FRACTIONAL FRACTIONALLY FRACTIONS FRACTURE FRACTURED FRACTURES FRACTURING FRAGILE FRAGMENT FRAGMENTARY FRAGMENTATION FRAGMENTED FRAGMENTING FRAGMENTS FRAGRANCE FRAGRANCES FRAGRANT FRAGRANTLY FRAIL FRAILEST FRAILTY FRAME FRAMED FRAMER FRAMES FRAMEWORK FRAMEWORKS FRAMING FRAN FRANC FRANCAISE FRANCE FRANCES FRANCESCA FRANCESCO FRANCHISE FRANCHISES FRANCIE FRANCINE FRANCIS FRANCISCAN FRANCISCANS FRANCISCO FRANCIZE FRANCIZES FRANCO FRANCOIS FRANCOISE FRANCS FRANK FRANKED FRANKEL FRANKER FRANKEST FRANKFORT FRANKFURT FRANKIE FRANKING FRANKLINIZATION FRANKLINIZATIONS FRANKLY FRANKNESS FRANKS FRANNY FRANTIC FRANTICALLY FRANZ FRASER FRATERNAL FRATERNALLY FRATERNITIES FRATERNITY FRAU FRAUD FRAUDS FRAUDULENT FRAUGHT FRAY FRAYED FRAYING FRAYNE FRAYS FRAZIER FRAZZLE FREAK FREAKISH FREAKS FRECKLE FRECKLED FRECKLES FRED FREDDIE FREDDY FREDERIC FREDERICK FREDERICKS FREDERICKSBURG FREDERICO FREDERICTON FREDHOLM FREDRICK FREDRICKSON FREE FREED FREEDMAN FREEDOM FREEDOMS FREEING FREEINGS FREELY FREEMAN FREEMASON FREEMASONRY FREEMASONS FREENESS FREEPORT FREER FREES FREEST FREESTYLE FREETOWN FREEWAY FREEWHEEL FREEZE FREEZER FREEZERS FREEZES FREEZING FREIDA FREIGHT FREIGHTED FREIGHTER FREIGHTERS FREIGHTING FREIGHTS FRENCH FRENCHIZE FRENCHIZES FRENCHMAN FRENCHMEN FRENETIC FRENZIED FRENZY FREON FREQUENCIES FREQUENCY FREQUENT FREQUENTED FREQUENTER FREQUENTERS FREQUENTING FREQUENTLY FREQUENTS FRESCO FRESCOES FRESH FRESHEN FRESHENED FRESHENER FRESHENERS FRESHENING FRESHENS FRESHER FRESHEST FRESHLY FRESHMAN FRESHMEN FRESHNESS FRESHWATER FRESNEL FRESNO FRET FRETFUL FRETFULLY FRETFULNESS FREUD FREUDIAN FREUDIANISM FREUDIANISMS FREUDIANS FREY FREYA FRIAR FRIARS FRICATIVE FRICATIVES FRICK FRICTION FRICTIONLESS FRICTIONS FRIDAY FRIDAYS FRIED FRIEDMAN FRIEDRICH FRIEND FRIENDLESS FRIENDLIER FRIENDLIEST FRIENDLINESS FRIENDLY FRIENDS FRIENDSHIP FRIENDSHIPS FRIES FRIESLAND FRIEZE FRIEZES FRIGATE FRIGATES FRIGGA FRIGHT FRIGHTEN FRIGHTENED FRIGHTENING FRIGHTENINGLY FRIGHTENS FRIGHTFUL FRIGHTFULLY FRIGHTFULNESS FRIGID FRIGIDAIRE FRILL FRILLS FRINGE FRINGED FRISBEE FRISIA FRISIAN FRISK FRISKED FRISKING FRISKS FRISKY FRITO FRITTER FRITZ FRIVOLITY FRIVOLOUS FRIVOLOUSLY FRO FROCK FROCKS FROG FROGS FROLIC FROLICS FROM FRONT FRONTAGE FRONTAL FRONTED FRONTIER FRONTIERS FRONTIERSMAN FRONTIERSMEN FRONTING FRONTS FROST FROSTBELT FROSTBITE FROSTBITTEN FROSTED FROSTING FROSTS FROSTY FROTH FROTHING FROTHY FROWN FROWNED FROWNING FROWNS FROZE FROZEN FROZENLY FRUEHAUF FRUGAL FRUGALLY FRUIT FRUITFUL FRUITFULLY FRUITFULNESS FRUITION FRUITLESS FRUITLESSLY FRUITS FRUSTRATE FRUSTRATED FRUSTRATES FRUSTRATING FRUSTRATION FRUSTRATIONS FRY FRYE FUCHS FUCHSIA FUDGE FUEL FUELED FUELING FUELS FUGITIVE FUGITIVES FUGUE FUJI FUJITSU FULBRIGHT FULBRIGHTS FULCRUM FULFILL FULFILLED FULFILLING FULFILLMENT FULFILLMENTS FULFILLS FULL FULLER FULLERTON FULLEST FULLNESS FULLY FULMINATE FULTON FUMBLE FUMBLED FUMBLING FUME FUMED FUMES FUMING FUN FUNCTION FUNCTIONAL FUNCTIONALITIES FUNCTIONALITY FUNCTIONALLY FUNCTIONALS FUNCTIONARY FUNCTIONED FUNCTIONING FUNCTIONS FUNCTOR FUNCTORS FUND FUNDAMENTAL FUNDAMENTALLY FUNDAMENTALS FUNDED FUNDER FUNDERS FUNDING FUNDS FUNERAL FUNERALS FUNEREAL FUNGAL FUNGI FUNGIBLE FUNGICIDE FUNGUS FUNK FUNNEL FUNNELED FUNNELING FUNNELS FUNNIER FUNNIEST FUNNILY FUNNINESS FUNNY FUR FURIES FURIOUS FURIOUSER FURIOUSLY FURLONG FURLOUGH FURMAN FURNACE FURNACES FURNISH FURNISHED FURNISHES FURNISHING FURNISHINGS FURNITURE FURRIER FURROW FURROWED FURROWS FURRY FURS FURTHER FURTHERED FURTHERING FURTHERMORE FURTHERMOST FURTHERS FURTHEST FURTIVE FURTIVELY FURTIVENESS FURY FUSE FUSED FUSES FUSING FUSION FUSS FUSSING FUSSY FUTILE FUTILITY FUTURE FUTURES FUTURISTIC FUZZ FUZZIER FUZZINESS FUZZY GAB GABARDINE GABBING GABERONES GABLE GABLED GABLER GABLES GABON GABORONE GABRIEL GABRIELLE GAD GADFLY GADGET GADGETRY GADGETS GAELIC GAELICIZATION GAELICIZATIONS GAELICIZE GAELICIZES GAG GAGGED GAGGING GAGING GAGS GAIETIES GAIETY GAIL GAILY GAIN GAINED GAINER GAINERS GAINES GAINESVILLE GAINFUL GAINING GAINS GAIT GAITED GAITER GAITERS GAITHERSBURG GALACTIC GALAHAD GALAPAGOS GALATEA GALATEAN GALATEANS GALATIA GALATIANS GALAXIES GALAXY GALBREATH GALE GALEN GALILEAN GALILEE GALILEO GALL GALLAGHER GALLANT GALLANTLY GALLANTRY GALLANTS GALLED GALLERIED GALLERIES GALLERY GALLEY GALLEYS GALLING GALLON GALLONS GALLOP GALLOPED GALLOPER GALLOPING GALLOPS GALLOWAY GALLOWS GALLS GALLSTONE GALLUP GALOIS GALT GALVESTON GALVIN GALWAY GAMBIA GAMBIT GAMBLE GAMBLED GAMBLER GAMBLERS GAMBLES GAMBLING GAMBOL GAME GAMED GAMELY GAMENESS GAMES GAMING GAMMA GANDER GANDHI GANDHIAN GANG GANGES GANGLAND GANGLING GANGPLANK GANGRENE GANGS GANGSTER GANGSTERS GANNETT GANTRY GANYMEDE GAP GAPE GAPED GAPES GAPING GAPS GARAGE GARAGED GARAGES GARB GARBAGE GARBAGES GARBED GARBLE GARBLED GARCIA GARDEN GARDENED GARDENER GARDENERS GARDENING GARDENS GARDNER GARFIELD GARFUNKEL GARGANTUAN GARGLE GARGLED GARGLES GARGLING GARIBALDI GARLAND GARLANDED GARLIC GARMENT GARMENTS GARNER GARNERED GARNETT GARNISH GARRETT GARRISON GARRISONED GARRISONIAN GARRY GARTER GARTERS GARTH GARVEY GARY GAS GASCONY GASEOUS GASEOUSLY GASES GASH GASHES GASKET GASLIGHT GASOLINE GASP GASPED GASPEE GASPING GASPS GASSED GASSER GASSET GASSING GASSINGS GASSY GASTON GASTRIC GASTROINTESTINAL GASTRONOME GASTRONOMY GATE GATED GATES GATEWAY GATEWAYS GATHER GATHERED GATHERER GATHERERS GATHERING GATHERINGS GATHERS GATING GATLINBURG GATOR GATSBY GAUCHE GAUDINESS GAUDY GAUGE GAUGED GAUGES GAUGUIN GAUL GAULLE GAULS GAUNT GAUNTLEY GAUNTNESS GAUSSIAN GAUTAMA GAUZE GAVE GAVEL GAVIN GAWK GAWKY GAY GAYER GAYEST GAYETY GAYLOR GAYLORD GAYLY GAYNESS GAYNOR GAZE GAZED GAZELLE GAZER GAZERS GAZES GAZETTE GAZING GEAR GEARED GEARING GEARS GEARY GECKO GEESE GEHRIG GEIGER GEIGY GEISHA GEL GELATIN GELATINE GELATINOUS GELD GELLED GELLING GELS GEM GEMINI GEMINID GEMMA GEMS GENDER GENDERS GENE GENEALOGY GENERAL GENERALIST GENERALISTS GENERALITIES GENERALITY GENERALIZATION GENERALIZATIONS GENERALIZE GENERALIZED GENERALIZER GENERALIZERS GENERALIZES GENERALIZING GENERALLY GENERALS GENERATE GENERATED GENERATES GENERATING GENERATION GENERATIONS GENERATIVE GENERATOR GENERATORS GENERIC GENERICALLY GENEROSITIES GENEROSITY GENEROUS GENEROUSLY GENEROUSNESS GENES GENESCO GENESIS GENETIC GENETICALLY GENEVA GENEVIEVE GENIAL GENIALLY GENIE GENIUS GENIUSES GENOA GENRE GENRES GENT GENTEEL GENTILE GENTLE GENTLEMAN GENTLEMANLY GENTLEMEN GENTLENESS GENTLER GENTLEST GENTLEWOMAN GENTLY GENTRY GENUINE GENUINELY GENUINENESS GENUS GEOCENTRIC GEODESIC GEODESY GEODETIC GEOFF GEOFFREY GEOGRAPHER GEOGRAPHIC GEOGRAPHICAL GEOGRAPHICALLY GEOGRAPHY GEOLOGICAL GEOLOGIST GEOLOGISTS GEOLOGY GEOMETRIC GEOMETRICAL GEOMETRICALLY GEOMETRICIAN GEOMETRIES GEOMETRY GEOPHYSICAL GEOPHYSICS GEORGE GEORGES GEORGETOWN GEORGIA GEORGIAN GEORGIANS GEOSYNCHRONOUS GERALD GERALDINE GERANIUM GERARD GERBER GERBIL GERHARD GERHARDT GERIATRIC GERM GERMAN GERMANE GERMANIA GERMANIC GERMANS GERMANTOWN GERMANY GERMICIDE GERMINAL GERMINATE GERMINATED GERMINATES GERMINATING GERMINATION GERMS GEROME GERRY GERSHWIN GERSHWINS GERTRUDE GERUND GESTAPO GESTURE GESTURED GESTURES GESTURING GET GETAWAY GETS GETTER GETTERS GETTING GETTY GETTYSBURG GEYSER GHANA GHANIAN GHASTLY GHENT GHETTO GHOST GHOSTED GHOSTLY GHOSTS GIACOMO GIANT GIANTS GIBBERISH GIBBONS GIBBS GIBBY GIBRALTAR GIBSON GIDDINESS GIDDINGS GIDDY GIDEON GIFFORD GIFT GIFTED GIFTS GIG GIGABIT GIGABITS GIGABYTE GIGABYTES GIGACYCLE GIGAHERTZ GIGANTIC GIGAVOLT GIGAWATT GIGGLE GIGGLED GIGGLES GIGGLING GIL GILBERTSON GILCHRIST GILD GILDED GILDING GILDS GILEAD GILES GILKSON GILL GILLESPIE GILLETTE GILLIGAN GILLS GILMORE GILT GIMBEL GIMMICK GIMMICKS GIN GINA GINGER GINGERBREAD GINGERLY GINGHAM GINGHAMS GINN GINO GINS GINSBERG GINSBURG GIOCONDA GIORGIO GIOVANNI GIPSIES GIPSY GIRAFFE GIRAFFES GIRD GIRDER GIRDERS GIRDLE GIRL GIRLFRIEND GIRLIE GIRLISH GIRLS GIRT GIRTH GIST GIULIANO GIUSEPPE GIVE GIVEAWAY GIVEN GIVER GIVERS GIVES GIVING GLACIAL GLACIER GLACIERS GLAD GLADDEN GLADDER GLADDEST GLADE GLADIATOR GLADLY GLADNESS GLADSTONE GLADYS GLAMOR GLAMOROUS GLAMOUR GLANCE GLANCED GLANCES GLANCING GLAND GLANDS GLANDULAR GLARE GLARED GLARES GLARING GLARINGLY GLASGOW GLASS GLASSED GLASSES GLASSY GLASWEGIAN GLAUCOMA GLAZE GLAZED GLAZER GLAZES GLAZING GLEAM GLEAMED GLEAMING GLEAMS GLEAN GLEANED GLEANER GLEANING GLEANINGS GLEANS GLEASON GLEE GLEEFUL GLEEFULLY GLEES GLEN GLENDA GLENDALE GLENN GLENS GLIDDEN GLIDE GLIDED GLIDER GLIDERS GLIDES GLIMMER GLIMMERED GLIMMERING GLIMMERS GLIMPSE GLIMPSED GLIMPSES GLINT GLINTED GLINTING GLINTS GLISTEN GLISTENED GLISTENING GLISTENS GLITCH GLITTER GLITTERED GLITTERING GLITTERS GLOAT GLOBAL GLOBALLY GLOBE GLOBES GLOBULAR GLOBULARITY GLOOM GLOOMILY GLOOMY GLORIA GLORIANA GLORIES GLORIFICATION GLORIFIED GLORIFIES GLORIFY GLORIOUS GLORIOUSLY GLORY GLORYING GLOSS GLOSSARIES GLOSSARY GLOSSED GLOSSES GLOSSING GLOSSY GLOTTAL GLOUCESTER GLOVE GLOVED GLOVER GLOVERS GLOVES GLOVING GLOW GLOWED GLOWER GLOWERS GLOWING GLOWINGLY GLOWS GLUE GLUED GLUES GLUING GLUT GLUTTON GLYNN GNASH GNAT GNATS GNAW GNAWED GNAWING GNAWS GNOME GNOMON GNU GOA GOAD GOADED GOAL GOALS GOAT GOATEE GOATEES GOATS GOBBLE GOBBLED GOBBLER GOBBLERS GOBBLES GOBI GOBLET GOBLETS GOBLIN GOBLINS GOD GODDARD GODDESS GODDESSES GODFATHER GODFREY GODHEAD GODLIKE GODLY GODMOTHER GODMOTHERS GODOT GODPARENT GODS GODSEND GODSON GODWIN GODZILLA GOES GOETHE GOFF GOGGLES GOGH GOING GOINGS GOLD GOLDA GOLDBERG GOLDEN GOLDENLY GOLDENNESS GOLDENROD GOLDFIELD GOLDFISH GOLDING GOLDMAN GOLDS GOLDSMITH GOLDSTEIN GOLDSTINE GOLDWATER GOLETA GOLF GOLFER GOLFERS GOLFING GOLIATH GOLLY GOMEZ GONDOLA GONE GONER GONG GONGS GONZALES GONZALEZ GOOD GOODBY GOODBYE GOODE GOODIES GOODLY GOODMAN GOODNESS GOODRICH GOODS GOODWILL GOODWIN GOODY GOODYEAR GOOF GOOFED GOOFS GOOFY GOOSE GOPHER GORDIAN GORDON GORE GOREN GORGE GORGEOUS GORGEOUSLY GORGES GORGING GORHAM GORILLA GORILLAS GORKY GORTON GORY GOSH GOSPEL GOSPELERS GOSPELS GOSSIP GOSSIPED GOSSIPING GOSSIPS GOT GOTHAM GOTHIC GOTHICALLY GOTHICISM GOTHICIZE GOTHICIZED GOTHICIZER GOTHICIZERS GOTHICIZES GOTHICIZING GOTO GOTOS GOTTEN GOTTFRIED GOUCHER GOUDA GOUGE GOUGED GOUGES GOUGING GOULD GOURD GOURMET GOUT GOVERN GOVERNANCE GOVERNED GOVERNESS GOVERNING GOVERNMENT GOVERNMENTAL GOVERNMENTALLY GOVERNMENTS GOVERNOR GOVERNORS GOVERNS GOWN GOWNED GOWNS GRAB GRABBED GRABBER GRABBERS GRABBING GRABBINGS GRABS GRACE GRACED GRACEFUL GRACEFULLY GRACEFULNESS GRACES GRACIE GRACING GRACIOUS GRACIOUSLY GRACIOUSNESS GRAD GRADATION GRADATIONS GRADE GRADED GRADER GRADERS GRADES GRADIENT GRADIENTS GRADING GRADINGS GRADUAL GRADUALLY GRADUATE GRADUATED GRADUATES GRADUATING GRADUATION GRADUATIONS GRADY GRAFF GRAFT GRAFTED GRAFTER GRAFTING GRAFTON GRAFTS GRAHAM GRAHAMS GRAIL GRAIN GRAINED GRAINING GRAINS GRAM GRAMMAR GRAMMARIAN GRAMMARS GRAMMATIC GRAMMATICAL GRAMMATICALLY GRAMS GRANARIES GRANARY GRAND GRANDCHILD GRANDCHILDREN GRANDDAUGHTER GRANDER GRANDEST GRANDEUR GRANDFATHER GRANDFATHERS GRANDIOSE GRANDLY GRANDMA GRANDMOTHER GRANDMOTHERS GRANDNEPHEW GRANDNESS GRANDNIECE GRANDPA GRANDPARENT GRANDS GRANDSON GRANDSONS GRANDSTAND GRANGE GRANITE GRANNY GRANOLA GRANT GRANTED GRANTEE GRANTER GRANTING GRANTOR GRANTS GRANULARITY GRANULATE GRANULATED GRANULATES GRANULATING GRANVILLE GRAPE GRAPEFRUIT GRAPES GRAPEVINE GRAPH GRAPHED GRAPHIC GRAPHICAL GRAPHICALLY GRAPHICS GRAPHING GRAPHITE GRAPHS GRAPPLE GRAPPLED GRAPPLING GRASP GRASPABLE GRASPED GRASPING GRASPINGLY GRASPS GRASS GRASSED GRASSERS GRASSES GRASSIER GRASSIEST GRASSLAND GRASSY GRATE GRATED GRATEFUL GRATEFULLY GRATEFULNESS GRATER GRATES GRATIFICATION GRATIFIED GRATIFY GRATIFYING GRATING GRATINGS GRATIS GRATITUDE GRATUITIES GRATUITOUS GRATUITOUSLY GRATUITOUSNESS GRATUITY GRAVE GRAVEL GRAVELLY GRAVELY GRAVEN GRAVENESS GRAVER GRAVES GRAVEST GRAVESTONE GRAVEYARD GRAVITATE GRAVITATION GRAVITATIONAL GRAVITY GRAVY GRAY GRAYED GRAYER GRAYEST GRAYING GRAYNESS GRAYSON GRAZE GRAZED GRAZER GRAZING GREASE GREASED GREASES GREASY GREAT GREATER GREATEST GREATLY GREATNESS GRECIAN GRECIANIZE GRECIANIZES GREECE GREED GREEDILY GREEDINESS GREEDY GREEK GREEKIZE GREEKIZES GREEKS GREEN GREENBELT GREENBERG GREENBLATT GREENBRIAR GREENE GREENER GREENERY GREENEST GREENFELD GREENFIELD GREENGROCER GREENHOUSE GREENHOUSES GREENING GREENISH GREENLAND GREENLY GREENNESS GREENS GREENSBORO GREENSVILLE GREENTREE GREENVILLE GREENWARE GREENWICH GREER GREET GREETED GREETER GREETING GREETINGS GREETS GREG GREGARIOUS GREGG GREGORIAN GREGORY GRENADE GRENADES GRENDEL GRENIER GRENOBLE GRENVILLE GRESHAM GRETA GRETCHEN GREW GREY GREYEST GREYHOUND GREYING GRID GRIDDLE GRIDIRON GRIDS GRIEF GRIEFS GRIEVANCE GRIEVANCES GRIEVE GRIEVED GRIEVER GRIEVERS GRIEVES GRIEVING GRIEVINGLY GRIEVOUS GRIEVOUSLY GRIFFITH GRILL GRILLED GRILLING GRILLS GRIM GRIMACE GRIMALDI GRIME GRIMED GRIMES GRIMLY GRIMM GRIMNESS GRIN GRIND GRINDER GRINDERS GRINDING GRINDINGS GRINDS GRINDSTONE GRINDSTONES GRINNING GRINS GRIP GRIPE GRIPED GRIPES GRIPING GRIPPED GRIPPING GRIPPINGLY GRIPS GRIS GRISLY GRIST GRISWOLD GRIT GRITS GRITTY GRIZZLY GROAN GROANED GROANER GROANERS GROANING GROANS GROCER GROCERIES GROCERS GROCERY GROGGY GROIN GROOM GROOMED GROOMING GROOMS GROOT GROOVE GROOVED GROOVES GROPE GROPED GROPES GROPING GROSS GROSSED GROSSER GROSSES GROSSEST GROSSET GROSSING GROSSLY GROSSMAN GROSSNESS GROSVENOR GROTESQUE GROTESQUELY GROTESQUES GROTON GROTTO GROTTOS GROUND GROUNDED GROUNDER GROUNDERS GROUNDING GROUNDS GROUNDWORK GROUP GROUPED GROUPING GROUPINGS GROUPS GROUSE GROVE GROVEL GROVELED GROVELING GROVELS GROVER GROVERS GROVES GROW GROWER GROWERS GROWING GROWL GROWLED GROWLING GROWLS GROWN GROWNUP GROWNUPS GROWS GROWTH GROWTHS GRUB GRUBBY GRUBS GRUDGE GRUDGES GRUDGINGLY GRUESOME GRUFF GRUFFLY GRUMBLE GRUMBLED GRUMBLES GRUMBLING GRUMMAN GRUNT GRUNTED GRUNTING GRUNTS GRUSKY GRUYERE GUADALUPE GUAM GUANO GUARANTEE GUARANTEED GUARANTEEING GUARANTEER GUARANTEERS GUARANTEES GUARANTY GUARD GUARDED GUARDEDLY GUARDHOUSE GUARDIA GUARDIAN GUARDIANS GUARDIANSHIP GUARDING GUARDS GUATEMALA GUATEMALAN GUBERNATORIAL GUELPH GUENTHER GUERRILLA GUERRILLAS GUESS GUESSED GUESSES GUESSING GUESSWORK GUEST GUESTS GUGGENHEIM GUHLEMAN GUIANA GUIDANCE GUIDE GUIDEBOOK GUIDEBOOKS GUIDED GUIDELINE GUIDELINES GUIDES GUIDING GUILD GUILDER GUILDERS GUILE GUILFORD GUILT GUILTIER GUILTIEST GUILTILY GUILTINESS GUILTLESS GUILTLESSLY GUILTY GUINEA GUINEVERE GUISE GUISES GUITAR GUITARS GUJARAT GUJARATI GULCH GULCHES GULF GULFS GULL GULLAH GULLED GULLIES GULLING GULLS GULLY GULP GULPED GULPS GUM GUMMING GUMPTION GUMS GUN GUNDERSON GUNFIRE GUNMAN GUNMEN GUNNAR GUNNED GUNNER GUNNERS GUNNERY GUNNING GUNNY GUNPLAY GUNPOWDER GUNS GUNSHOT GUNTHER GURGLE GURKHA GURU GUS GUSH GUSHED GUSHER GUSHES GUSHING GUST GUSTAFSON GUSTAV GUSTAVE GUSTAVUS GUSTO GUSTS GUSTY GUT GUTENBERG GUTHRIE GUTS GUTSY GUTTER GUTTERED GUTTERS GUTTING GUTTURAL GUY GUYANA GUYED GUYER GUYERS GUYING GUYS GWEN GWYN GYMNASIUM GYMNASIUMS GYMNAST GYMNASTIC GYMNASTICS GYMNASTS GYPSIES GYPSY GYRO GYROCOMPASS GYROSCOPE GYROSCOPES HAAG HAAS HABEAS HABERMAN HABIB HABIT HABITAT HABITATION HABITATIONS HABITATS HABITS HABITUAL HABITUALLY HABITUALNESS HACK HACKED HACKER HACKERS HACKETT HACKING HACKNEYED HACKS HACKSAW HAD HADAMARD HADDAD HADDOCK HADES HADLEY HADRIAN HAFIZ HAG HAGEN HAGER HAGGARD HAGGARDLY HAGGLE HAGSTROM HAGUE HAHN HAIFA HAIL HAILED HAILING HAILS HAILSTONE HAILSTORM HAINES HAIR HAIRCUT HAIRCUTS HAIRIER HAIRINESS HAIRLESS HAIRPIN HAIRS HAIRY HAITI HAITIAN HAL HALCYON HALE HALER HALEY HALF HALFHEARTED HALFWAY HALIFAX HALL HALLEY HALLINAN HALLMARK HALLMARKS HALLOW HALLOWED HALLOWEEN HALLS HALLUCINATE HALLWAY HALLWAYS HALOGEN HALPERN HALSEY HALSTEAD HALT HALTED HALTER HALTERS HALTING HALTINGLY HALTS HALVE HALVED HALVERS HALVERSON HALVES HALVING HAM HAMAL HAMBURG HAMBURGER HAMBURGERS HAMEY HAMILTON HAMILTONIAN HAMILTONIANS HAMLET HAMLETS HAMLIN HAMMER HAMMERED HAMMERING HAMMERS HAMMETT HAMMING HAMMOCK HAMMOCKS HAMMOND HAMPER HAMPERED HAMPERS HAMPSHIRE HAMPTON HAMS HAMSTER HAN HANCOCK HAND HANDBAG HANDBAGS HANDBOOK HANDBOOKS HANDCUFF HANDCUFFED HANDCUFFING HANDCUFFS HANDED HANDEL HANDFUL HANDFULS HANDGUN HANDICAP HANDICAPPED HANDICAPS HANDIER HANDIEST HANDILY HANDINESS HANDING HANDIWORK HANDKERCHIEF HANDKERCHIEFS HANDLE HANDLED HANDLER HANDLERS HANDLES HANDLING HANDMAID HANDOUT HANDS HANDSHAKE HANDSHAKES HANDSHAKING HANDSOME HANDSOMELY HANDSOMENESS HANDSOMER HANDSOMEST HANDWRITING HANDWRITTEN HANDY HANEY HANFORD HANG HANGAR HANGARS HANGED HANGER HANGERS HANGING HANGMAN HANGMEN HANGOUT HANGOVER HANGOVERS HANGS HANKEL HANLEY HANLON HANNA HANNAH HANNIBAL HANOI HANOVER HANOVERIAN HANOVERIANIZE HANOVERIANIZES HANOVERIZE HANOVERIZES HANS HANSEL HANSEN HANSON HANUKKAH HAP HAPGOOD HAPHAZARD HAPHAZARDLY HAPHAZARDNESS HAPLESS HAPLESSLY HAPLESSNESS HAPLY HAPPEN HAPPENED HAPPENING HAPPENINGS HAPPENS HAPPIER HAPPIEST HAPPILY HAPPINESS HAPPY HAPSBURG HARASS HARASSED HARASSES HARASSING HARASSMENT HARBIN HARBINGER HARBOR HARBORED HARBORING HARBORS HARCOURT HARD HARDBOILED HARDCOPY HARDEN HARDER HARDEST HARDHAT HARDIN HARDINESS HARDING HARDLY HARDNESS HARDSCRABBLE HARDSHIP HARDSHIPS HARDWARE HARDWIRED HARDWORKING HARDY HARE HARELIP HAREM HARES HARK HARKEN HARLAN HARLEM HARLEY HARLOT HARLOTS HARM HARMED HARMFUL HARMFULLY HARMFULNESS HARMING HARMLESS HARMLESSLY HARMLESSNESS HARMON HARMONIC HARMONICS HARMONIES HARMONIOUS HARMONIOUSLY HARMONIOUSNESS HARMONIST HARMONISTIC HARMONISTICALLY HARMONIZE HARMONY HARMS HARNESS HARNESSED HARNESSING HAROLD HARP HARPER HARPERS HARPING HARPY HARRIED HARRIER HARRIET HARRIMAN HARRINGTON HARRIS HARRISBURG HARRISON HARRISONBURG HARROW HARROWED HARROWING HARROWS HARRY HARSH HARSHER HARSHLY HARSHNESS HART HARTFORD HARTLEY HARTMAN HARVARD HARVARDIZE HARVARDIZES HARVEST HARVESTED HARVESTER HARVESTING HARVESTS HARVEY HARVEYIZE HARVEYIZES HARVEYS HAS HASH HASHED HASHER HASHES HASHING HASHISH HASKELL HASKINS HASSLE HASTE HASTEN HASTENED HASTENING HASTENS HASTILY HASTINESS HASTINGS HASTY HAT HATCH HATCHED HATCHET HATCHETS HATCHING HATCHURE HATE HATED HATEFUL HATEFULLY HATEFULNESS HATER HATES HATFIELD HATHAWAY HATING HATRED HATS HATTERAS HATTIE HATTIESBURG HATTIZE HATTIZES HAUGEN HAUGHTILY HAUGHTINESS HAUGHTY HAUL HAULED HAULER HAULING HAULS HAUNCH HAUNCHES HAUNT HAUNTED HAUNTER HAUNTING HAUNTS HAUSA HAUSDORFF HAUSER HAVANA HAVE HAVEN HAVENS HAVES HAVILLAND HAVING HAVOC HAWAII HAWAIIAN HAWK HAWKED HAWKER HAWKERS HAWKINS HAWKS HAWLEY HAWTHORNE HAY HAYDEN HAYDN HAYES HAYING HAYNES HAYS HAYSTACK HAYWARD HAYWOOD HAZARD HAZARDOUS HAZARDS HAZE HAZEL HAZES HAZINESS HAZY HEAD HEADACHE HEADACHES HEADED HEADER HEADERS HEADGEAR HEADING HEADINGS HEADLAND HEADLANDS HEADLIGHT HEADLINE HEADLINED HEADLINES HEADLINING HEADLONG HEADMASTER HEADPHONE HEADQUARTERS HEADROOM HEADS HEADSET HEADWAY HEAL HEALED HEALER HEALERS HEALEY HEALING HEALS HEALTH HEALTHFUL HEALTHFULLY HEALTHFULNESS HEALTHIER HEALTHIEST HEALTHILY HEALTHINESS HEALTHY HEALY HEAP HEAPED HEAPING HEAPS HEAR HEARD HEARER HEARERS HEARING HEARINGS HEARKEN HEARS HEARSAY HEARST HEART HEARTBEAT HEARTBREAK HEARTEN HEARTIEST HEARTILY HEARTINESS HEARTLESS HEARTS HEARTWOOD HEARTY HEAT HEATABLE HEATED HEATEDLY HEATER HEATERS HEATH HEATHEN HEATHER HEATHKIT HEATHMAN HEATING HEATS HEAVE HEAVED HEAVEN HEAVENLY HEAVENS HEAVER HEAVERS HEAVES HEAVIER HEAVIEST HEAVILY HEAVINESS HEAVING HEAVY HEAVYWEIGHT HEBE HEBRAIC HEBRAICIZE HEBRAICIZES HEBREW HEBREWS HEBRIDES HECATE HECK HECKLE HECKMAN HECTIC HECUBA HEDDA HEDGE HEDGED HEDGEHOG HEDGEHOGS HEDGES HEDONISM HEDONIST HEED HEEDED HEEDLESS HEEDLESSLY HEEDLESSNESS HEEDS HEEL HEELED HEELERS HEELING HEELS HEFTY HEGEL HEGELIAN HEGELIANIZE HEGELIANIZES HEGEMONY HEIDEGGER HEIDELBERG HEIFER HEIGHT HEIGHTEN HEIGHTENED HEIGHTENING HEIGHTENS HEIGHTS HEINE HEINLEIN HEINOUS HEINOUSLY HEINRICH HEINZ HEINZE HEIR HEIRESS HEIRESSES HEIRS HEISENBERG HEISER HELD HELEN HELENA HELENE HELGA HELICAL HELICOPTER HELIOCENTRIC HELIOPOLIS HELIUM HELIX HELL HELLENIC HELLENIZATION HELLENIZATIONS HELLENIZE HELLENIZED HELLENIZES HELLENIZING HELLESPONT HELLFIRE HELLISH HELLMAN HELLO HELLS HELM HELMET HELMETS HELMHOLTZ HELMSMAN HELMUT HELP HELPED HELPER HELPERS HELPFUL HELPFULLY HELPFULNESS HELPING HELPLESS HELPLESSLY HELPLESSNESS HELPMATE HELPS HELSINKI HELVETICA HEM HEMINGWAY HEMISPHERE HEMISPHERES HEMLOCK HEMLOCKS HEMOGLOBIN HEMORRHOID HEMOSTAT HEMOSTATS HEMP HEMPEN HEMPSTEAD HEMS HEN HENCE HENCEFORTH HENCHMAN HENCHMEN HENDERSON HENDRICK HENDRICKS HENDRICKSON HENDRIX HENLEY HENNESSEY HENNESSY HENNING HENPECK HENRI HENRIETTA HENS HEPATITIS HEPBURN HER HERA HERACLITUS HERALD HERALDED HERALDING HERALDS HERB HERBERT HERBIVORE HERBIVOROUS HERBS HERCULEAN HERCULES HERD HERDED HERDER HERDING HERDS HERE HEREABOUT HEREABOUTS HEREAFTER HEREBY HEREDITARY HEREDITY HEREFORD HEREIN HEREINAFTER HEREOF HERES HERESY HERETIC HERETICS HERETO HERETOFORE HEREUNDER HEREWITH HERITAGE HERITAGES HERKIMER HERMAN HERMANN HERMES HERMETIC HERMETICALLY HERMIT HERMITE HERMITIAN HERMITS HERMOSA HERNANDEZ HERO HERODOTUS HEROES HEROIC HEROICALLY HEROICS HEROIN HEROINE HEROINES HEROISM HERON HERONS HERPES HERR HERRING HERRINGS HERRINGTON HERS HERSCHEL HERSELF HERSEY HERSHEL HERSHEY HERTZ HERTZOG HESITANT HESITANTLY HESITATE HESITATED HESITATES HESITATING HESITATINGLY HESITATION HESITATIONS HESPERUS HESS HESSE HESSIAN HESSIANS HESTER HETEROGENEITY HETEROGENEOUS HETEROGENEOUSLY HETEROGENEOUSNESS HETEROGENOUS HETEROSEXUAL HETMAN HETTIE HETTY HEUBLEIN HEURISTIC HEURISTICALLY HEURISTICS HEUSEN HEUSER HEW HEWED HEWER HEWETT HEWITT HEWLETT HEWS HEX HEXADECIMAL HEXAGON HEXAGONAL HEXAGONALLY HEXAGONS HEY HEYWOOD HIATT HIAWATHA HIBBARD HIBERNATE HIBERNIA HICK HICKEY HICKEYS HICKMAN HICKOK HICKORY HICKS HID HIDDEN HIDE HIDEOUS HIDEOUSLY HIDEOUSNESS HIDEOUT HIDEOUTS HIDES HIDING HIERARCHAL HIERARCHIC HIERARCHICAL HIERARCHICALLY HIERARCHIES HIERARCHY HIERONYMUS HIGGINS HIGH HIGHER HIGHEST HIGHFIELD HIGHLAND HIGHLANDER HIGHLANDS HIGHLIGHT HIGHLIGHTED HIGHLIGHTING HIGHLIGHTS HIGHLY HIGHNESS HIGHNESSES HIGHWAY HIGHWAYMAN HIGHWAYMEN HIGHWAYS HIJACK HIJACKED HIKE HIKED HIKER HIKES HIKING HILARIOUS HILARIOUSLY HILARITY HILBERT HILDEBRAND HILL HILLARY HILLBILLY HILLCREST HILLEL HILLOCK HILLS HILLSBORO HILLSDALE HILLSIDE HILLSIDES HILLTOP HILLTOPS HILT HILTON HILTS HIM HIMALAYA HIMALAYAS HIMMLER HIMSELF HIND HINDER HINDERED HINDERING HINDERS HINDI HINDRANCE HINDRANCES HINDSIGHT HINDU HINDUISM HINDUS HINDUSTAN HINES HINGE HINGED HINGES HINKLE HINMAN HINSDALE HINT HINTED HINTING HINTS HIP HIPPO HIPPOCRATES HIPPOCRATIC HIPPOPOTAMUS HIPS HIRAM HIRE HIRED HIRER HIRERS HIRES HIREY HIRING HIRINGS HIROSHI HIROSHIMA HIRSCH HIS HISPANIC HISPANICIZE HISPANICIZES HISPANICS HISS HISSED HISSES HISSING HISTOGRAM HISTOGRAMS HISTORIAN HISTORIANS HISTORIC HISTORICAL HISTORICALLY HISTORIES HISTORY HIT HITACHI HITCH HITCHCOCK HITCHED HITCHHIKE HITCHHIKED HITCHHIKER HITCHHIKERS HITCHHIKES HITCHHIKING HITCHING HITHER HITHERTO HITLER HITLERIAN HITLERISM HITLERITE HITLERITES HITS HITTER HITTERS HITTING HIVE HOAGLAND HOAR HOARD HOARDER HOARDING HOARINESS HOARSE HOARSELY HOARSENESS HOARY HOBART HOBBES HOBBIES HOBBLE HOBBLED HOBBLES HOBBLING HOBBS HOBBY HOBBYHORSE HOBBYIST HOBBYISTS HOBDAY HOBOKEN HOCKEY HODGEPODGE HODGES HODGKIN HOE HOES HOFF HOFFMAN HOG HOGGING HOGS HOIST HOISTED HOISTING HOISTS HOKAN HOLBROOK HOLCOMB HOLD HOLDEN HOLDER HOLDERS HOLDING HOLDINGS HOLDS HOLE HOLED HOLES HOLIDAY HOLIDAYS HOLIES HOLINESS HOLISTIC HOLLAND HOLLANDAISE HOLLANDER HOLLERITH HOLLINGSWORTH HOLLISTER HOLLOW HOLLOWAY HOLLOWED HOLLOWING HOLLOWLY HOLLOWNESS HOLLOWS HOLLY HOLLYWOOD HOLLYWOODIZE HOLLYWOODIZES HOLM HOLMAN HOLMDEL HOLMES HOLOCAUST HOLOCENE HOLOGRAM HOLOGRAMS HOLST HOLSTEIN HOLY HOLYOKE HOLZMAN HOM HOMAGE HOME HOMED HOMELESS HOMELY HOMEMADE HOMEMAKER HOMEMAKERS HOMEOMORPHIC HOMEOMORPHISM HOMEOMORPHISMS HOMEOPATH HOMEOWNER HOMER HOMERIC HOMERS HOMES HOMESICK HOMESICKNESS HOMESPUN HOMESTEAD HOMESTEADER HOMESTEADERS HOMESTEADS HOMEWARD HOMEWARDS HOMEWORK HOMICIDAL HOMICIDE HOMING HOMO HOMOGENEITIES HOMOGENEITY HOMOGENEOUS HOMOGENEOUSLY HOMOGENEOUSNESS HOMOMORPHIC HOMOMORPHISM HOMOMORPHISMS HOMOSEXUAL HONDA HONDO HONDURAS HONE HONED HONER HONES HONEST HONESTLY HONESTY HONEY HONEYBEE HONEYCOMB HONEYCOMBED HONEYDEW HONEYMOON HONEYMOONED HONEYMOONER HONEYMOONERS HONEYMOONING HONEYMOONS HONEYSUCKLE HONEYWELL HONING HONOLULU HONOR HONORABLE HONORABLENESS HONORABLY HONORARIES HONORARIUM HONORARY HONORED HONORER HONORING HONORS HONSHU HOOD HOODED HOODLUM HOODS HOODWINK HOODWINKED HOODWINKING HOODWINKS HOOF HOOFS HOOK HOOKED HOOKER HOOKERS HOOKING HOOKS HOOKUP HOOKUPS HOOP HOOPER HOOPS HOOSIER HOOSIERIZE HOOSIERIZES HOOT HOOTED HOOTER HOOTING HOOTS HOOVER HOOVERIZE HOOVERIZES HOOVES HOP HOPE HOPED HOPEFUL HOPEFULLY HOPEFULNESS HOPEFULS HOPELESS HOPELESSLY HOPELESSNESS HOPES HOPI HOPING HOPKINS HOPKINSIAN HOPPER HOPPERS HOPPING HOPS HORACE HORATIO HORDE HORDES HORIZON HORIZONS HORIZONTAL HORIZONTALLY HORMONE HORMONES HORN HORNBLOWER HORNED HORNET HORNETS HORNS HORNY HOROWITZ HORRENDOUS HORRENDOUSLY HORRIBLE HORRIBLENESS HORRIBLY HORRID HORRIDLY HORRIFIED HORRIFIES HORRIFY HORRIFYING HORROR HORRORS HORSE HORSEBACK HORSEFLESH HORSEFLY HORSEMAN HORSEPLAY HORSEPOWER HORSES HORSESHOE HORSESHOER HORTICULTURE HORTON HORUS HOSE HOSES HOSPITABLE HOSPITABLY HOSPITAL HOSPITALITY HOSPITALIZE HOSPITALIZED HOSPITALIZES HOSPITALIZING HOSPITALS HOST HOSTAGE HOSTAGES HOSTED HOSTESS HOSTESSES HOSTILE HOSTILELY HOSTILITIES HOSTILITY HOSTING HOSTS HOT HOTEL HOTELS HOTLY HOTNESS HOTTENTOT HOTTER HOTTEST HOUDAILLE HOUDINI HOUGHTON HOUND HOUNDED HOUNDING HOUNDS HOUR HOURGLASS HOURLY HOURS HOUSE HOUSEBOAT HOUSEBROKEN HOUSED HOUSEFLIES HOUSEFLY HOUSEHOLD HOUSEHOLDER HOUSEHOLDERS HOUSEHOLDS HOUSEKEEPER HOUSEKEEPERS HOUSEKEEPING HOUSES HOUSETOP HOUSETOPS HOUSEWIFE HOUSEWIFELY HOUSEWIVES HOUSEWORK HOUSING HOUSTON HOVEL HOVELS HOVER HOVERED HOVERING HOVERS HOW HOWARD HOWE HOWELL HOWEVER HOWL HOWLED HOWLER HOWLING HOWLS HOYT HROTHGAR HUB HUBBARD HUBBELL HUBER HUBERT HUBRIS HUBS HUCK HUDDLE HUDDLED HUDDLING HUDSON HUE HUES HUEY HUFFMAN HUG HUGE HUGELY HUGENESS HUGGING HUGGINS HUGH HUGHES HUGO HUH HULL HULLS HUM HUMAN HUMANE HUMANELY HUMANENESS HUMANITARIAN HUMANITIES HUMANITY HUMANLY HUMANNESS HUMANS HUMBLE HUMBLED HUMBLENESS HUMBLER HUMBLEST HUMBLING HUMBLY HUMBOLDT HUMBUG HUME HUMERUS HUMID HUMIDIFICATION HUMIDIFIED HUMIDIFIER HUMIDIFIERS HUMIDIFIES HUMIDIFY HUMIDIFYING HUMIDITY HUMIDLY HUMILIATE HUMILIATED HUMILIATES HUMILIATING HUMILIATION HUMILIATIONS HUMILITY HUMMED HUMMEL HUMMING HUMMINGBIRD HUMOR HUMORED HUMORER HUMORERS HUMORING HUMOROUS HUMOROUSLY HUMOROUSNESS HUMORS HUMP HUMPBACK HUMPED HUMPHREY HUMPTY HUMS HUN HUNCH HUNCHED HUNCHES HUNDRED HUNDREDFOLD HUNDREDS HUNDREDTH HUNG HUNGARIAN HUNGARY HUNGER HUNGERED HUNGERING HUNGERS HUNGRIER HUNGRIEST HUNGRILY HUNGRY HUNK HUNKS HUNS HUNT HUNTED HUNTER HUNTERS HUNTING HUNTINGTON HUNTLEY HUNTS HUNTSMAN HUNTSVILLE HURD HURDLE HURL HURLED HURLER HURLERS HURLING HURON HURONS HURRAH HURRICANE HURRICANES HURRIED HURRIEDLY HURRIES HURRY HURRYING HURST HURT HURTING HURTLE HURTLING HURTS HURWITZ HUSBAND HUSBANDRY HUSBANDS HUSH HUSHED HUSHES HUSHING HUSK HUSKED HUSKER HUSKINESS HUSKING HUSKS HUSKY HUSTLE HUSTLED HUSTLER HUSTLES HUSTLING HUSTON HUT HUTCH HUTCHINS HUTCHINSON HUTCHISON HUTS HUXLEY HUXTABLE HYACINTH HYADES HYANNIS HYBRID HYDE HYDRA HYDRANT HYDRAULIC HYDRO HYDRODYNAMIC HYDRODYNAMICS HYDROGEN HYDROGENS HYENA HYGIENE HYMAN HYMEN HYMN HYMNS HYPER HYPERBOLA HYPERBOLIC HYPERTEXT HYPHEN HYPHENATE HYPHENS HYPNOSIS HYPNOTIC HYPOCRISIES HYPOCRISY HYPOCRITE HYPOCRITES HYPODERMIC HYPODERMICS HYPOTHESES HYPOTHESIS HYPOTHESIZE HYPOTHESIZED HYPOTHESIZER HYPOTHESIZES HYPOTHESIZING HYPOTHETICAL HYPOTHETICALLY HYSTERESIS HYSTERICAL HYSTERICALLY IAN IBERIA IBERIAN IBEX IBID IBIS IBN IBSEN ICARUS ICE ICEBERG ICEBERGS ICEBOX ICED ICELAND ICELANDIC ICES ICICLE ICINESS ICING ICINGS ICON ICONOCLASM ICONOCLAST ICONS ICOSAHEDRA ICOSAHEDRAL ICOSAHEDRON ICY IDA IDAHO IDEA IDEAL IDEALISM IDEALISTIC IDEALIZATION IDEALIZATIONS IDEALIZE IDEALIZED IDEALIZES IDEALIZING IDEALLY IDEALS IDEAS IDEM IDEMPOTENCY IDEMPOTENT IDENTICAL IDENTICALLY IDENTIFIABLE IDENTIFIABLY IDENTIFICATION IDENTIFICATIONS IDENTIFIED IDENTIFIER IDENTIFIERS IDENTIFIES IDENTIFY IDENTIFYING IDENTITIES IDENTITY IDEOLOGICAL IDEOLOGICALLY IDEOLOGY IDIOCY IDIOM IDIOSYNCRASIES IDIOSYNCRASY IDIOSYNCRATIC IDIOT IDIOTIC IDIOTS IDLE IDLED IDLENESS IDLER IDLERS IDLES IDLEST IDLING IDLY IDOL IDOLATRY IDOLS IFNI IGLOO IGNITE IGNITION IGNOBLE IGNOMINIOUS IGNORAMUS IGNORANCE IGNORANT IGNORANTLY IGNORE IGNORED IGNORES IGNORING IGOR IKE ILIAD ILIADIZE ILIADIZES ILL ILLEGAL ILLEGALITIES ILLEGALITY ILLEGALLY ILLEGITIMATE ILLICIT ILLICITLY ILLINOIS ILLITERACY ILLITERATE ILLNESS ILLNESSES ILLOGICAL ILLOGICALLY ILLS ILLUMINATE ILLUMINATED ILLUMINATES ILLUMINATING ILLUMINATION ILLUMINATIONS ILLUSION ILLUSIONS ILLUSIVE ILLUSIVELY ILLUSORY ILLUSTRATE ILLUSTRATED ILLUSTRATES ILLUSTRATING ILLUSTRATION ILLUSTRATIONS ILLUSTRATIVE ILLUSTRATIVELY ILLUSTRATOR ILLUSTRATORS ILLUSTRIOUS ILLUSTRIOUSNESS ILLY ILONA ILYUSHIN IMAGE IMAGEN IMAGERY IMAGES IMAGINABLE IMAGINABLY IMAGINARY IMAGINATION IMAGINATIONS IMAGINATIVE IMAGINATIVELY IMAGINE IMAGINED IMAGINES IMAGING IMAGINING IMAGININGS IMBALANCE IMBALANCES IMBECILE IMBIBE IMBRIUM IMITATE IMITATED IMITATES IMITATING IMITATION IMITATIONS IMITATIVE IMMACULATE IMMACULATELY IMMATERIAL IMMATERIALLY IMMATURE IMMATURITY IMMEDIACIES IMMEDIACY IMMEDIATE IMMEDIATELY IMMEMORIAL IMMENSE IMMENSELY IMMERSE IMMERSED IMMERSES IMMERSION IMMIGRANT IMMIGRANTS IMMIGRATE IMMIGRATED IMMIGRATES IMMIGRATING IMMIGRATION IMMINENT IMMINENTLY IMMODERATE IMMODEST IMMORAL IMMORTAL IMMORTALITY IMMORTALLY IMMOVABILITY IMMOVABLE IMMOVABLY IMMUNE IMMUNITIES IMMUNITY IMMUNIZATION IMMUTABLE IMP IMPACT IMPACTED IMPACTING IMPACTION IMPACTOR IMPACTORS IMPACTS IMPAIR IMPAIRED IMPAIRING IMPAIRS IMPALE IMPART IMPARTED IMPARTIAL IMPARTIALLY IMPARTS IMPASSE IMPASSIVE IMPATIENCE IMPATIENT IMPATIENTLY IMPEACH IMPEACHABLE IMPEACHED IMPEACHMENT IMPECCABLE IMPEDANCE IMPEDANCES IMPEDE IMPEDED IMPEDES IMPEDIMENT IMPEDIMENTS IMPEDING IMPEL IMPELLED IMPELLING IMPEND IMPENDING IMPENETRABILITY IMPENETRABLE IMPENETRABLY IMPERATIVE IMPERATIVELY IMPERATIVES IMPERCEIVABLE IMPERCEPTIBLE IMPERFECT IMPERFECTION IMPERFECTIONS IMPERFECTLY IMPERIAL IMPERIALISM IMPERIALIST IMPERIALISTS IMPERIL IMPERILED IMPERIOUS IMPERIOUSLY IMPERMANENCE IMPERMANENT IMPERMEABLE IMPERMISSIBLE IMPERSONAL IMPERSONALLY IMPERSONATE IMPERSONATED IMPERSONATES IMPERSONATING IMPERSONATION IMPERSONATIONS IMPERTINENT IMPERTINENTLY IMPERVIOUS IMPERVIOUSLY IMPETUOUS IMPETUOUSLY IMPETUS IMPINGE IMPINGED IMPINGES IMPINGING IMPIOUS IMPLACABLE IMPLANT IMPLANTED IMPLANTING IMPLANTS IMPLAUSIBLE IMPLEMENT IMPLEMENTABLE IMPLEMENTATION IMPLEMENTATIONS IMPLEMENTED IMPLEMENTER IMPLEMENTING IMPLEMENTOR IMPLEMENTORS IMPLEMENTS IMPLICANT IMPLICANTS IMPLICATE IMPLICATED IMPLICATES IMPLICATING IMPLICATION IMPLICATIONS IMPLICIT IMPLICITLY IMPLICITNESS IMPLIED IMPLIES IMPLORE IMPLORED IMPLORING IMPLY IMPLYING IMPOLITE IMPORT IMPORTANCE IMPORTANT IMPORTANTLY IMPORTATION IMPORTED IMPORTER IMPORTERS IMPORTING IMPORTS IMPOSE IMPOSED IMPOSES IMPOSING IMPOSITION IMPOSITIONS IMPOSSIBILITIES IMPOSSIBILITY IMPOSSIBLE IMPOSSIBLY IMPOSTOR IMPOSTORS IMPOTENCE IMPOTENCY IMPOTENT IMPOUND IMPOVERISH IMPOVERISHED IMPOVERISHMENT IMPRACTICABLE IMPRACTICAL IMPRACTICALITY IMPRACTICALLY IMPRECISE IMPRECISELY IMPRECISION IMPREGNABLE IMPREGNATE IMPRESS IMPRESSED IMPRESSER IMPRESSES IMPRESSIBLE IMPRESSING IMPRESSION IMPRESSIONABLE IMPRESSIONIST IMPRESSIONISTIC IMPRESSIONS IMPRESSIVE IMPRESSIVELY IMPRESSIVENESS IMPRESSMENT IMPRIMATUR IMPRINT IMPRINTED IMPRINTING IMPRINTS IMPRISON IMPRISONED IMPRISONING IMPRISONMENT IMPRISONMENTS IMPRISONS IMPROBABILITY IMPROBABLE IMPROMPTU IMPROPER IMPROPERLY IMPROPRIETY IMPROVE IMPROVED IMPROVEMENT IMPROVEMENTS IMPROVES IMPROVING IMPROVISATION IMPROVISATIONAL IMPROVISATIONS IMPROVISE IMPROVISED IMPROVISER IMPROVISERS IMPROVISES IMPROVISING IMPRUDENT IMPS IMPUDENT IMPUDENTLY IMPUGN IMPULSE IMPULSES IMPULSION IMPULSIVE IMPUNITY IMPURE IMPURITIES IMPURITY IMPUTE IMPUTED INABILITY INACCESSIBLE INACCURACIES INACCURACY INACCURATE INACTION INACTIVATE INACTIVE INACTIVITY INADEQUACIES INADEQUACY INADEQUATE INADEQUATELY INADEQUATENESS INADMISSIBILITY INADMISSIBLE INADVERTENT INADVERTENTLY INADVISABLE INALIENABLE INALTERABLE INANE INANIMATE INANIMATELY INANNA INAPPLICABLE INAPPROACHABLE INAPPROPRIATE INAPPROPRIATENESS INASMUCH INATTENTION INAUDIBLE INAUGURAL INAUGURATE INAUGURATED INAUGURATING INAUGURATION INAUSPICIOUS INBOARD INBOUND INBREED INCA INCALCULABLE INCANDESCENT INCANTATION INCAPABLE INCAPACITATE INCAPACITATING INCARCERATE INCARNATION INCARNATIONS INCAS INCENDIARIES INCENDIARY INCENSE INCENSED INCENSES INCENTIVE INCENTIVES INCEPTION INCESSANT INCESSANTLY INCEST INCESTUOUS INCH INCHED INCHES INCHING INCIDENCE INCIDENT INCIDENTAL INCIDENTALLY INCIDENTALS INCIDENTS INCINERATE INCIPIENT INCISIVE INCITE INCITED INCITEMENT INCITES INCITING INCLEMENT INCLINATION INCLINATIONS INCLINE INCLINED INCLINES INCLINING INCLOSE INCLOSED INCLOSES INCLOSING INCLUDE INCLUDED INCLUDES INCLUDING INCLUSION INCLUSIONS INCLUSIVE INCLUSIVELY INCLUSIVENESS INCOHERENCE INCOHERENT INCOHERENTLY INCOME INCOMES INCOMING INCOMMENSURABLE INCOMMENSURATE INCOMMUNICABLE INCOMPARABLE INCOMPARABLY INCOMPATIBILITIES INCOMPATIBILITY INCOMPATIBLE INCOMPATIBLY INCOMPETENCE INCOMPETENT INCOMPETENTS INCOMPLETE INCOMPLETELY INCOMPLETENESS INCOMPREHENSIBILITY INCOMPREHENSIBLE INCOMPREHENSIBLY INCOMPREHENSION INCOMPRESSIBLE INCOMPUTABLE INCONCEIVABLE INCONCLUSIVE INCONGRUITY INCONGRUOUS INCONSEQUENTIAL INCONSEQUENTIALLY INCONSIDERABLE INCONSIDERATE INCONSIDERATELY INCONSIDERATENESS INCONSISTENCIES INCONSISTENCY INCONSISTENT INCONSISTENTLY INCONSPICUOUS INCONTESTABLE INCONTROVERTIBLE INCONTROVERTIBLY INCONVENIENCE INCONVENIENCED INCONVENIENCES INCONVENIENCING INCONVENIENT INCONVENIENTLY INCONVERTIBLE INCORPORATE INCORPORATED INCORPORATES INCORPORATING INCORPORATION INCORRECT INCORRECTLY INCORRECTNESS INCORRIGIBLE INCREASE INCREASED INCREASES INCREASING INCREASINGLY INCREDIBLE INCREDIBLY INCREDULITY INCREDULOUS INCREDULOUSLY INCREMENT INCREMENTAL INCREMENTALLY INCREMENTED INCREMENTER INCREMENTING INCREMENTS INCRIMINATE INCUBATE INCUBATED INCUBATES INCUBATING INCUBATION INCUBATOR INCUBATORS INCULCATE INCUMBENT INCUR INCURABLE INCURRED INCURRING INCURS INCURSION INDEBTED INDEBTEDNESS INDECENT INDECIPHERABLE INDECISION INDECISIVE INDEED INDEFATIGABLE INDEFENSIBLE INDEFINITE INDEFINITELY INDEFINITENESS INDELIBLE INDEMNIFY INDEMNITY INDENT INDENTATION INDENTATIONS INDENTED INDENTING INDENTS INDENTURE INDEPENDENCE INDEPENDENT INDEPENDENTLY INDESCRIBABLE INDESTRUCTIBLE INDETERMINACIES INDETERMINACY INDETERMINATE INDETERMINATELY INDEX INDEXABLE INDEXED INDEXES INDEXING INDIA INDIAN INDIANA INDIANAPOLIS INDIANS INDICATE INDICATED INDICATES INDICATING INDICATION INDICATIONS INDICATIVE INDICATOR INDICATORS INDICES INDICT INDICTMENT INDICTMENTS INDIES INDIFFERENCE INDIFFERENT INDIFFERENTLY INDIGENOUS INDIGENOUSLY INDIGENOUSNESS INDIGESTIBLE INDIGESTION INDIGNANT INDIGNANTLY INDIGNATION INDIGNITIES INDIGNITY INDIGO INDIRA INDIRECT INDIRECTED INDIRECTING INDIRECTION INDIRECTIONS INDIRECTLY INDIRECTS INDISCREET INDISCRETION INDISCRIMINATE INDISCRIMINATELY INDISPENSABILITY INDISPENSABLE INDISPENSABLY INDISPUTABLE INDISTINCT INDISTINGUISHABLE INDIVIDUAL INDIVIDUALISM INDIVIDUALISTIC INDIVIDUALITY INDIVIDUALIZE INDIVIDUALIZED INDIVIDUALIZES INDIVIDUALIZING INDIVIDUALLY INDIVIDUALS INDIVISIBILITY INDIVISIBLE INDO INDOCHINA INDOCHINESE INDOCTRINATE INDOCTRINATED INDOCTRINATES INDOCTRINATING INDOCTRINATION INDOEUROPEAN INDOLENT INDOLENTLY INDOMITABLE INDONESIA INDONESIAN INDOOR INDOORS INDUBITABLE INDUCE INDUCED INDUCEMENT INDUCEMENTS INDUCER INDUCES INDUCING INDUCT INDUCTANCE INDUCTANCES INDUCTED INDUCTEE INDUCTING INDUCTION INDUCTIONS INDUCTIVE INDUCTIVELY INDUCTOR INDUCTORS INDUCTS INDULGE INDULGED INDULGENCE INDULGENCES INDULGENT INDULGING INDUS INDUSTRIAL INDUSTRIALISM INDUSTRIALIST INDUSTRIALISTS INDUSTRIALIZATION INDUSTRIALIZED INDUSTRIALLY INDUSTRIALS INDUSTRIES INDUSTRIOUS INDUSTRIOUSLY INDUSTRIOUSNESS INDUSTRY INDY INEFFECTIVE INEFFECTIVELY INEFFECTIVENESS INEFFECTUAL INEFFICIENCIES INEFFICIENCY INEFFICIENT INEFFICIENTLY INELEGANT INELIGIBLE INEPT INEQUALITIES INEQUALITY INEQUITABLE INEQUITY INERT INERTIA INERTIAL INERTLY INERTNESS INESCAPABLE INESCAPABLY INESSENTIAL INESTIMABLE INEVITABILITIES INEVITABILITY INEVITABLE INEVITABLY INEXACT INEXCUSABLE INEXCUSABLY INEXHAUSTIBLE INEXORABLE INEXORABLY INEXPENSIVE INEXPENSIVELY INEXPERIENCE INEXPERIENCED INEXPLICABLE INFALLIBILITY INFALLIBLE INFALLIBLY INFAMOUS INFAMOUSLY INFAMY INFANCY INFANT INFANTILE INFANTRY INFANTRYMAN INFANTRYMEN INFANTS INFARCT INFATUATE INFEASIBLE INFECT INFECTED INFECTING INFECTION INFECTIONS INFECTIOUS INFECTIOUSLY INFECTIVE INFECTS INFER INFERENCE INFERENCES INFERENTIAL INFERIOR INFERIORITY INFERIORS INFERNAL INFERNALLY INFERNO INFERNOS INFERRED INFERRING INFERS INFERTILE INFEST INFESTED INFESTING INFESTS INFIDEL INFIDELITY INFIDELS INFIGHTING INFILTRATE INFINITE INFINITELY INFINITENESS INFINITESIMAL INFINITIVE INFINITIVES INFINITUDE INFINITUM INFINITY INFIRM INFIRMARY INFIRMITY INFIX INFLAME INFLAMED INFLAMMABLE INFLAMMATION INFLAMMATORY INFLATABLE INFLATE INFLATED INFLATER INFLATES INFLATING INFLATION INFLATIONARY INFLEXIBILITY INFLEXIBLE INFLICT INFLICTED INFLICTING INFLICTS INFLOW INFLUENCE INFLUENCED INFLUENCES INFLUENCING INFLUENTIAL INFLUENTIALLY INFLUENZA INFORM INFORMAL INFORMALITY INFORMALLY INFORMANT INFORMANTS INFORMATICA INFORMATION INFORMATIONAL INFORMATIVE INFORMATIVELY INFORMED INFORMER INFORMERS INFORMING INFORMS INFRA INFRARED INFRASTRUCTURE INFREQUENT INFREQUENTLY INFRINGE INFRINGED INFRINGEMENT INFRINGEMENTS INFRINGES INFRINGING INFURIATE INFURIATED INFURIATES INFURIATING INFURIATION INFUSE INFUSED INFUSES INFUSING INFUSION INFUSIONS INGENIOUS INGENIOUSLY INGENIOUSNESS INGENUITY INGENUOUS INGERSOLL INGEST INGESTION INGLORIOUS INGOT INGRAM INGRATE INGRATIATE INGRATITUDE INGREDIENT INGREDIENTS INGROWN INHABIT INHABITABLE INHABITANCE INHABITANT INHABITANTS INHABITED INHABITING INHABITS INHALE INHALED INHALER INHALES INHALING INHERE INHERENT INHERENTLY INHERES INHERIT INHERITABLE INHERITANCE INHERITANCES INHERITED INHERITING INHERITOR INHERITORS INHERITRESS INHERITRESSES INHERITRICES INHERITRIX INHERITS INHIBIT INHIBITED INHIBITING INHIBITION INHIBITIONS INHIBITOR INHIBITORS INHIBITORY INHIBITS INHOMOGENEITIES INHOMOGENEITY INHOMOGENEOUS INHOSPITABLE INHUMAN INHUMANE INIMICAL INIMITABLE INIQUITIES INIQUITY INITIAL INITIALED INITIALING INITIALIZATION INITIALIZATIONS INITIALIZE INITIALIZED INITIALIZER INITIALIZERS INITIALIZES INITIALIZING INITIALLY INITIALS INITIATE INITIATED INITIATES INITIATING INITIATION INITIATIONS INITIATIVE INITIATIVES INITIATOR INITIATORS INJECT INJECTED INJECTING INJECTION INJECTIONS INJECTIVE INJECTS INJUDICIOUS INJUN INJUNCTION INJUNCTIONS INJUNS INJURE INJURED INJURES INJURIES INJURING INJURIOUS INJURY INJUSTICE INJUSTICES INK INKED INKER INKERS INKING INKINGS INKLING INKLINGS INKS INLAID INLAND INLAY INLET INLETS INLINE INMAN INMATE INMATES INN INNARDS INNATE INNATELY INNER INNERMOST INNING INNINGS INNOCENCE INNOCENT INNOCENTLY INNOCENTS INNOCUOUS INNOCUOUSLY INNOCUOUSNESS INNOVATE INNOVATION INNOVATIONS INNOVATIVE INNS INNUENDO INNUMERABILITY INNUMERABLE INNUMERABLY INOCULATE INOPERABLE INOPERATIVE INOPPORTUNE INORDINATE INORDINATELY INORGANIC INPUT INPUTS INQUEST INQUIRE INQUIRED INQUIRER INQUIRERS INQUIRES INQUIRIES INQUIRING INQUIRY INQUISITION INQUISITIONS INQUISITIVE INQUISITIVELY INQUISITIVENESS INROAD INROADS INSANE INSANELY INSANITY INSATIABLE INSCRIBE INSCRIBED INSCRIBES INSCRIBING INSCRIPTION INSCRIPTIONS INSCRUTABLE INSECT INSECTICIDE INSECTS INSECURE INSECURELY INSEMINATE INSENSIBLE INSENSITIVE INSENSITIVELY INSENSITIVITY INSEPARABLE INSERT INSERTED INSERTING INSERTION INSERTIONS INSERTS INSET INSIDE INSIDER INSIDERS INSIDES INSIDIOUS INSIDIOUSLY INSIDIOUSNESS INSIGHT INSIGHTFUL INSIGHTS INSIGNIA INSIGNIFICANCE INSIGNIFICANT INSINCERE INSINCERITY INSINUATE INSINUATED INSINUATES INSINUATING INSINUATION INSINUATIONS INSIPID INSIST INSISTED INSISTENCE INSISTENT INSISTENTLY INSISTING INSISTS INSOFAR INSOLENCE INSOLENT INSOLENTLY INSOLUBLE INSOLVABLE INSOLVENT INSOMNIA INSOMNIAC INSPECT INSPECTED INSPECTING INSPECTION INSPECTIONS INSPECTOR INSPECTORS INSPECTS INSPIRATION INSPIRATIONS INSPIRE INSPIRED INSPIRER INSPIRES INSPIRING INSTABILITIES INSTABILITY INSTALL INSTALLATION INSTALLATIONS INSTALLED INSTALLER INSTALLERS INSTALLING INSTALLMENT INSTALLMENTS INSTALLS INSTANCE INSTANCES INSTANT INSTANTANEOUS INSTANTANEOUSLY INSTANTER INSTANTIATE INSTANTIATED INSTANTIATES INSTANTIATING INSTANTIATION INSTANTIATIONS INSTANTLY INSTANTS INSTEAD INSTIGATE INSTIGATED INSTIGATES INSTIGATING INSTIGATOR INSTIGATORS INSTILL INSTINCT INSTINCTIVE INSTINCTIVELY INSTINCTS INSTINCTUAL INSTITUTE INSTITUTED INSTITUTER INSTITUTERS INSTITUTES INSTITUTING INSTITUTION INSTITUTIONAL INSTITUTIONALIZE INSTITUTIONALIZED INSTITUTIONALIZES INSTITUTIONALIZING INSTITUTIONALLY INSTITUTIONS INSTRUCT INSTRUCTED INSTRUCTING INSTRUCTION INSTRUCTIONAL INSTRUCTIONS INSTRUCTIVE INSTRUCTIVELY INSTRUCTOR INSTRUCTORS INSTRUCTS INSTRUMENT INSTRUMENTAL INSTRUMENTALIST INSTRUMENTALISTS INSTRUMENTALLY INSTRUMENTALS INSTRUMENTATION INSTRUMENTED INSTRUMENTING INSTRUMENTS INSUBORDINATE INSUFFERABLE INSUFFICIENT INSUFFICIENTLY INSULAR INSULATE INSULATED INSULATES INSULATING INSULATION INSULATOR INSULATORS INSULIN INSULT INSULTED INSULTING INSULTS INSUPERABLE INSUPPORTABLE INSURANCE INSURE INSURED INSURER INSURERS INSURES INSURGENT INSURGENTS INSURING INSURMOUNTABLE INSURRECTION INSURRECTIONS INTACT INTANGIBLE INTANGIBLES INTEGER INTEGERS INTEGRABLE INTEGRAL INTEGRALS INTEGRAND INTEGRATE INTEGRATED INTEGRATES INTEGRATING INTEGRATION INTEGRATIONS INTEGRATIVE INTEGRITY INTEL INTELLECT INTELLECTS INTELLECTUAL INTELLECTUALLY INTELLECTUALS INTELLIGENCE INTELLIGENT INTELLIGENTLY INTELLIGENTSIA INTELLIGIBILITY INTELLIGIBLE INTELLIGIBLY INTELSAT INTEMPERATE INTEND INTENDED INTENDING INTENDS INTENSE INTENSELY INTENSIFICATION INTENSIFIED INTENSIFIER INTENSIFIERS INTENSIFIES INTENSIFY INTENSIFYING INTENSITIES INTENSITY INTENSIVE INTENSIVELY INTENT INTENTION INTENTIONAL INTENTIONALLY INTENTIONED INTENTIONS INTENTLY INTENTNESS INTENTS INTER INTERACT INTERACTED INTERACTING INTERACTION INTERACTIONS INTERACTIVE INTERACTIVELY INTERACTIVITY INTERACTS INTERCEPT INTERCEPTED INTERCEPTING INTERCEPTION INTERCEPTOR INTERCEPTS INTERCHANGE INTERCHANGEABILITY INTERCHANGEABLE INTERCHANGEABLY INTERCHANGED INTERCHANGER INTERCHANGES INTERCHANGING INTERCHANGINGS INTERCHANNEL INTERCITY INTERCOM INTERCOMMUNICATE INTERCOMMUNICATED INTERCOMMUNICATES INTERCOMMUNICATING INTERCOMMUNICATION INTERCONNECT INTERCONNECTED INTERCONNECTING INTERCONNECTION INTERCONNECTIONS INTERCONNECTS INTERCONTINENTAL INTERCOURSE INTERDATA INTERDEPENDENCE INTERDEPENDENCIES INTERDEPENDENCY INTERDEPENDENT INTERDICT INTERDICTION INTERDISCIPLINARY INTEREST INTERESTED INTERESTING INTERESTINGLY INTERESTS INTERFACE INTERFACED INTERFACER INTERFACES INTERFACING INTERFERE INTERFERED INTERFERENCE INTERFERENCES INTERFERES INTERFERING INTERFERINGLY INTERFEROMETER INTERFEROMETRIC INTERFEROMETRY INTERFRAME INTERGROUP INTERIM INTERIOR INTERIORS INTERJECT INTERLACE INTERLACED INTERLACES INTERLACING INTERLEAVE INTERLEAVED INTERLEAVES INTERLEAVING INTERLINK INTERLINKED INTERLINKS INTERLISP INTERMEDIARY INTERMEDIATE INTERMEDIATES INTERMINABLE INTERMINGLE INTERMINGLED INTERMINGLES INTERMINGLING INTERMISSION INTERMITTENT INTERMITTENTLY INTERMIX INTERMIXED INTERMODULE INTERN INTERNAL INTERNALIZE INTERNALIZED INTERNALIZES INTERNALIZING INTERNALLY INTERNALS INTERNATIONAL INTERNATIONALITY INTERNATIONALLY INTERNED INTERNET INTERNET INTERNETWORK INTERNING INTERNS INTERNSHIP INTEROFFICE INTERPERSONAL INTERPLAY INTERPOL INTERPOLATE INTERPOLATED INTERPOLATES INTERPOLATING INTERPOLATION INTERPOLATIONS INTERPOSE INTERPOSED INTERPOSES INTERPOSING INTERPRET INTERPRETABLE INTERPRETATION INTERPRETATIONS INTERPRETED INTERPRETER INTERPRETERS INTERPRETING INTERPRETIVE INTERPRETIVELY INTERPRETS INTERPROCESS INTERRELATE INTERRELATED INTERRELATES INTERRELATING INTERRELATION INTERRELATIONS INTERRELATIONSHIP INTERRELATIONSHIPS INTERROGATE INTERROGATED INTERROGATES INTERROGATING INTERROGATION INTERROGATIONS INTERROGATIVE INTERRUPT INTERRUPTED INTERRUPTIBLE INTERRUPTING INTERRUPTION INTERRUPTIONS INTERRUPTIVE INTERRUPTS INTERSECT INTERSECTED INTERSECTING INTERSECTION INTERSECTIONS INTERSECTS INTERSPERSE INTERSPERSED INTERSPERSES INTERSPERSING INTERSPERSION INTERSTAGE INTERSTATE INTERTWINE INTERTWINED INTERTWINES INTERTWINING INTERVAL INTERVALS INTERVENE INTERVENED INTERVENES INTERVENING INTERVENTION INTERVENTIONS INTERVIEW INTERVIEWED INTERVIEWEE INTERVIEWER INTERVIEWERS INTERVIEWING INTERVIEWS INTERWOVEN INTESTATE INTESTINAL INTESTINE INTESTINES INTIMACY INTIMATE INTIMATED INTIMATELY INTIMATING INTIMATION INTIMATIONS INTIMIDATE INTIMIDATED INTIMIDATES INTIMIDATING INTIMIDATION INTO INTOLERABLE INTOLERABLY INTOLERANCE INTOLERANT INTONATION INTONATIONS INTONE INTOXICANT INTOXICATE INTOXICATED INTOXICATING INTOXICATION INTRACTABILITY INTRACTABLE INTRACTABLY INTRAGROUP INTRALINE INTRAMURAL INTRAMUSCULAR INTRANSIGENT INTRANSITIVE INTRANSITIVELY INTRAOFFICE INTRAPROCESS INTRASTATE INTRAVENOUS INTREPID INTRICACIES INTRICACY INTRICATE INTRICATELY INTRIGUE INTRIGUED INTRIGUES INTRIGUING INTRINSIC INTRINSICALLY INTRODUCE INTRODUCED INTRODUCES INTRODUCING INTRODUCTION INTRODUCTIONS INTRODUCTORY INTROSPECT INTROSPECTION INTROSPECTIONS INTROSPECTIVE INTROVERT INTROVERTED INTRUDE INTRUDED INTRUDER INTRUDERS INTRUDES INTRUDING INTRUSION INTRUSIONS INTRUST INTUBATE INTUBATED INTUBATES INTUBATION INTUITION INTUITIONIST INTUITIONS INTUITIVE INTUITIVELY INUNDATE INVADE INVADED INVADER INVADERS INVADES INVADING INVALID INVALIDATE INVALIDATED INVALIDATES INVALIDATING INVALIDATION INVALIDATIONS INVALIDITIES INVALIDITY INVALIDLY INVALIDS INVALUABLE INVARIABLE INVARIABLY INVARIANCE INVARIANT INVARIANTLY INVARIANTS INVASION INVASIONS INVECTIVE INVENT INVENTED INVENTING INVENTION INVENTIONS INVENTIVE INVENTIVELY INVENTIVENESS INVENTOR INVENTORIES INVENTORS INVENTORY INVENTS INVERNESS INVERSE INVERSELY INVERSES INVERSION INVERSIONS INVERT INVERTEBRATE INVERTEBRATES INVERTED INVERTER INVERTERS INVERTIBLE INVERTING INVERTS INVEST INVESTED INVESTIGATE INVESTIGATED INVESTIGATES INVESTIGATING INVESTIGATION INVESTIGATIONS INVESTIGATIVE INVESTIGATOR INVESTIGATORS INVESTIGATORY INVESTING INVESTMENT INVESTMENTS INVESTOR INVESTORS INVESTS INVETERATE INVIGORATE INVINCIBLE INVISIBILITY INVISIBLE INVISIBLY INVITATION INVITATIONS INVITE INVITED INVITES INVITING INVOCABLE INVOCATION INVOCATIONS INVOICE INVOICED INVOICES INVOICING INVOKE INVOKED INVOKER INVOKES INVOKING INVOLUNTARILY INVOLUNTARY INVOLVE INVOLVED INVOLVEMENT INVOLVEMENTS INVOLVES INVOLVING INWARD INWARDLY INWARDNESS INWARDS IODINE ION IONIAN IONIANS IONICIZATION IONICIZATIONS IONICIZE IONICIZES IONOSPHERE IONOSPHERIC IONS IOTA IOWA IRA IRAN IRANIAN IRANIANS IRANIZE IRANIZES IRAQ IRAQI IRAQIS IRATE IRATELY IRATENESS IRE IRELAND IRENE IRES IRIS IRISH IRISHIZE IRISHIZES IRISHMAN IRISHMEN IRK IRKED IRKING IRKS IRKSOME IRMA IRON IRONED IRONIC IRONICAL IRONICALLY IRONIES IRONING IRONINGS IRONS IRONY IROQUOIS IRRADIATE IRRATIONAL IRRATIONALLY IRRATIONALS IRRAWADDY IRRECONCILABLE IRRECOVERABLE IRREDUCIBLE IRREDUCIBLY IRREFLEXIVE IRREFUTABLE IRREGULAR IRREGULARITIES IRREGULARITY IRREGULARLY IRREGULARS IRRELEVANCE IRRELEVANCES IRRELEVANT IRRELEVANTLY IRREPLACEABLE IRREPRESSIBLE IRREPRODUCIBILITY IRREPRODUCIBLE IRRESISTIBLE IRRESPECTIVE IRRESPECTIVELY IRRESPONSIBLE IRRESPONSIBLY IRRETRIEVABLY IRREVERENT IRREVERSIBILITY IRREVERSIBLE IRREVERSIBLY IRREVOCABLE IRREVOCABLY IRRIGATE IRRIGATED IRRIGATES IRRIGATING IRRIGATION IRRITABLE IRRITANT IRRITATE IRRITATED IRRITATES IRRITATING IRRITATION IRRITATIONS IRVIN IRVINE IRVING IRWIN ISAAC ISAACS ISAACSON ISABEL ISABELLA ISADORE ISAIAH ISFAHAN ISING ISIS ISLAM ISLAMABAD ISLAMIC ISLAMIZATION ISLAMIZATIONS ISLAMIZE ISLAMIZES ISLAND ISLANDER ISLANDERS ISLANDIA ISLANDS ISLE ISLES ISLET ISLETS ISOLATE ISOLATED ISOLATES ISOLATING ISOLATION ISOLATIONS ISOLDE ISOMETRIC ISOMORPHIC ISOMORPHICALLY ISOMORPHISM ISOMORPHISMS ISOTOPE ISOTOPES ISRAEL ISRAELI ISRAELIS ISRAELITE ISRAELITES ISRAELITIZE ISRAELITIZES ISSUANCE ISSUE ISSUED ISSUER ISSUERS ISSUES ISSUING ISTANBUL ISTHMUS ISTVAN ITALIAN ITALIANIZATION ITALIANIZATIONS ITALIANIZE ITALIANIZER ITALIANIZERS ITALIANIZES ITALIANS ITALIC ITALICIZE ITALICIZED ITALICS ITALY ITCH ITCHES ITCHING ITEL ITEM ITEMIZATION ITEMIZATIONS ITEMIZE ITEMIZED ITEMIZES ITEMIZING ITEMS ITERATE ITERATED ITERATES ITERATING ITERATION ITERATIONS ITERATIVE ITERATIVELY ITERATOR ITERATORS ITHACA ITHACAN ITINERARIES ITINERARY ITO ITS ITSELF IVAN IVANHOE IVERSON IVIES IVORY IVY IZAAK IZVESTIA JAB JABBED JABBING JABLONSKY JABS JACK JACKASS JACKET JACKETED JACKETS JACKIE JACKING JACKKNIFE JACKMAN JACKPOT JACKSON JACKSONIAN JACKSONS JACKSONVILLE JACKY JACOB JACOBEAN JACOBI JACOBIAN JACOBINIZE JACOBITE JACOBS JACOBSEN JACOBSON JACOBUS JACOBY JACQUELINE JACQUES JADE JADED JAEGER JAGUAR JAIL JAILED JAILER JAILERS JAILING JAILS JAIME JAKARTA JAKE JAKES JAM JAMAICA JAMAICAN JAMES JAMESON JAMESTOWN JAMMED JAMMING JAMS JANE JANEIRO JANESVILLE JANET JANICE JANIS JANITOR JANITORS JANOS JANSEN JANSENIST JANUARIES JANUARY JANUS JAPAN JAPANESE JAPANIZATION JAPANIZATIONS JAPANIZE JAPANIZED JAPANIZES JAPANIZING JAR JARGON JARRED JARRING JARRINGLY JARS JARVIN JASON JASTROW JAUNDICE JAUNT JAUNTINESS JAUNTS JAUNTY JAVA JAVANESE JAVELIN JAVELINS JAW JAWBONE JAWS JAY JAYCEE JAYCEES JAZZ JAZZY JEALOUS JEALOUSIES JEALOUSLY JEALOUSY JEAN JEANNE JEANNIE JEANS JED JEEP JEEPS JEER JEERS JEFF JEFFERSON JEFFERSONIAN JEFFERSONIANS JEFFREY JEHOVAH JELLIES JELLO JELLY JELLYFISH JENKINS JENNIE JENNIFER JENNINGS JENNY JENSEN JEOPARDIZE JEOPARDIZED JEOPARDIZES JEOPARDIZING JEOPARDY JEREMIAH JEREMY JERES JERICHO JERK JERKED JERKINESS JERKING JERKINGS JERKS JERKY JEROBOAM JEROME JERRY JERSEY JERSEYS JERUSALEM JESSE JESSICA JESSIE JESSY JEST JESTED JESTER JESTING JESTS JESUIT JESUITISM JESUITIZE JESUITIZED JESUITIZES JESUITIZING JESUITS JESUS JET JETLINER JETS JETTED JETTING JEW JEWEL JEWELED JEWELER JEWELL JEWELLED JEWELRIES JEWELRY JEWELS JEWETT JEWISH JEWISHNESS JEWS JIFFY JIG JIGS JIGSAW JILL JIM JIMENEZ JIMMIE JINGLE JINGLED JINGLING JINNY JITTER JITTERBUG JITTERY JOAN JOANNA JOANNE JOAQUIN JOB JOBREL JOBS JOCKEY JOCKSTRAP JOCUND JODY JOE JOEL JOES JOG JOGGING JOGS JOHANN JOHANNA JOHANNES JOHANNESBURG JOHANSEN JOHANSON JOHN JOHNNIE JOHNNY JOHNS JOHNSEN JOHNSON JOHNSTON JOHNSTOWN JOIN JOINED JOINER JOINERS JOINING JOINS JOINT JOINTLY JOINTS JOKE JOKED JOKER JOKERS JOKES JOKING JOKINGLY JOLIET JOLLA JOLLY JOLT JOLTED JOLTING JOLTS JON JONAS JONATHAN JONATHANIZATION JONATHANIZATIONS JONES JONESES JONQUIL JOPLIN JORDAN JORDANIAN JORGE JORGENSEN JORGENSON JOSE JOSEF JOSEPH JOSEPHINE JOSEPHSON JOSEPHUS JOSHUA JOSIAH JOSTLE JOSTLED JOSTLES JOSTLING JOT JOTS JOTTED JOTTING JOULE JOURNAL JOURNALISM JOURNALIST JOURNALISTS JOURNALIZE JOURNALIZED JOURNALIZES JOURNALIZING JOURNALS JOURNEY JOURNEYED JOURNEYING JOURNEYINGS JOURNEYMAN JOURNEYMEN JOURNEYS JOUST JOUSTED JOUSTING JOUSTS JOVANOVICH JOVE JOVIAL JOVIAN JOY JOYCE JOYFUL JOYFULLY JOYOUS JOYOUSLY JOYOUSNESS JOYRIDE JOYS JOYSTICK JUAN JUANITA JUBAL JUBILEE JUDAICA JUDAISM JUDAS JUDD JUDDER JUDDERED JUDDERING JUDDERS JUDE JUDEA JUDGE JUDGED JUDGES JUDGING JUDGMENT JUDGMENTS JUDICIAL JUDICIARY JUDICIOUS JUDICIOUSLY JUDITH JUDO JUDSON JUDY JUG JUGGLE JUGGLER JUGGLERS JUGGLES JUGGLING JUGOSLAVIA JUGS JUICE JUICES JUICIEST JUICY JUKES JULES JULIA JULIAN JULIE JULIES JULIET JULIO JULIUS JULY JUMBLE JUMBLED JUMBLES JUMBO JUMP JUMPED JUMPER JUMPERS JUMPING JUMPS JUMPY JUNCTION JUNCTIONS JUNCTURE JUNCTURES JUNE JUNEAU JUNES JUNG JUNGIAN JUNGLE JUNGLES JUNIOR JUNIORS JUNIPER JUNK JUNKER JUNKERS JUNKS JUNKY JUNO JUNTA JUPITER JURA JURAS JURASSIC JURE JURIES JURISDICTION JURISDICTIONS JURISPRUDENCE JURIST JUROR JURORS JURY JUST JUSTICE JUSTICES JUSTIFIABLE JUSTIFIABLY JUSTIFICATION JUSTIFICATIONS JUSTIFIED JUSTIFIER JUSTIFIERS JUSTIFIES JUSTIFY JUSTIFYING JUSTINE JUSTINIAN JUSTLY JUSTNESS JUT JUTISH JUTLAND JUTTING JUVENILE JUVENILES JUXTAPOSE JUXTAPOSED JUXTAPOSES JUXTAPOSING KABUKI KABUL KADDISH KAFKA KAFKAESQUE KAHN KAJAR KALAMAZOO KALI KALMUK KAMCHATKA KAMIKAZE KAMIKAZES KAMPALA KAMPUCHEA KANARESE KANE KANGAROO KANJI KANKAKEE KANNADA KANSAS KANT KANTIAN KAPLAN KAPPA KARACHI KARAMAZOV KARATE KAREN KARL KAROL KARP KASHMIR KASKASKIA KATE KATHARINE KATHERINE KATHLEEN KATHY KATIE KATMANDU KATOWICE KATZ KAUFFMAN KAUFMAN KAY KEATON KEATS KEEGAN KEEL KEELED KEELING KEELS KEEN KEENAN KEENER KEENEST KEENLY KEENNESS KEEP KEEPER KEEPERS KEEPING KEEPS KEITH KELLER KELLEY KELLOGG KELLY KELSEY KELVIN KEMP KEN KENDALL KENILWORTH KENNAN KENNECOTT KENNEDY KENNEL KENNELS KENNETH KENNEY KENNING KENNY KENOSHA KENSINGTON KENT KENTON KENTUCKY KENYA KENYON KEPLER KEPT KERCHIEF KERCHIEFS KERMIT KERN KERNEL KERNELS KERNIGHAN KEROSENE KEROUAC KERR KESSLER KETCHUP KETTERING KETTLE KETTLES KEVIN KEWASKUM KEWAUNEE KEY KEYBOARD KEYBOARDS KEYED KEYES KEYHOLE KEYING KEYNES KEYNESIAN KEYNOTE KEYPAD KEYPADS KEYS KEYSTROKE KEYSTROKES KEYWORD KEYWORDS KHARTOUM KHMER KHRUSHCHEV KHRUSHCHEVS KICK KICKAPOO KICKED KICKER KICKERS KICKING KICKOFF KICKS KID KIDDE KIDDED KIDDIE KIDDING KIDNAP KIDNAPPER KIDNAPPERS KIDNAPPING KIDNAPPINGS KIDNAPS KIDNEY KIDNEYS KIDS KIEFFER KIEL KIEV KIEWIT KIGALI KIKUYU KILGORE KILIMANJARO KILL KILLEBREW KILLED KILLER KILLERS KILLING KILLINGLY KILLINGS KILLJOY KILLS KILOBIT KILOBITS KILOBLOCK KILOBYTE KILOBYTES KILOGRAM KILOGRAMS KILOHERTZ KILOHM KILOJOULE KILOMETER KILOMETERS KILOTON KILOVOLT KILOWATT KILOWORD KIM KIMBALL KIMBERLY KIMONO KIN KIND KINDER KINDERGARTEN KINDEST KINDHEARTED KINDLE KINDLED KINDLES KINDLING KINDLY KINDNESS KINDRED KINDS KINETIC KING KINGDOM KINGDOMS KINGLY KINGPIN KINGS KINGSBURY KINGSLEY KINGSTON KINGSTOWN KINGWOOD KINK KINKY KINNEY KINNICKINNIC KINSEY KINSHASHA KINSHIP KINSMAN KIOSK KIOWA KIPLING KIRBY KIRCHNER KIRCHOFF KIRK KIRKLAND KIRKPATRICK KIRKWOOD KIROV KISS KISSED KISSER KISSERS KISSES KISSING KIT KITAKYUSHU KITCHEN KITCHENETTE KITCHENS KITE KITED KITES KITING KITS KITTEN KITTENISH KITTENS KITTY KIWANIS KLAN KLAUS KLAXON KLEIN KLEINROCK KLINE KLUDGE KLUDGES KLUX KLYSTRON KNACK KNAPP KNAPSACK KNAPSACKS KNAUER KNAVE KNAVES KNEAD KNEADS KNEE KNEECAP KNEED KNEEING KNEEL KNEELED KNEELING KNEELS KNEES KNELL KNELLS KNELT KNEW KNICKERBOCKER KNICKERBOCKERS KNIFE KNIFED KNIFES KNIFING KNIGHT KNIGHTED KNIGHTHOOD KNIGHTING KNIGHTLY KNIGHTS KNIGHTSBRIDGE KNIT KNITS KNIVES KNOB KNOBELOCH KNOBS KNOCK KNOCKDOWN KNOCKED KNOCKER KNOCKERS KNOCKING KNOCKOUT KNOCKS KNOLL KNOLLS KNOSSOS KNOT KNOTS KNOTT KNOTTED KNOTTING KNOW KNOWABLE KNOWER KNOWHOW KNOWING KNOWINGLY KNOWLEDGE KNOWLEDGEABLE KNOWLES KNOWLTON KNOWN KNOWS KNOX KNOXVILLE KNUCKLE KNUCKLED KNUCKLES KNUDSEN KNUDSON KNUTH KNUTSEN KNUTSON KOALA KOBAYASHI KOCH KOCHAB KODACHROME KODAK KODIAK KOENIG KOENIGSBERG KOHLER KONG KONRAD KOPPERS KORAN KOREA KOREAN KOREANS KOSHER KOVACS KOWALEWSKI KOWALSKI KOWLOON KOWTOW KRAEMER KRAKATOA KRAKOW KRAMER KRAUSE KREBS KREMLIN KRESGE KRIEGER KRISHNA KRISTIN KRONECKER KRUEGER KRUGER KRUSE KUALA KUDO KUENNING KUHN KUMAR KURD KURDISH KURT KUWAIT KUWAITI KYOTO LAB LABAN LABEL LABELED LABELING LABELLED LABELLER LABELLERS LABELLING LABELS LABOR LABORATORIES LABORATORY LABORED LABORER LABORERS LABORING LABORINGS LABORIOUS LABORIOUSLY LABORS LABRADOR LABS LABYRINTH LABYRINTHS LAC LACE LACED LACERATE LACERATED LACERATES LACERATING LACERATION LACERATIONS LACERTA LACES LACEY LACHESIS LACING LACK LACKAWANNA LACKED LACKEY LACKING LACKS LACQUER LACQUERED LACQUERS LACROSSE LACY LAD LADDER LADEN LADIES LADING LADLE LADS LADY LADYLIKE LAFAYETTE LAG LAGER LAGERS LAGOON LAGOONS LAGOS LAGRANGE LAGRANGIAN LAGS LAGUERRE LAGUNA LAHORE LAID LAIDLAW LAIN LAIR LAIRS LAISSEZ LAKE LAKEHURST LAKES LAKEWOOD LAMAR LAMARCK LAMB LAMBDA LAMBDAS LAMBERT LAMBS LAME LAMED LAMELY LAMENESS LAMENT LAMENTABLE LAMENTATION LAMENTATIONS LAMENTED LAMENTING LAMENTS LAMES LAMINAR LAMING LAMP LAMPLIGHT LAMPOON LAMPORT LAMPREY LAMPS LANA LANCASHIRE LANCASTER LANCE LANCED LANCELOT LANCER LANCES LAND LANDED LANDER LANDERS LANDFILL LANDING LANDINGS LANDIS LANDLADIES LANDLADY LANDLORD LANDLORDS LANDMARK LANDMARKS LANDOWNER LANDOWNERS LANDS LANDSCAPE LANDSCAPED LANDSCAPES LANDSCAPING LANDSLIDE LANDWEHR LANE LANES LANG LANGE LANGELAND LANGFORD LANGLEY LANGMUIR LANGUAGE LANGUAGES LANGUID LANGUIDLY LANGUIDNESS LANGUISH LANGUISHED LANGUISHES LANGUISHING LANKA LANSING LANTERN LANTERNS LAO LAOCOON LAOS LAOTIAN LAOTIANS LAP LAPEL LAPELS LAPLACE LAPLACIAN LAPPING LAPS LAPSE LAPSED LAPSES LAPSING LARAMIE LARD LARDER LAREDO LARES LARGE LARGELY LARGENESS LARGER LARGEST LARK LARKIN LARKS LARRY LARS LARSEN LARSON LARVA LARVAE LARYNX LASCIVIOUS LASER LASERS LASH LASHED LASHES LASHING LASHINGS LASS LASSES LASSO LAST LASTED LASTING LASTLY LASTS LASZLO LATCH LATCHED LATCHES LATCHING LATE LATELY LATENCY LATENESS LATENT LATER LATERAL LATERALLY LATERAN LATEST LATEX LATHE LATHROP LATIN LATINATE LATINITY LATINIZATION LATINIZATIONS LATINIZE LATINIZED LATINIZER LATINIZERS LATINIZES LATINIZING LATITUDE LATITUDES LATRINE LATRINES LATROBE LATTER LATTERLY LATTICE LATTICES LATTIMER LATVIA LAUDABLE LAUDERDALE LAUE LAUGH LAUGHABLE LAUGHABLY LAUGHED LAUGHING LAUGHINGLY LAUGHINGSTOCK LAUGHLIN LAUGHS LAUGHTER LAUNCH LAUNCHED LAUNCHER LAUNCHES LAUNCHING LAUNCHINGS LAUNDER LAUNDERED LAUNDERER LAUNDERING LAUNDERINGS LAUNDERS LAUNDROMAT LAUNDROMATS LAUNDRY LAUREATE LAUREL LAURELS LAUREN LAURENCE LAURENT LAURENTIAN LAURIE LAUSANNE LAVA LAVATORIES LAVATORY LAVENDER LAVISH LAVISHED LAVISHING LAVISHLY LAVOISIER LAW LAWBREAKER LAWFORD LAWFUL LAWFULLY LAWGIVER LAWLESS LAWLESSNESS LAWN LAWNS LAWRENCE LAWRENCEVILLE LAWS LAWSON LAWSUIT LAWSUITS LAWYER LAWYERS LAX LAXATIVE LAY LAYER LAYERED LAYERING LAYERS LAYING LAYMAN LAYMEN LAYOFF LAYOFFS LAYOUT LAYOUTS LAYS LAYTON LAZARUS LAZED LAZIER LAZIEST LAZILY LAZINESS LAZING LAZY LAZYBONES LEAD LEADED LEADEN LEADER LEADERS LEADERSHIP LEADERSHIPS LEADING LEADINGS LEADS LEAF LEAFED LEAFIEST LEAFING LEAFLESS LEAFLET LEAFLETS LEAFY LEAGUE LEAGUED LEAGUER LEAGUERS LEAGUES LEAK LEAKAGE LEAKAGES LEAKED LEAKING LEAKS LEAKY LEAN LEANDER LEANED LEANER LEANEST LEANING LEANNESS LEANS LEAP LEAPED LEAPFROG LEAPING LEAPS LEAPT LEAR LEARN LEARNED LEARNER LEARNERS LEARNING LEARNS LEARY LEASE LEASED LEASES LEASH LEASHES LEASING LEAST LEATHER LEATHERED LEATHERN LEATHERNECK LEATHERS LEAVE LEAVED LEAVEN LEAVENED LEAVENING LEAVENWORTH LEAVES LEAVING LEAVINGS LEBANESE LEBANON LEBESGUE LECHERY LECTURE LECTURED LECTURER LECTURERS LECTURES LECTURING LED LEDGE LEDGER LEDGERS LEDGES LEE LEECH LEECHES LEEDS LEEK LEER LEERY LEES LEEUWENHOEK LEEWARD LEEWAY LEFT LEFTIST LEFTISTS LEFTMOST LEFTOVER LEFTOVERS LEFTWARD LEG LEGACIES LEGACY LEGAL LEGALITY LEGALIZATION LEGALIZE LEGALIZED LEGALIZES LEGALIZING LEGALLY LEGEND LEGENDARY LEGENDRE LEGENDS LEGER LEGERS LEGGED LEGGINGS LEGIBILITY LEGIBLE LEGIBLY LEGION LEGIONS LEGISLATE LEGISLATED LEGISLATES LEGISLATING LEGISLATION LEGISLATIVE LEGISLATOR LEGISLATORS LEGISLATURE LEGISLATURES LEGITIMACY LEGITIMATE LEGITIMATELY LEGS LEGUME LEHIGH LEHMAN LEIBNIZ LEIDEN LEIGH LEIGHTON LEILA LEIPZIG LEISURE LEISURELY LELAND LEMKE LEMMA LEMMAS LEMMING LEMMINGS LEMON LEMONADE LEMONS LEMUEL LEN LENA LEND LENDER LENDERS LENDING LENDS LENGTH LENGTHEN LENGTHENED LENGTHENING LENGTHENS LENGTHLY LENGTHS LENGTHWISE LENGTHY LENIENCY LENIENT LENIENTLY LENIN LENINGRAD LENINISM LENINIST LENNOX LENNY LENORE LENS LENSES LENT LENTEN LENTIL LENTILS LEO LEON LEONA LEONARD LEONARDO LEONE LEONID LEOPARD LEOPARDS LEOPOLD LEOPOLDVILLE LEPER LEPROSY LEROY LESBIAN LESBIANS LESLIE LESOTHO LESS LESSEN LESSENED LESSENING LESSENS LESSER LESSON LESSONS LESSOR LEST LESTER LET LETHAL LETHE LETITIA LETS LETTER LETTERED LETTERER LETTERHEAD LETTERING LETTERS LETTING LETTUCE LEUKEMIA LEV LEVEE LEVEES LEVEL LEVELED LEVELER LEVELING LEVELLED LEVELLER LEVELLEST LEVELLING LEVELLY LEVELNESS LEVELS LEVER LEVERAGE LEVERS LEVI LEVIABLE LEVIED LEVIES LEVIN LEVINE LEVIS LEVITICUS LEVITT LEVITY LEVY LEVYING LEW LEWD LEWDLY LEWDNESS LEWELLYN LEXICAL LEXICALLY LEXICOGRAPHIC LEXICOGRAPHICAL LEXICOGRAPHICALLY LEXICON LEXICONS LEXINGTON LEYDEN LIABILITIES LIABILITY LIABLE LIAISON LIAISONS LIAR LIARS LIBEL LIBELOUS LIBERACE LIBERAL LIBERALIZE LIBERALIZED LIBERALIZES LIBERALIZING LIBERALLY LIBERALS LIBERATE LIBERATED LIBERATES LIBERATING LIBERATION LIBERATOR LIBERATORS LIBERIA LIBERTARIAN LIBERTIES LIBERTY LIBIDO LIBRARIAN LIBRARIANS LIBRARIES LIBRARY LIBRETTO LIBREVILLE LIBYA LIBYAN LICE LICENSE LICENSED LICENSEE LICENSES LICENSING LICENSOR LICENTIOUS LICHEN LICHENS LICHTER LICK LICKED LICKING LICKS LICORICE LID LIDS LIE LIEBERMAN LIECHTENSTEIN LIED LIEGE LIEN LIENS LIES LIEU LIEUTENANT LIEUTENANTS LIFE LIFEBLOOD LIFEBOAT LIFEGUARD LIFELESS LIFELESSNESS LIFELIKE LIFELONG LIFER LIFESPAN LIFESTYLE LIFESTYLES LIFETIME LIFETIMES LIFT LIFTED LIFTER LIFTERS LIFTING LIFTS LIGAMENT LIGATURE LIGGET LIGGETT LIGHT LIGHTED LIGHTEN LIGHTENS LIGHTER LIGHTERS LIGHTEST LIGHTFACE LIGHTHEARTED LIGHTHOUSE LIGHTHOUSES LIGHTING LIGHTLY LIGHTNESS LIGHTNING LIGHTNINGS LIGHTS LIGHTWEIGHT LIKE LIKED LIKELIER LIKELIEST LIKELIHOOD LIKELIHOODS LIKELINESS LIKELY LIKEN LIKENED LIKENESS LIKENESSES LIKENING LIKENS LIKES LIKEWISE LIKING LILA LILAC LILACS LILIAN LILIES LILLIAN LILLIPUT LILLIPUTIAN LILLIPUTIANIZE LILLIPUTIANIZES LILLY LILY LIMA LIMAN LIMB LIMBER LIMBO LIMBS LIME LIMELIGHT LIMERICK LIMES LIMESTONE LIMIT LIMITABILITY LIMITABLY LIMITATION LIMITATIONS LIMITED LIMITER LIMITERS LIMITING LIMITLESS LIMITS LIMOUSINE LIMP LIMPED LIMPING LIMPLY LIMPNESS LIMPS LIN LINCOLN LIND LINDA LINDBERG LINDBERGH LINDEN LINDHOLM LINDQUIST LINDSAY LINDSEY LINDSTROM LINDY LINE LINEAR LINEARITIES LINEARITY LINEARIZABLE LINEARIZE LINEARIZED LINEARIZES LINEARIZING LINEARLY LINED LINEN LINENS LINER LINERS LINES LINEUP LINGER LINGERED LINGERIE LINGERING LINGERS LINGO LINGUA LINGUIST LINGUISTIC LINGUISTICALLY LINGUISTICS LINGUISTS LINING LININGS LINK LINKAGE LINKAGES LINKED LINKER LINKERS LINKING LINKS LINNAEUS LINOLEUM LINOTYPE LINSEED LINT LINTON LINUS LINUX LION LIONEL LIONESS LIONESSES LIONS LIP LIPPINCOTT LIPS LIPSCHITZ LIPSCOMB LIPSTICK LIPTON LIQUID LIQUIDATE LIQUIDATION LIQUIDATIONS LIQUIDITY LIQUIDS LIQUOR LIQUORS LISA LISBON LISE LISP LISPED LISPING LISPS LISS LISSAJOUS LIST LISTED LISTEN LISTENED LISTENER LISTENERS LISTENING LISTENS LISTER LISTERIZE LISTERIZES LISTERS LISTING LISTINGS LISTLESS LISTON LISTS LIT LITANY LITER LITERACY LITERAL LITERALLY LITERALNESS LITERALS LITERARY LITERATE LITERATURE LITERATURES LITERS LITHE LITHOGRAPH LITHOGRAPHY LITHUANIA LITHUANIAN LITIGANT LITIGATE LITIGATION LITIGIOUS LITMUS LITTER LITTERBUG LITTERED LITTERING LITTERS LITTLE LITTLENESS LITTLER LITTLEST LITTLETON LITTON LIVABLE LIVABLY LIVE LIVED LIVELIHOOD LIVELY LIVENESS LIVER LIVERIED LIVERMORE LIVERPOOL LIVERPUDLIAN LIVERS LIVERY LIVES LIVESTOCK LIVID LIVING LIVINGSTON LIZ LIZARD LIZARDS LIZZIE LIZZY LLOYD LOAD LOADED LOADER LOADERS LOADING LOADINGS LOADS LOAF LOAFED LOAFER LOAN LOANED LOANING LOANS LOATH LOATHE LOATHED LOATHING LOATHLY LOATHSOME LOAVES LOBBIED LOBBIES LOBBY LOBBYING LOBE LOBES LOBSTER LOBSTERS LOCAL LOCALITIES LOCALITY LOCALIZATION LOCALIZE LOCALIZED LOCALIZES LOCALIZING LOCALLY LOCALS LOCATE LOCATED LOCATES LOCATING LOCATION LOCATIONS LOCATIVE LOCATIVES LOCATOR LOCATORS LOCI LOCK LOCKE LOCKED LOCKER LOCKERS LOCKHART LOCKHEED LOCKIAN LOCKING LOCKINGS LOCKOUT LOCKOUTS LOCKS LOCKSMITH LOCKSTEP LOCKUP LOCKUPS LOCKWOOD LOCOMOTION LOCOMOTIVE LOCOMOTIVES LOCUS LOCUST LOCUSTS LODGE LODGED LODGER LODGES LODGING LODGINGS LODOWICK LOEB LOFT LOFTINESS LOFTS LOFTY LOGAN LOGARITHM LOGARITHMIC LOGARITHMICALLY LOGARITHMS LOGGED LOGGER LOGGERS LOGGING LOGIC LOGICAL LOGICALLY LOGICIAN LOGICIANS LOGICS LOGIN LOGINS LOGISTIC LOGISTICS LOGJAM LOGO LOGS LOIN LOINCLOTH LOINS LOIRE LOIS LOITER LOITERED LOITERER LOITERING LOITERS LOKI LOLA LOMB LOMBARD LOMBARDY LOME LONDON LONDONDERRY LONDONER LONDONIZATION LONDONIZATIONS LONDONIZE LONDONIZES LONE LONELIER LONELIEST LONELINESS LONELY LONER LONERS LONESOME LONG LONGED LONGER LONGEST LONGEVITY LONGFELLOW LONGHAND LONGING LONGINGS LONGITUDE LONGITUDES LONGS LONGSTANDING LONGSTREET LOOK LOOKAHEAD LOOKED LOOKER LOOKERS LOOKING LOOKOUT LOOKS LOOKUP LOOKUPS LOOM LOOMED LOOMING LOOMIS LOOMS LOON LOOP LOOPED LOOPHOLE LOOPHOLES LOOPING LOOPS LOOSE LOOSED LOOSELEAF LOOSELY LOOSEN LOOSENED LOOSENESS LOOSENING LOOSENS LOOSER LOOSES LOOSEST LOOSING LOOT LOOTED LOOTER LOOTING LOOTS LOPEZ LOPSIDED LORD LORDLY LORDS LORDSHIP LORE LORELEI LOREN LORENTZIAN LORENZ LORETTA LORINDA LORRAINE LORRY LOS LOSE LOSER LOSERS LOSES LOSING LOSS LOSSES LOSSIER LOSSIEST LOSSY LOST LOT LOTHARIO LOTION LOTS LOTTE LOTTERY LOTTIE LOTUS LOU LOUD LOUDER LOUDEST LOUDLY LOUDNESS LOUDSPEAKER LOUDSPEAKERS LOUIS LOUISA LOUISE LOUISIANA LOUISIANAN LOUISVILLE LOUNGE LOUNGED LOUNGES LOUNGING LOUNSBURY LOURDES LOUSE LOUSY LOUT LOUVRE LOVABLE LOVABLY LOVE LOVED LOVEJOY LOVELACE LOVELAND LOVELIER LOVELIES LOVELIEST LOVELINESS LOVELORN LOVELY LOVER LOVERS LOVES LOVING LOVINGLY LOW LOWE LOWELL LOWER LOWERED LOWERING LOWERS LOWEST LOWLAND LOWLANDS LOWLIEST LOWLY LOWNESS LOWRY LOWS LOY LOYAL LOYALLY LOYALTIES LOYALTY LOYOLA LUBBOCK LUBELL LUBRICANT LUBRICATE LUBRICATION LUCAS LUCERNE LUCIA LUCIAN LUCID LUCIEN LUCIFER LUCILLE LUCIUS LUCK LUCKED LUCKIER LUCKIEST LUCKILY LUCKLESS LUCKS LUCKY LUCRATIVE LUCRETIA LUCRETIUS LUCY LUDICROUS LUDICROUSLY LUDICROUSNESS LUDLOW LUDMILLA LUDWIG LUFTHANSA LUFTWAFFE LUGGAGE LUIS LUKE LUKEWARM LULL LULLABY LULLED LULLS LUMBER LUMBERED LUMBERING LUMINOUS LUMINOUSLY LUMMOX LUMP LUMPED LUMPING LUMPS LUMPUR LUMPY LUNAR LUNATIC LUNCH LUNCHED LUNCHEON LUNCHEONS LUNCHES LUNCHING LUND LUNDBERG LUNDQUIST LUNG LUNGED LUNGS LURA LURCH LURCHED LURCHES LURCHING LURE LURED LURES LURING LURK LURKED LURKING LURKS LUSAKA LUSCIOUS LUSCIOUSLY LUSCIOUSNESS LUSH LUST LUSTER LUSTFUL LUSTILY LUSTINESS LUSTROUS LUSTS LUSTY LUTE LUTES LUTHER LUTHERAN LUTHERANIZE LUTHERANIZER LUTHERANIZERS LUTHERANIZES LUTZ LUXEMBOURG LUXEMBURG LUXURIANT LUXURIANTLY LUXURIES LUXURIOUS LUXURIOUSLY LUXURY LUZON LYDIA LYING LYKES LYLE LYMAN LYMPH LYNCH LYNCHBURG LYNCHED LYNCHER LYNCHES LYNDON LYNN LYNX LYNXES LYON LYONS LYRA LYRE LYRIC LYRICS LYSENKO MABEL MAC MACADAMIA MACARTHUR MACARTHUR MACASSAR MACAULAY MACAULAYAN MACAULAYISM MACAULAYISMS MACBETH MACDONALD MACDONALD MACDOUGALL MACDOUGALL MACDRAW MACE MACED MACEDON MACEDONIA MACEDONIAN MACES MACGREGOR MACGREGOR MACH MACHIAVELLI MACHIAVELLIAN MACHINATION MACHINE MACHINED MACHINELIKE MACHINERY MACHINES MACHINING MACHO MACINTOSH MACINTOSH MACINTOSH MACKENZIE MACKENZIE MACKEREL MACKEY MACKINAC MACKINAW MACMAHON MACMILLAN MACMILLAN MACON MACPAINT MACRO MACROECONOMICS MACROMOLECULE MACROMOLECULES MACROPHAGE MACROS MACROSCOPIC MAD MADAGASCAR MADAM MADAME MADAMES MADDEN MADDENING MADDER MADDEST MADDOX MADE MADEIRA MADELEINE MADELINE MADHOUSE MADHYA MADISON MADLY MADMAN MADMEN MADNESS MADONNA MADONNAS MADRAS MADRID MADSEN MAE MAELSTROM MAESTRO MAFIA MAFIOSI MAGAZINE MAGAZINES MAGDALENE MAGELLAN MAGELLANIC MAGENTA MAGGIE MAGGOT MAGGOTS MAGIC MAGICAL MAGICALLY MAGICIAN MAGICIANS MAGILL MAGISTRATE MAGISTRATES MAGNA MAGNESIUM MAGNET MAGNETIC MAGNETICALLY MAGNETISM MAGNETISMS MAGNETIZABLE MAGNETIZED MAGNETO MAGNIFICATION MAGNIFICENCE MAGNIFICENT MAGNIFICENTLY MAGNIFIED MAGNIFIER MAGNIFIES MAGNIFY MAGNIFYING MAGNITUDE MAGNITUDES MAGNOLIA MAGNUM MAGNUSON MAGOG MAGPIE MAGRUDER MAGUIRE MAGUIRES MAHARASHTRA MAHAYANA MAHAYANIST MAHOGANY MAHONEY MAID MAIDEN MAIDENS MAIDS MAIER MAIL MAILABLE MAILBOX MAILBOXES MAILED MAILER MAILING MAILINGS MAILMAN MAILMEN MAILS MAIM MAIMED MAIMING MAIMS MAIN MAINE MAINFRAME MAINFRAMES MAINLAND MAINLINE MAINLY MAINS MAINSTAY MAINSTREAM MAINTAIN MAINTAINABILITY MAINTAINABLE MAINTAINED MAINTAINER MAINTAINERS MAINTAINING MAINTAINS MAINTENANCE MAINTENANCES MAIZE MAJESTIC MAJESTIES MAJESTY MAJOR MAJORCA MAJORED MAJORING MAJORITIES MAJORITY MAJORS MAKABLE MAKE MAKER MAKERS MAKES MAKESHIFT MAKEUP MAKEUPS MAKING MAKINGS MALABAR MALADIES MALADY MALAGASY MALAMUD MALARIA MALAWI MALAY MALAYIZE MALAYIZES MALAYSIA MALAYSIAN MALCOLM MALCONTENT MALDEN MALDIVE MALE MALEFACTOR MALEFACTORS MALENESS MALES MALEVOLENT MALFORMED MALFUNCTION MALFUNCTIONED MALFUNCTIONING MALFUNCTIONS MALI MALIBU MALICE MALICIOUS MALICIOUSLY MALICIOUSNESS MALIGN MALIGNANT MALIGNANTLY MALL MALLARD MALLET MALLETS MALLORY MALNUTRITION MALONE MALONEY MALPRACTICE MALRAUX MALT MALTA MALTED MALTESE MALTHUS MALTHUSIAN MALTON MALTS MAMA MAMMA MAMMAL MAMMALIAN MAMMALS MAMMAS MAMMOTH MAN MANAGE MANAGEABLE MANAGEABLENESS MANAGED MANAGEMENT MANAGEMENTS MANAGER MANAGERIAL MANAGERS MANAGES MANAGING MANAGUA MANAMA MANCHESTER MANCHURIA MANDARIN MANDATE MANDATED MANDATES MANDATING MANDATORY MANDELBROT MANDIBLE MANE MANES MANEUVER MANEUVERED MANEUVERING MANEUVERS MANFRED MANGER MANGERS MANGLE MANGLED MANGLER MANGLES MANGLING MANHATTAN MANHATTANIZE MANHATTANIZES MANHOLE MANHOOD MANIA MANIAC MANIACAL MANIACS MANIC MANICURE MANICURED MANICURES MANICURING MANIFEST MANIFESTATION MANIFESTATIONS MANIFESTED MANIFESTING MANIFESTLY MANIFESTS MANIFOLD MANIFOLDS MANILA MANIPULABILITY MANIPULABLE MANIPULATABLE MANIPULATE MANIPULATED MANIPULATES MANIPULATING MANIPULATION MANIPULATIONS MANIPULATIVE MANIPULATOR MANIPULATORS MANIPULATORY MANITOBA MANITOWOC MANKIND MANKOWSKI MANLEY MANLY MANN MANNED MANNER MANNERED MANNERLY MANNERS MANNING MANOMETER MANOMETERS MANOR MANORS MANPOWER MANS MANSFIELD MANSION MANSIONS MANSLAUGHTER MANTEL MANTELS MANTIS MANTISSA MANTISSAS MANTLE MANTLEPIECE MANTLES MANUAL MANUALLY MANUALS MANUEL MANUFACTURE MANUFACTURED MANUFACTURER MANUFACTURERS MANUFACTURES MANUFACTURING MANURE MANUSCRIPT MANUSCRIPTS MANVILLE MANY MAO MAORI MAP MAPLE MAPLECREST MAPLES MAPPABLE MAPPED MAPPING MAPPINGS MAPS MARATHON MARBLE MARBLES MARBLING MARC MARCEAU MARCEL MARCELLO MARCH MARCHED MARCHER MARCHES MARCHING MARCIA MARCO MARCOTTE MARCUS MARCY MARDI MARDIS MARE MARES MARGARET MARGARINE MARGERY MARGIN MARGINAL MARGINALLY MARGINS MARGO MARGUERITE MARIANNE MARIE MARIETTA MARIGOLD MARIJUANA MARILYN MARIN MARINA MARINADE MARINATE MARINE MARINER MARINES MARINO MARIO MARION MARIONETTE MARITAL MARITIME MARJORIE MARJORY MARK MARKABLE MARKED MARKEDLY MARKER MARKERS MARKET MARKETABILITY MARKETABLE MARKETED MARKETING MARKETINGS MARKETPLACE MARKETPLACES MARKETS MARKHAM MARKING MARKINGS MARKISM MARKOV MARKOVIAN MARKOVITZ MARKS MARLBORO MARLBOROUGH MARLENE MARLOWE MARMALADE MARMOT MAROON MARQUETTE MARQUIS MARRIAGE MARRIAGEABLE MARRIAGES MARRIED MARRIES MARRIOTT MARROW MARRY MARRYING MARS MARSEILLES MARSH MARSHA MARSHAL MARSHALED MARSHALING MARSHALL MARSHALLED MARSHALLING MARSHALS MARSHES MARSHMALLOW MART MARTEN MARTHA MARTIAL MARTIAN MARTIANS MARTINEZ MARTINGALE MARTINI MARTINIQUE MARTINSON MARTS MARTY MARTYR MARTYRDOM MARTYRS MARVEL MARVELED MARVELLED MARVELLING MARVELOUS MARVELOUSLY MARVELOUSNESS MARVELS MARVIN MARX MARXIAN MARXISM MARXISMS MARXIST MARY MARYLAND MARYLANDERS MASCARA MASCULINE MASCULINELY MASCULINITY MASERU MASH MASHED MASHES MASHING MASK MASKABLE MASKED MASKER MASKING MASKINGS MASKS MASOCHIST MASOCHISTS MASON MASONIC MASONITE MASONRY MASONS MASQUERADE MASQUERADER MASQUERADES MASQUERADING MASS MASSACHUSETTS MASSACRE MASSACRED MASSACRES MASSAGE MASSAGES MASSAGING MASSED MASSES MASSEY MASSING MASSIVE MAST MASTED MASTER MASTERED MASTERFUL MASTERFULLY MASTERING MASTERINGS MASTERLY MASTERMIND MASTERPIECE MASTERPIECES MASTERS MASTERY MASTODON MASTS MASTURBATE MASTURBATED MASTURBATES MASTURBATING MASTURBATION MAT MATCH MATCHABLE MATCHED MATCHER MATCHERS MATCHES MATCHING MATCHINGS MATCHLESS MATE MATED MATEO MATER MATERIAL MATERIALIST MATERIALIZE MATERIALIZED MATERIALIZES MATERIALIZING MATERIALLY MATERIALS MATERNAL MATERNALLY MATERNITY MATES MATH MATHEMATICA MATHEMATICAL MATHEMATICALLY MATHEMATICIAN MATHEMATICIANS MATHEMATICS MATHEMATIK MATHEWSON MATHIAS MATHIEU MATILDA MATING MATINGS MATISSE MATISSES MATRIARCH MATRIARCHAL MATRICES MATRICULATE MATRICULATION MATRIMONIAL MATRIMONY MATRIX MATROID MATRON MATRONLY MATS MATSON MATSUMOTO MATT MATTED MATTER MATTERED MATTERS MATTHEW MATTHEWS MATTIE MATTRESS MATTRESSES MATTSON MATURATION MATURE MATURED MATURELY MATURES MATURING MATURITIES MATURITY MAUDE MAUL MAUREEN MAURICE MAURICIO MAURINE MAURITANIA MAURITIUS MAUSOLEUM MAVERICK MAVIS MAWR MAX MAXIM MAXIMA MAXIMAL MAXIMALLY MAXIMILIAN MAXIMIZE MAXIMIZED MAXIMIZER MAXIMIZERS MAXIMIZES MAXIMIZING MAXIMS MAXIMUM MAXIMUMS MAXINE MAXTOR MAXWELL MAXWELLIAN MAY MAYA MAYANS MAYBE MAYER MAYFAIR MAYFLOWER MAYHAP MAYHEM MAYNARD MAYO MAYONNAISE MAYOR MAYORAL MAYORS MAZDA MAZE MAZES MBABANE MCADAM MCADAMS MCALLISTER MCBRIDE MCCABE MCCALL MCCALLUM MCCANN MCCARTHY MCCARTY MCCAULEY MCCLAIN MCCLELLAN MCCLURE MCCLUSKEY MCCONNEL MCCONNELL MCCORMICK MCCOY MCCRACKEN MCCULLOUGH MCDANIEL MCDERMOTT MCDONALD MCDONNELL MCDOUGALL MCDOWELL MCELHANEY MCELROY MCFADDEN MCFARLAND MCGEE MCGILL MCGINNIS MCGOVERN MCGOWAN MCGRATH MCGRAW MCGREGOR MCGUIRE MCHUGH MCINTOSH MCINTYRE MCKAY MCKEE MCKENNA MCKENZIE MCKEON MCKESSON MCKINLEY MCKINNEY MCKNIGHT MCLANAHAN MCLAUGHLIN MCLEAN MCLEOD MCMAHON MCMARTIN MCMILLAN MCMULLEN MCNALLY MCNAUGHTON MCNEIL MCNULTY MCPHERSON MEAD MEADOW MEADOWS MEAGER MEAGERLY MEAGERNESS MEAL MEALS MEALTIME MEALY MEAN MEANDER MEANDERED MEANDERING MEANDERS MEANER MEANEST MEANING MEANINGFUL MEANINGFULLY MEANINGFULNESS MEANINGLESS MEANINGLESSLY MEANINGLESSNESS MEANINGS MEANLY MEANNESS MEANS MEANT MEANTIME MEANWHILE MEASLE MEASLES MEASURABLE MEASURABLY MEASURE MEASURED MEASUREMENT MEASUREMENTS MEASURER MEASURES MEASURING MEAT MEATS MEATY MECCA MECHANIC MECHANICAL MECHANICALLY MECHANICS MECHANISM MECHANISMS MECHANIZATION MECHANIZATIONS MECHANIZE MECHANIZED MECHANIZES MECHANIZING MEDAL MEDALLION MEDALLIONS MEDALS MEDDLE MEDDLED MEDDLER MEDDLES MEDDLING MEDEA MEDFIELD MEDFORD MEDIA MEDIAN MEDIANS MEDIATE MEDIATED MEDIATES MEDIATING MEDIATION MEDIATIONS MEDIATOR MEDIC MEDICAID MEDICAL MEDICALLY MEDICARE MEDICI MEDICINAL MEDICINALLY MEDICINE MEDICINES MEDICIS MEDICS MEDIEVAL MEDIOCRE MEDIOCRITY MEDITATE MEDITATED MEDITATES MEDITATING MEDITATION MEDITATIONS MEDITATIVE MEDITERRANEAN MEDITERRANEANIZATION MEDITERRANEANIZATIONS MEDITERRANEANIZE MEDITERRANEANIZES MEDIUM MEDIUMS MEDLEY MEDUSA MEDUSAN MEEK MEEKER MEEKEST MEEKLY MEEKNESS MEET MEETING MEETINGHOUSE MEETINGS MEETS MEG MEGABAUD MEGABIT MEGABITS MEGABYTE MEGABYTES MEGAHERTZ MEGALOMANIA MEGATON MEGAVOLT MEGAWATT MEGAWORD MEGAWORDS MEGOHM MEIER MEIJI MEISTER MEISTERSINGER MEKONG MEL MELAMPUS MELANCHOLY MELANESIA MELANESIAN MELANIE MELBOURNE MELCHER MELINDA MELISANDE MELISSA MELLON MELLOW MELLOWED MELLOWING MELLOWNESS MELLOWS MELODIES MELODIOUS MELODIOUSLY MELODIOUSNESS MELODRAMA MELODRAMAS MELODRAMATIC MELODY MELON MELONS MELPOMENE MELT MELTED MELTING MELTINGLY MELTS MELVILLE MELVIN MEMBER MEMBERS MEMBERSHIP MEMBERSHIPS MEMBRANE MEMENTO MEMO MEMOIR MEMOIRS MEMORABILIA MEMORABLE MEMORABLENESS MEMORANDA MEMORANDUM MEMORIAL MEMORIALLY MEMORIALS MEMORIES MEMORIZATION MEMORIZE MEMORIZED MEMORIZER MEMORIZES MEMORIZING MEMORY MEMORYLESS MEMOS MEMPHIS MEN MENACE MENACED MENACING MENAGERIE MENARCHE MENCKEN MEND MENDACIOUS MENDACITY MENDED MENDEL MENDELIAN MENDELIZE MENDELIZES MENDELSSOHN MENDER MENDING MENDOZA MENDS MENELAUS MENIAL MENIALS MENLO MENNONITE MENNONITES MENOMINEE MENORCA MENS MENSCH MENSTRUATE MENSURABLE MENSURATION MENTAL MENTALITIES MENTALITY MENTALLY MENTION MENTIONABLE MENTIONED MENTIONER MENTIONERS MENTIONING MENTIONS MENTOR MENTORS MENU MENUS MENZIES MEPHISTOPHELES MERCANTILE MERCATOR MERCEDES MERCENARIES MERCENARINESS MERCENARY MERCHANDISE MERCHANDISER MERCHANDISING MERCHANT MERCHANTS MERCIFUL MERCIFULLY MERCILESS MERCILESSLY MERCK MERCURIAL MERCURY MERCY MERE MEREDITH MERELY MEREST MERGE MERGED MERGER MERGERS MERGES MERGING MERIDIAN MERINGUE MERIT MERITED MERITING MERITORIOUS MERITORIOUSLY MERITORIOUSNESS MERITS MERIWETHER MERLE MERMAID MERRIAM MERRICK MERRIEST MERRILL MERRILY MERRIMAC MERRIMACK MERRIMENT MERRITT MERRY MERRYMAKE MERVIN MESCALINE MESH MESON MESOPOTAMIA MESOZOIC MESQUITE MESS MESSAGE MESSAGES MESSED MESSENGER MESSENGERS MESSES MESSIAH MESSIAHS MESSIER MESSIEST MESSILY MESSINESS MESSING MESSY MET META METABOLIC METABOLISM METACIRCULAR METACIRCULARITY METAL METALANGUAGE METALLIC METALLIZATION METALLIZATIONS METALLURGY METALS METAMATHEMATICAL METAMORPHOSIS METAPHOR METAPHORICAL METAPHORICALLY METAPHORS METAPHYSICAL METAPHYSICALLY METAPHYSICS METAVARIABLE METCALF METE METED METEOR METEORIC METEORITE METEORITIC METEOROLOGY METEORS METER METERING METERS METES METHANE METHOD METHODICAL METHODICALLY METHODICALNESS METHODISM METHODIST METHODISTS METHODOLOGICAL METHODOLOGICALLY METHODOLOGIES METHODOLOGISTS METHODOLOGY METHODS METHUEN METHUSELAH METHUSELAHS METICULOUSLY METING METRECAL METRIC METRICAL METRICS METRO METRONOME METROPOLIS METROPOLITAN METS METTLE METTLESOME METZLER MEW MEWED MEWS MEXICAN MEXICANIZE MEXICANIZES MEXICANS MEXICO MEYER MEYERS MIAMI MIASMA MICA MICE MICHAEL MICHAELS MICHEL MICHELANGELO MICHELE MICHELIN MICHELSON MICHIGAN MICK MICKEY MICKIE MICKY MICRO MICROARCHITECTS MICROARCHITECTURE MICROARCHITECTURES MICROBIAL MICROBICIDAL MICROBICIDE MICROCODE MICROCODED MICROCODES MICROCODING MICROCOMPUTER MICROCOMPUTERS MICROCOSM MICROCYCLE MICROCYCLES MICROECONOMICS MICROELECTRONICS MICROFILM MICROFILMS MICROFINANCE MICROGRAMMING MICROINSTRUCTION MICROINSTRUCTIONS MICROJUMP MICROJUMPS MICROLEVEL MICRON MICRONESIA MICRONESIAN MICROOPERATIONS MICROPHONE MICROPHONES MICROPHONING MICROPORT MICROPROCEDURE MICROPROCEDURES MICROPROCESSING MICROPROCESSOR MICROPROCESSORS MICROPROGRAM MICROPROGRAMMABLE MICROPROGRAMMED MICROPROGRAMMER MICROPROGRAMMING MICROPROGRAMS MICROS MICROSCOPE MICROSCOPES MICROSCOPIC MICROSCOPY MICROSECOND MICROSECONDS MICROSOFT MICROSTORE MICROSYSTEMS MICROVAX MICROVAXES MICROWAVE MICROWAVES MICROWORD MICROWORDS MID MIDAS MIDDAY MIDDLE MIDDLEBURY MIDDLEMAN MIDDLEMEN MIDDLES MIDDLESEX MIDDLETON MIDDLETOWN MIDDLING MIDGET MIDLANDIZE MIDLANDIZES MIDNIGHT MIDNIGHTS MIDPOINT MIDPOINTS MIDRANGE MIDSCALE MIDSECTION MIDSHIPMAN MIDSHIPMEN MIDST MIDSTREAM MIDSTS MIDSUMMER MIDWAY MIDWEEK MIDWEST MIDWESTERN MIDWESTERNER MIDWESTERNERS MIDWIFE MIDWINTER MIDWIVES MIEN MIGHT MIGHTIER MIGHTIEST MIGHTILY MIGHTINESS MIGHTY MIGRANT MIGRATE MIGRATED MIGRATES MIGRATING MIGRATION MIGRATIONS MIGRATORY MIGUEL MIKE MIKHAIL MIKOYAN MILAN MILD MILDER MILDEST MILDEW MILDLY MILDNESS MILDRED MILE MILEAGE MILES MILESTONE MILESTONES MILITANT MILITANTLY MILITARILY MILITARISM MILITARY MILITIA MILK MILKED MILKER MILKERS MILKINESS MILKING MILKMAID MILKMAIDS MILKS MILKY MILL MILLARD MILLED MILLENNIUM MILLER MILLET MILLIAMMETER MILLIAMPERE MILLIE MILLIJOULE MILLIKAN MILLIMETER MILLIMETERS MILLINERY MILLING MILLINGTON MILLION MILLIONAIRE MILLIONAIRES MILLIONS MILLIONTH MILLIPEDE MILLIPEDES MILLISECOND MILLISECONDS MILLIVOLT MILLIVOLTMETER MILLIWATT MILLS MILLSTONE MILLSTONES MILNE MILQUETOAST MILQUETOASTS MILTON MILTONIAN MILTONIC MILTONISM MILTONIST MILTONIZE MILTONIZED MILTONIZES MILTONIZING MILWAUKEE MIMEOGRAPH MIMI MIMIC MIMICKED MIMICKING MIMICS MINARET MINCE MINCED MINCEMEAT MINCES MINCING MIND MINDANAO MINDED MINDFUL MINDFULLY MINDFULNESS MINDING MINDLESS MINDLESSLY MINDS MINE MINED MINEFIELD MINER MINERAL MINERALS MINERS MINERVA MINES MINESWEEPER MINGLE MINGLED MINGLES MINGLING MINI MINIATURE MINIATURES MINIATURIZATION MINIATURIZE MINIATURIZED MINIATURIZES MINIATURIZING MINICOMPUTER MINICOMPUTERS MINIMA MINIMAL MINIMALLY MINIMAX MINIMIZATION MINIMIZATIONS MINIMIZE MINIMIZED MINIMIZER MINIMIZERS MINIMIZES MINIMIZING MINIMUM MINING MINION MINIS MINISTER MINISTERED MINISTERING MINISTERS MINISTRIES MINISTRY MINK MINKS MINNEAPOLIS MINNESOTA MINNIE MINNOW MINNOWS MINOAN MINOR MINORING MINORITIES MINORITY MINORS MINOS MINOTAUR MINSK MINSKY MINSTREL MINSTRELS MINT MINTED MINTER MINTING MINTS MINUEND MINUET MINUS MINUSCULE MINUTE MINUTELY MINUTEMAN MINUTEMEN MINUTENESS MINUTER MINUTES MIOCENE MIPS MIRA MIRACLE MIRACLES MIRACULOUS MIRACULOUSLY MIRAGE MIRANDA MIRE MIRED MIRES MIRFAK MIRIAM MIRROR MIRRORED MIRRORING MIRRORS MIRTH MISANTHROPE MISBEHAVING MISCALCULATION MISCALCULATIONS MISCARRIAGE MISCARRY MISCEGENATION MISCELLANEOUS MISCELLANEOUSLY MISCELLANEOUSNESS MISCHIEF MISCHIEVOUS MISCHIEVOUSLY MISCHIEVOUSNESS MISCONCEPTION MISCONCEPTIONS MISCONDUCT MISCONSTRUE MISCONSTRUED MISCONSTRUES MISDEMEANORS MISER MISERABLE MISERABLENESS MISERABLY MISERIES MISERLY MISERS MISERY MISFIT MISFITS MISFORTUNE MISFORTUNES MISGIVING MISGIVINGS MISGUIDED MISHAP MISHAPS MISINFORMED MISJUDGED MISJUDGMENT MISLEAD MISLEADING MISLEADS MISLED MISMANAGEMENT MISMATCH MISMATCHED MISMATCHES MISMATCHING MISNOMER MISPLACE MISPLACED MISPLACES MISPLACING MISPRONUNCIATION MISREPRESENTATION MISREPRESENTATIONS MISS MISSED MISSES MISSHAPEN MISSILE MISSILES MISSING MISSION MISSIONARIES MISSIONARY MISSIONER MISSIONS MISSISSIPPI MISSISSIPPIAN MISSISSIPPIANS MISSIVE MISSOULA MISSOURI MISSPELL MISSPELLED MISSPELLING MISSPELLINGS MISSPELLS MISSY MIST MISTAKABLE MISTAKE MISTAKEN MISTAKENLY MISTAKES MISTAKING MISTED MISTER MISTERS MISTINESS MISTING MISTLETOE MISTRESS MISTRUST MISTRUSTED MISTS MISTY MISTYPE MISTYPED MISTYPES MISTYPING MISUNDERSTAND MISUNDERSTANDER MISUNDERSTANDERS MISUNDERSTANDING MISUNDERSTANDINGS MISUNDERSTOOD MISUSE MISUSED MISUSES MISUSING MITCH MITCHELL MITER MITIGATE MITIGATED MITIGATES MITIGATING MITIGATION MITIGATIVE MITRE MITRES MITTEN MITTENS MIX MIXED MIXER MIXERS MIXES MIXING MIXTURE MIXTURES MIXUP MIZAR MNEMONIC MNEMONICALLY MNEMONICS MOAN MOANED MOANS MOAT MOATS MOB MOBIL MOBILE MOBILITY MOBS MOBSTER MOCCASIN MOCCASINS MOCK MOCKED MOCKER MOCKERY MOCKING MOCKINGBIRD MOCKS MOCKUP MODAL MODALITIES MODALITY MODALLY MODE MODEL MODELED MODELING MODELINGS MODELS MODEM MODEMS MODERATE MODERATED MODERATELY MODERATENESS MODERATES MODERATING MODERATION MODERN MODERNITY MODERNIZE MODERNIZED MODERNIZER MODERNIZING MODERNLY MODERNNESS MODERNS MODES MODEST MODESTLY MODESTO MODESTY MODICUM MODIFIABILITY MODIFIABLE MODIFICATION MODIFICATIONS MODIFIED MODIFIER MODIFIERS MODIFIES MODIFY MODIFYING MODULA MODULAR MODULARITY MODULARIZATION MODULARIZE MODULARIZED MODULARIZES MODULARIZING MODULARLY MODULATE MODULATED MODULATES MODULATING MODULATION MODULATIONS MODULATOR MODULATORS MODULE MODULES MODULI MODULO MODULUS MODUS MOE MOEN MOGADISCIO MOGADISHU MOGHUL MOHAMMED MOHAMMEDAN MOHAMMEDANISM MOHAMMEDANIZATION MOHAMMEDANIZATIONS MOHAMMEDANIZE MOHAMMEDANIZES MOHAWK MOHR MOINES MOISEYEV MOIST MOISTEN MOISTLY MOISTNESS MOISTURE MOLAR MOLASSES MOLD MOLDAVIA MOLDED MOLDER MOLDING MOLDS MOLE MOLECULAR MOLECULE MOLECULES MOLEHILL MOLES MOLEST MOLESTED MOLESTING MOLESTS MOLIERE MOLINE MOLL MOLLIE MOLLIFY MOLLUSK MOLLY MOLLYCODDLE MOLOCH MOLOCHIZE MOLOCHIZES MOLOTOV MOLTEN MOLUCCAS MOMENT MOMENTARILY MOMENTARINESS MOMENTARY MOMENTOUS MOMENTOUSLY MOMENTOUSNESS MOMENTS MOMENTUM MOMMY MONA MONACO MONADIC MONARCH MONARCHIES MONARCHS MONARCHY MONASH MONASTERIES MONASTERY MONASTIC MONDAY MONDAYS MONET MONETARISM MONETARY MONEY MONEYED MONEYS MONFORT MONGOLIA MONGOLIAN MONGOLIANISM MONGOOSE MONICA MONITOR MONITORED MONITORING MONITORS MONK MONKEY MONKEYED MONKEYING MONKEYS MONKISH MONKS MONMOUTH MONOALPHABETIC MONOCEROS MONOCHROMATIC MONOCHROME MONOCOTYLEDON MONOCULAR MONOGAMOUS MONOGAMY MONOGRAM MONOGRAMS MONOGRAPH MONOGRAPHES MONOGRAPHS MONOLITH MONOLITHIC MONOLOGUE MONONGAHELA MONOPOLIES MONOPOLIZE MONOPOLIZED MONOPOLIZING MONOPOLY MONOPROGRAMMED MONOPROGRAMMING MONOSTABLE MONOTHEISM MONOTONE MONOTONIC MONOTONICALLY MONOTONICITY MONOTONOUS MONOTONOUSLY MONOTONOUSNESS MONOTONY MONROE MONROVIA MONSANTO MONSOON MONSTER MONSTERS MONSTROSITY MONSTROUS MONSTROUSLY MONT MONTAGUE MONTAIGNE MONTANA MONTANAN MONTCLAIR MONTENEGRIN MONTENEGRO MONTEREY MONTEVERDI MONTEVIDEO MONTGOMERY MONTH MONTHLY MONTHS MONTICELLO MONTMARTRE MONTPELIER MONTRACHET MONTREAL MONTY MONUMENT MONUMENTAL MONUMENTALLY MONUMENTS MOO MOOD MOODINESS MOODS MOODY MOON MOONED MOONEY MOONING MOONLIGHT MOONLIGHTER MOONLIGHTING MOONLIKE MOONLIT MOONS MOONSHINE MOOR MOORE MOORED MOORING MOORINGS MOORISH MOORS MOOSE MOOT MOP MOPED MOPS MORAINE MORAL MORALE MORALITIES MORALITY MORALLY MORALS MORAN MORASS MORATORIUM MORAVIA MORAVIAN MORAVIANIZED MORAVIANIZEDS MORBID MORBIDLY MORBIDNESS MORE MOREHOUSE MORELAND MOREOVER MORES MORESBY MORGAN MORIARTY MORIBUND MORLEY MORMON MORN MORNING MORNINGS MOROCCAN MOROCCO MORON MOROSE MORPHINE MORPHISM MORPHISMS MORPHOLOGICAL MORPHOLOGY MORRILL MORRIS MORRISON MORRISSEY MORRISTOWN MORROW MORSE MORSEL MORSELS MORTAL MORTALITY MORTALLY MORTALS MORTAR MORTARED MORTARING MORTARS MORTEM MORTGAGE MORTGAGES MORTICIAN MORTIFICATION MORTIFIED MORTIFIES MORTIFY MORTIFYING MORTIMER MORTON MOSAIC MOSAICS MOSCONE MOSCOW MOSER MOSES MOSLEM MOSLEMIZE MOSLEMIZES MOSLEMS MOSQUE MOSQUITO MOSQUITOES MOSS MOSSBERG MOSSES MOSSY MOST MOSTLY MOTEL MOTELS MOTH MOTHBALL MOTHBALLS MOTHER MOTHERED MOTHERER MOTHERERS MOTHERHOOD MOTHERING MOTHERLAND MOTHERLY MOTHERS MOTIF MOTIFS MOTION MOTIONED MOTIONING MOTIONLESS MOTIONLESSLY MOTIONLESSNESS MOTIONS MOTIVATE MOTIVATED MOTIVATES MOTIVATING MOTIVATION MOTIVATIONS MOTIVE MOTIVES MOTLEY MOTOR MOTORCAR MOTORCARS MOTORCYCLE MOTORCYCLES MOTORING MOTORIST MOTORISTS MOTORIZE MOTORIZED MOTORIZES MOTORIZING MOTOROLA MOTORS MOTTO MOTTOES MOULD MOULDING MOULTON MOUND MOUNDED MOUNDS MOUNT MOUNTABLE MOUNTAIN MOUNTAINEER MOUNTAINEERING MOUNTAINEERS MOUNTAINOUS MOUNTAINOUSLY MOUNTAINS MOUNTED MOUNTER MOUNTING MOUNTINGS MOUNTS MOURN MOURNED MOURNER MOURNERS MOURNFUL MOURNFULLY MOURNFULNESS MOURNING MOURNS MOUSE MOUSER MOUSES MOUSETRAP MOUSY MOUTH MOUTHE MOUTHED MOUTHES MOUTHFUL MOUTHING MOUTHPIECE MOUTHS MOUTON MOVABLE MOVE MOVED MOVEMENT MOVEMENTS MOVER MOVERS MOVES MOVIE MOVIES MOVING MOVINGS MOW MOWED MOWER MOWS MOYER MOZART MUCH MUCK MUCKER MUCKING MUCUS MUD MUDD MUDDIED MUDDINESS MUDDLE MUDDLED MUDDLEHEAD MUDDLER MUDDLERS MUDDLES MUDDLING MUDDY MUELLER MUENSTER MUFF MUFFIN MUFFINS MUFFLE MUFFLED MUFFLER MUFFLES MUFFLING MUFFS MUG MUGGING MUGS MUHAMMAD MUIR MUKDEN MULATTO MULBERRIES MULBERRY MULE MULES MULL MULLAH MULLEN MULTI MULTIBIT MULTIBUS MULTIBYTE MULTICAST MULTICASTING MULTICASTS MULTICELLULAR MULTICOMPUTER MULTICS MULTICS MULTIDIMENSIONAL MULTILATERAL MULTILAYER MULTILAYERED MULTILEVEL MULTIMEDIA MULTINATIONAL MULTIPLE MULTIPLES MULTIPLEX MULTIPLEXED MULTIPLEXER MULTIPLEXERS MULTIPLEXES MULTIPLEXING MULTIPLEXOR MULTIPLEXORS MULTIPLICAND MULTIPLICANDS MULTIPLICATION MULTIPLICATIONS MULTIPLICATIVE MULTIPLICATIVES MULTIPLICITY MULTIPLIED MULTIPLIER MULTIPLIERS MULTIPLIES MULTIPLY MULTIPLYING MULTIPROCESS MULTIPROCESSING MULTIPROCESSOR MULTIPROCESSORS MULTIPROGRAM MULTIPROGRAMMED MULTIPROGRAMMING MULTISTAGE MULTITUDE MULTITUDES MULTIUSER MULTIVARIATE MULTIWORD MUMBLE MUMBLED MUMBLER MUMBLERS MUMBLES MUMBLING MUMBLINGS MUMFORD MUMMIES MUMMY MUNCH MUNCHED MUNCHING MUNCIE MUNDANE MUNDANELY MUNDT MUNG MUNICH MUNICIPAL MUNICIPALITIES MUNICIPALITY MUNICIPALLY MUNITION MUNITIONS MUNROE MUNSEY MUNSON MUONG MURAL MURDER MURDERED MURDERER MURDERERS MURDERING MURDEROUS MURDEROUSLY MURDERS MURIEL MURKY MURMUR MURMURED MURMURER MURMURING MURMURS MURPHY MURRAY MURROW MUSCAT MUSCLE MUSCLED MUSCLES MUSCLING MUSCOVITE MUSCOVY MUSCULAR MUSCULATURE MUSE MUSED MUSES MUSEUM MUSEUMS MUSH MUSHROOM MUSHROOMED MUSHROOMING MUSHROOMS MUSHY MUSIC MUSICAL MUSICALLY MUSICALS MUSICIAN MUSICIANLY MUSICIANS MUSICOLOGY MUSING MUSINGS MUSK MUSKEGON MUSKET MUSKETS MUSKOX MUSKOXEN MUSKRAT MUSKRATS MUSKS MUSLIM MUSLIMS MUSLIN MUSSEL MUSSELS MUSSOLINI MUSSOLINIS MUSSORGSKY MUST MUSTACHE MUSTACHED MUSTACHES MUSTARD MUSTER MUSTINESS MUSTS MUSTY MUTABILITY MUTABLE MUTABLENESS MUTANDIS MUTANT MUTATE MUTATED MUTATES MUTATING MUTATION MUTATIONS MUTATIS MUTATIVE MUTE MUTED MUTELY MUTENESS MUTILATE MUTILATED MUTILATES MUTILATING MUTILATION MUTINIES MUTINY MUTT MUTTER MUTTERED MUTTERER MUTTERERS MUTTERING MUTTERS MUTTON MUTUAL MUTUALLY MUZAK MUZO MUZZLE MUZZLES MYCENAE MYCENAEAN MYERS MYNHEER MYRA MYRIAD MYRON MYRTLE MYSELF MYSORE MYSTERIES MYSTERIOUS MYSTERIOUSLY MYSTERIOUSNESS MYSTERY MYSTIC MYSTICAL MYSTICS MYSTIFY MYTH MYTHICAL MYTHOLOGIES MYTHOLOGY NAB NABISCO NABLA NABLAS NADIA NADINE NADIR NAG NAGASAKI NAGGED NAGGING NAGOYA NAGS NAGY NAIL NAILED NAILING NAILS NAIR NAIROBI NAIVE NAIVELY NAIVENESS NAIVETE NAKAMURA NAKAYAMA NAKED NAKEDLY NAKEDNESS NAKOMA NAME NAMEABLE NAMED NAMELESS NAMELESSLY NAMELY NAMER NAMERS NAMES NAMESAKE NAMESAKES NAMING NAN NANCY NANETTE NANKING NANOINSTRUCTION NANOINSTRUCTIONS NANOOK NANOPROGRAM NANOPROGRAMMING NANOSECOND NANOSECONDS NANOSTORE NANOSTORES NANTUCKET NAOMI NAP NAPKIN NAPKINS NAPLES NAPOLEON NAPOLEONIC NAPOLEONIZE NAPOLEONIZES NAPS NARBONNE NARCISSUS NARCOTIC NARCOTICS NARRAGANSETT NARRATE NARRATION NARRATIVE NARRATIVES NARROW NARROWED NARROWER NARROWEST NARROWING NARROWLY NARROWNESS NARROWS NARY NASA NASAL NASALLY NASAS NASH NASHUA NASHVILLE NASSAU NASTIER NASTIEST NASTILY NASTINESS NASTY NAT NATAL NATALIE NATCHEZ NATE NATHAN NATHANIEL NATION NATIONAL NATIONALIST NATIONALISTS NATIONALITIES NATIONALITY NATIONALIZATION NATIONALIZE NATIONALIZED NATIONALIZES NATIONALIZING NATIONALLY NATIONALS NATIONHOOD NATIONS NATIONWIDE NATIVE NATIVELY NATIVES NATIVITY NATO NATOS NATURAL NATURALISM NATURALIST NATURALIZATION NATURALLY NATURALNESS NATURALS NATURE NATURED NATURES NAUGHT NAUGHTIER NAUGHTINESS NAUGHTY NAUR NAUSEA NAUSEATE NAUSEUM NAVAHO NAVAJO NAVAL NAVALLY NAVEL NAVIES NAVIGABLE NAVIGATE NAVIGATED NAVIGATES NAVIGATING NAVIGATION NAVIGATOR NAVIGATORS NAVONA NAVY NAY NAZARENE NAZARETH NAZI NAZIS NAZISM NDJAMENA NEAL NEANDERTHAL NEAPOLITAN NEAR NEARBY NEARED NEARER NEAREST NEARING NEARLY NEARNESS NEARS NEARSIGHTED NEAT NEATER NEATEST NEATLY NEATNESS NEBRASKA NEBRASKAN NEBUCHADNEZZAR NEBULA NEBULAR NEBULOUS NECESSARIES NECESSARILY NECESSARY NECESSITATE NECESSITATED NECESSITATES NECESSITATING NECESSITATION NECESSITIES NECESSITY NECK NECKING NECKLACE NECKLACES NECKLINE NECKS NECKTIE NECKTIES NECROSIS NECTAR NED NEED NEEDED NEEDFUL NEEDHAM NEEDING NEEDLE NEEDLED NEEDLER NEEDLERS NEEDLES NEEDLESS NEEDLESSLY NEEDLESSNESS NEEDLEWORK NEEDLING NEEDS NEEDY NEFF NEGATE NEGATED NEGATES NEGATING NEGATION NEGATIONS NEGATIVE NEGATIVELY NEGATIVES NEGATOR NEGATORS NEGLECT NEGLECTED NEGLECTING NEGLECTS NEGLIGEE NEGLIGENCE NEGLIGENT NEGLIGIBLE NEGOTIABLE NEGOTIATE NEGOTIATED NEGOTIATES NEGOTIATING NEGOTIATION NEGOTIATIONS NEGRO NEGROES NEGROID NEGROIZATION NEGROIZATIONS NEGROIZE NEGROIZES NEHRU NEIGH NEIGHBOR NEIGHBORHOOD NEIGHBORHOODS NEIGHBORING NEIGHBORLY NEIGHBORS NEIL NEITHER NELL NELLIE NELSEN NELSON NEMESIS NEOCLASSIC NEON NEONATAL NEOPHYTE NEOPHYTES NEPAL NEPALI NEPHEW NEPHEWS NEPTUNE NERO NERVE NERVES NERVOUS NERVOUSLY NERVOUSNESS NESS NEST NESTED NESTER NESTING NESTLE NESTLED NESTLES NESTLING NESTOR NESTS NET NETHER NETHERLANDS NETS NETTED NETTING NETTLE NETTLED NETWORK NETWORKED NETWORKING NETWORKS NEUMANN NEURAL NEURITIS NEUROLOGICAL NEUROLOGISTS NEURON NEURONS NEUROSES NEUROSIS NEUROTIC NEUTER NEUTRAL NEUTRALITIES NEUTRALITY NEUTRALIZE NEUTRALIZED NEUTRALIZING NEUTRALLY NEUTRINO NEUTRINOS NEUTRON NEVA NEVADA NEVER NEVERTHELESS NEVINS NEW NEWARK NEWBOLD NEWBORN NEWBURY NEWBURYPORT NEWCASTLE NEWCOMER NEWCOMERS NEWELL NEWER NEWEST NEWFOUNDLAND NEWLY NEWLYWED NEWMAN NEWMANIZE NEWMANIZES NEWNESS NEWPORT NEWS NEWSCAST NEWSGROUP NEWSLETTER NEWSLETTERS NEWSMAN NEWSMEN NEWSPAPER NEWSPAPERS NEWSSTAND NEWSWEEK NEWSWEEKLY NEWT NEWTON NEWTONIAN NEXT NGUYEN NIAGARA NIAMEY NIBBLE NIBBLED NIBBLER NIBBLERS NIBBLES NIBBLING NIBELUNG NICARAGUA NICCOLO NICE NICELY NICENESS NICER NICEST NICHE NICHOLAS NICHOLLS NICHOLS NICHOLSON NICK NICKED NICKEL NICKELS NICKER NICKING NICKLAUS NICKNAME NICKNAMED NICKNAMES NICKS NICODEMUS NICOSIA NICOTINE NIECE NIECES NIELSEN NIELSON NIETZSCHE NIFTY NIGER NIGERIA NIGERIAN NIGH NIGHT NIGHTCAP NIGHTCLUB NIGHTFALL NIGHTGOWN NIGHTINGALE NIGHTINGALES NIGHTLY NIGHTMARE NIGHTMARES NIGHTMARISH NIGHTS NIGHTTIME NIHILISM NIJINSKY NIKKO NIKOLAI NIL NILE NILSEN NILSSON NIMBLE NIMBLENESS NIMBLER NIMBLY NIMBUS NINA NINE NINEFOLD NINES NINETEEN NINETEENS NINETEENTH NINETIES NINETIETH NINETY NINEVEH NINTH NIOBE NIP NIPPLE NIPPON NIPPONIZE NIPPONIZES NIPS NITRIC NITROGEN NITROUS NITTY NIXON NOAH NOBEL NOBILITY NOBLE NOBLEMAN NOBLENESS NOBLER NOBLES NOBLEST NOBLY NOBODY NOCTURNAL NOCTURNALLY NOD NODAL NODDED NODDING NODE NODES NODS NODULAR NODULE NOEL NOETHERIAN NOISE NOISELESS NOISELESSLY NOISES NOISIER NOISILY NOISINESS NOISY NOLAN NOLL NOMENCLATURE NOMINAL NOMINALLY NOMINATE NOMINATED NOMINATING NOMINATION NOMINATIVE NOMINEE NON NONADAPTIVE NONBIODEGRADABLE NONBLOCKING NONCE NONCHALANT NONCOMMERCIAL NONCOMMUNICATION NONCONSECUTIVELY NONCONSERVATIVE NONCRITICAL NONCYCLIC NONDECREASING NONDESCRIPT NONDESCRIPTLY NONDESTRUCTIVELY NONDETERMINACY NONDETERMINATE NONDETERMINATELY NONDETERMINISM NONDETERMINISTIC NONDETERMINISTICALLY NONE NONEMPTY NONETHELESS NONEXISTENCE NONEXISTENT NONEXTENSIBLE NONFUNCTIONAL NONGOVERNMENTAL NONIDEMPOTENT NONINTERACTING NONINTERFERENCE NONINTERLEAVED NONINTRUSIVE NONINTUITIVE NONINVERTING NONLINEAR NONLINEARITIES NONLINEARITY NONLINEARLY NONLOCAL NONMASKABLE NONMATHEMATICAL NONMILITARY NONNEGATIVE NONNEGLIGIBLE NONNUMERICAL NONOGENARIAN NONORTHOGONAL NONORTHOGONALITY NONPERISHABLE NONPERSISTENT NONPORTABLE NONPROCEDURAL NONPROCEDURALLY NONPROFIT NONPROGRAMMABLE NONPROGRAMMER NONSEGMENTED NONSENSE NONSENSICAL NONSEQUENTIAL NONSPECIALIST NONSPECIALISTS NONSTANDARD NONSYNCHRONOUS NONTECHNICAL NONTERMINAL NONTERMINALS NONTERMINATING NONTERMINATION NONTHERMAL NONTRANSPARENT NONTRIVIAL NONUNIFORM NONUNIFORMITY NONZERO NOODLE NOOK NOOKS NOON NOONDAY NOONS NOONTIDE NOONTIME NOOSE NOR NORA NORDHOFF NORDIC NORDSTROM NOREEN NORFOLK NORM NORMA NORMAL NORMALCY NORMALITY NORMALIZATION NORMALIZE NORMALIZED NORMALIZES NORMALIZING NORMALLY NORMALS NORMAN NORMANDY NORMANIZATION NORMANIZATIONS NORMANIZE NORMANIZER NORMANIZERS NORMANIZES NORMATIVE NORMS NORRIS NORRISTOWN NORSE NORTH NORTHAMPTON NORTHBOUND NORTHEAST NORTHEASTER NORTHEASTERN NORTHERLY NORTHERN NORTHERNER NORTHERNERS NORTHERNLY NORTHFIELD NORTHROP NORTHRUP NORTHUMBERLAND NORTHWARD NORTHWARDS NORTHWEST NORTHWESTERN NORTON NORWALK NORWAY NORWEGIAN NORWICH NOSE NOSED NOSES NOSING NOSTALGIA NOSTALGIC NOSTRADAMUS NOSTRAND NOSTRIL NOSTRILS NOT NOTABLE NOTABLES NOTABLY NOTARIZE NOTARIZED NOTARIZES NOTARIZING NOTARY NOTATION NOTATIONAL NOTATIONS NOTCH NOTCHED NOTCHES NOTCHING NOTE NOTEBOOK NOTEBOOKS NOTED NOTES NOTEWORTHY NOTHING NOTHINGNESS NOTHINGS NOTICE NOTICEABLE NOTICEABLY NOTICED NOTICES NOTICING NOTIFICATION NOTIFICATIONS NOTIFIED NOTIFIER NOTIFIERS NOTIFIES NOTIFY NOTIFYING NOTING NOTION NOTIONS NOTORIETY NOTORIOUS NOTORIOUSLY NOTRE NOTTINGHAM NOTWITHSTANDING NOUAKCHOTT NOUN NOUNS NOURISH NOURISHED NOURISHES NOURISHING NOURISHMENT NOVAK NOVEL NOVELIST NOVELISTS NOVELS NOVELTIES NOVELTY NOVEMBER NOVEMBERS NOVICE NOVICES NOVOSIBIRSK NOW NOWADAYS NOWHERE NOXIOUS NOYES NOZZLE NUANCE NUANCES NUBIA NUBIAN NUBILE NUCLEAR NUCLEI NUCLEIC NUCLEOTIDE NUCLEOTIDES NUCLEUS NUCLIDE NUDE NUDGE NUDGED NUDITY NUGENT NUGGET NUISANCE NUISANCES NULL NULLARY NULLED NULLIFIED NULLIFIERS NULLIFIES NULLIFY NULLIFYING NULLS NUMB NUMBED NUMBER NUMBERED NUMBERER NUMBERING NUMBERLESS NUMBERS NUMBING NUMBLY NUMBNESS NUMBS NUMERABLE NUMERAL NUMERALS NUMERATOR NUMERATORS NUMERIC NUMERICAL NUMERICALLY NUMERICS NUMEROUS NUMISMATIC NUMISMATIST NUN NUNS NUPTIAL NURSE NURSED NURSERIES NURSERY NURSES NURSING NURTURE NURTURED NURTURES NURTURING NUT NUTATE NUTRIA NUTRIENT NUTRITION NUTRITIOUS NUTS NUTSHELL NUTSHELLS NUZZLE NYLON NYMPH NYMPHOMANIA NYMPHOMANIAC NYMPHS NYQUIST OAF OAK OAKEN OAKLAND OAKLEY OAKMONT OAKS OAR OARS OASES OASIS OAT OATEN OATH OATHS OATMEAL OATS OBEDIENCE OBEDIENCES OBEDIENT OBEDIENTLY OBELISK OBERLIN OBERON OBESE OBEY OBEYED OBEYING OBEYS OBFUSCATE OBFUSCATORY OBITUARY OBJECT OBJECTED OBJECTING OBJECTION OBJECTIONABLE OBJECTIONS OBJECTIVE OBJECTIVELY OBJECTIVES OBJECTOR OBJECTORS OBJECTS OBLIGATED OBLIGATION OBLIGATIONS OBLIGATORY OBLIGE OBLIGED OBLIGES OBLIGING OBLIGINGLY OBLIQUE OBLIQUELY OBLIQUENESS OBLITERATE OBLITERATED OBLITERATES OBLITERATING OBLITERATION OBLIVION OBLIVIOUS OBLIVIOUSLY OBLIVIOUSNESS OBLONG OBNOXIOUS OBOE OBSCENE OBSCURE OBSCURED OBSCURELY OBSCURER OBSCURES OBSCURING OBSCURITIES OBSCURITY OBSEQUIOUS OBSERVABLE OBSERVANCE OBSERVANCES OBSERVANT OBSERVATION OBSERVATIONS OBSERVATORY OBSERVE OBSERVED OBSERVER OBSERVERS OBSERVES OBSERVING OBSESSION OBSESSIONS OBSESSIVE OBSOLESCENCE OBSOLESCENT OBSOLETE OBSOLETED OBSOLETES OBSOLETING OBSTACLE OBSTACLES OBSTINACY OBSTINATE OBSTINATELY OBSTRUCT OBSTRUCTED OBSTRUCTING OBSTRUCTION OBSTRUCTIONS OBSTRUCTIVE OBTAIN OBTAINABLE OBTAINABLY OBTAINED OBTAINING OBTAINS OBVIATE OBVIATED OBVIATES OBVIATING OBVIATION OBVIATIONS OBVIOUS OBVIOUSLY OBVIOUSNESS OCCAM OCCASION OCCASIONAL OCCASIONALLY OCCASIONED OCCASIONING OCCASIONINGS OCCASIONS OCCIDENT OCCIDENTAL OCCIDENTALIZATION OCCIDENTALIZATIONS OCCIDENTALIZE OCCIDENTALIZED OCCIDENTALIZES OCCIDENTALIZING OCCIDENTALS OCCIPITAL OCCLUDE OCCLUDED OCCLUDES OCCLUSION OCCLUSIONS OCCULT OCCUPANCIES OCCUPANCY OCCUPANT OCCUPANTS OCCUPATION OCCUPATIONAL OCCUPATIONALLY OCCUPATIONS OCCUPIED OCCUPIER OCCUPIES OCCUPY OCCUPYING OCCUR OCCURRED OCCURRENCE OCCURRENCES OCCURRING OCCURS OCEAN OCEANIA OCEANIC OCEANOGRAPHY OCEANS OCONOMOWOC OCTAGON OCTAGONAL OCTAHEDRA OCTAHEDRAL OCTAHEDRON OCTAL OCTANE OCTAVE OCTAVES OCTAVIA OCTET OCTETS OCTOBER OCTOBERS OCTOGENARIAN OCTOPUS ODD ODDER ODDEST ODDITIES ODDITY ODDLY ODDNESS ODDS ODE ODERBERG ODERBERGS ODES ODESSA ODIN ODIOUS ODIOUSLY ODIOUSNESS ODIUM ODOR ODOROUS ODOROUSLY ODOROUSNESS ODORS ODYSSEUS ODYSSEY OEDIPAL OEDIPALLY OEDIPUS OFF OFFENBACH OFFEND OFFENDED OFFENDER OFFENDERS OFFENDING OFFENDS OFFENSE OFFENSES OFFENSIVE OFFENSIVELY OFFENSIVENESS OFFER OFFERED OFFERER OFFERERS OFFERING OFFERINGS OFFERS OFFHAND OFFICE OFFICEMATE OFFICER OFFICERS OFFICES OFFICIAL OFFICIALDOM OFFICIALLY OFFICIALS OFFICIATE OFFICIO OFFICIOUS OFFICIOUSLY OFFICIOUSNESS OFFING OFFLOAD OFFS OFFSET OFFSETS OFFSETTING OFFSHORE OFFSPRING OFT OFTEN OFTENTIMES OGDEN OHIO OHM OHMMETER OIL OILCLOTH OILED OILER OILERS OILIER OILIEST OILING OILS OILY OINTMENT OJIBWA OKAMOTO OKAY OKINAWA OKLAHOMA OKLAHOMAN OLAF OLAV OLD OLDEN OLDENBURG OLDER OLDEST OLDNESS OLDSMOBILE OLDUVAI OLDY OLEANDER OLEG OLEOMARGARINE OLGA OLIGARCHY OLIGOCENE OLIN OLIVE OLIVER OLIVERS OLIVES OLIVETTI OLIVIA OLIVIER OLSEN OLSON OLYMPIA OLYMPIAN OLYMPIANIZE OLYMPIANIZES OLYMPIC OLYMPICS OLYMPUS OMAHA OMAN OMEGA OMELET OMEN OMENS OMICRON OMINOUS OMINOUSLY OMINOUSNESS OMISSION OMISSIONS OMIT OMITS OMITTED OMITTING OMNIBUS OMNIDIRECTIONAL OMNIPOTENT OMNIPRESENT OMNISCIENT OMNISCIENTLY OMNIVORE ONANISM ONCE ONCOLOGY ONE ONEIDA ONENESS ONEROUS ONES ONESELF ONETIME ONGOING ONION ONIONS ONLINE ONLOOKER ONLY ONONDAGA ONRUSH ONSET ONSETS ONSLAUGHT ONTARIO ONTO ONTOLOGY ONUS ONWARD ONWARDS ONYX OOZE OOZED OPACITY OPAL OPALS OPAQUE OPAQUELY OPAQUENESS OPCODE OPEC OPEL OPEN OPENED OPENER OPENERS OPENING OPENINGS OPENLY OPENNESS OPENS OPERA OPERABLE OPERAND OPERANDI OPERANDS OPERAS OPERATE OPERATED OPERATES OPERATING OPERATION OPERATIONAL OPERATIONALLY OPERATIONS OPERATIVE OPERATIVES OPERATOR OPERATORS OPERETTA OPHIUCHUS OPHIUCUS OPIATE OPINION OPINIONS OPIUM OPOSSUM OPPENHEIMER OPPONENT OPPONENTS OPPORTUNE OPPORTUNELY OPPORTUNISM OPPORTUNISTIC OPPORTUNITIES OPPORTUNITY OPPOSABLE OPPOSE OPPOSED OPPOSES OPPOSING OPPOSITE OPPOSITELY OPPOSITENESS OPPOSITES OPPOSITION OPPRESS OPPRESSED OPPRESSES OPPRESSING OPPRESSION OPPRESSIVE OPPRESSOR OPPRESSORS OPPROBRIUM OPT OPTED OPTHALMIC OPTIC OPTICAL OPTICALLY OPTICS OPTIMA OPTIMAL OPTIMALITY OPTIMALLY OPTIMISM OPTIMIST OPTIMISTIC OPTIMISTICALLY OPTIMIZATION OPTIMIZATIONS OPTIMIZE OPTIMIZED OPTIMIZER OPTIMIZERS OPTIMIZES OPTIMIZING OPTIMUM OPTING OPTION OPTIONAL OPTIONALLY OPTIONS OPTOACOUSTIC OPTOMETRIST OPTOMETRY OPTS OPULENCE OPULENT OPUS ORACLE ORACLES ORAL ORALLY ORANGE ORANGES ORANGUTAN ORATION ORATIONS ORATOR ORATORIES ORATORS ORATORY ORB ORBIT ORBITAL ORBITALLY ORBITED ORBITER ORBITERS ORBITING ORBITS ORCHARD ORCHARDS ORCHESTRA ORCHESTRAL ORCHESTRAS ORCHESTRATE ORCHID ORCHIDS ORDAIN ORDAINED ORDAINING ORDAINS ORDEAL ORDER ORDERED ORDERING ORDERINGS ORDERLIES ORDERLY ORDERS ORDINAL ORDINANCE ORDINANCES ORDINARILY ORDINARINESS ORDINARY ORDINATE ORDINATES ORDINATION ORE OREGANO OREGON OREGONIANS ORES ORESTEIA ORESTES ORGAN ORGANIC ORGANISM ORGANISMS ORGANIST ORGANISTS ORGANIZABLE ORGANIZATION ORGANIZATIONAL ORGANIZATIONALLY ORGANIZATIONS ORGANIZE ORGANIZED ORGANIZER ORGANIZERS ORGANIZES ORGANIZING ORGANS ORGASM ORGIASTIC ORGIES ORGY ORIENT ORIENTAL ORIENTALIZATION ORIENTALIZATIONS ORIENTALIZE ORIENTALIZED ORIENTALIZES ORIENTALIZING ORIENTALS ORIENTATION ORIENTATIONS ORIENTED ORIENTING ORIENTS ORIFICE ORIFICES ORIGIN ORIGINAL ORIGINALITY ORIGINALLY ORIGINALS ORIGINATE ORIGINATED ORIGINATES ORIGINATING ORIGINATION ORIGINATOR ORIGINATORS ORIGINS ORIN ORINOCO ORIOLE ORION ORKNEY ORLANDO ORLEANS ORLICK ORLY ORNAMENT ORNAMENTAL ORNAMENTALLY ORNAMENTATION ORNAMENTED ORNAMENTING ORNAMENTS ORNATE ORNERY ORONO ORPHAN ORPHANAGE ORPHANED ORPHANS ORPHEUS ORPHIC ORPHICALLY ORR ORTEGA ORTHANT ORTHODONTIST ORTHODOX ORTHODOXY ORTHOGONAL ORTHOGONALITY ORTHOGONALLY ORTHOPEDIC ORVILLE ORWELL ORWELLIAN OSAKA OSBERT OSBORN OSBORNE OSCAR OSCILLATE OSCILLATED OSCILLATES OSCILLATING OSCILLATION OSCILLATIONS OSCILLATOR OSCILLATORS OSCILLATORY OSCILLOSCOPE OSCILLOSCOPES OSGOOD OSHKOSH OSIRIS OSLO OSMOSIS OSMOTIC OSSIFY OSTENSIBLE OSTENSIBLY OSTENTATIOUS OSTEOPATH OSTEOPATHIC OSTEOPATHY OSTEOPOROSIS OSTRACISM OSTRANDER OSTRICH OSTRICHES OSWALD OTHELLO OTHER OTHERS OTHERWISE OTHERWORLDLY OTIS OTT OTTAWA OTTER OTTERS OTTO OTTOMAN OTTOMANIZATION OTTOMANIZATIONS OTTOMANIZE OTTOMANIZES OUAGADOUGOU OUCH OUGHT OUNCE OUNCES OUR OURS OURSELF OURSELVES OUST OUT OUTBOUND OUTBREAK OUTBREAKS OUTBURST OUTBURSTS OUTCAST OUTCASTS OUTCOME OUTCOMES OUTCRIES OUTCRY OUTDATED OUTDO OUTDOOR OUTDOORS OUTER OUTERMOST OUTFIT OUTFITS OUTFITTED OUTGOING OUTGREW OUTGROW OUTGROWING OUTGROWN OUTGROWS OUTGROWTH OUTING OUTLANDISH OUTLAST OUTLASTS OUTLAW OUTLAWED OUTLAWING OUTLAWS OUTLAY OUTLAYS OUTLET OUTLETS OUTLINE OUTLINED OUTLINES OUTLINING OUTLIVE OUTLIVED OUTLIVES OUTLIVING OUTLOOK OUTLYING OUTNUMBERED OUTPERFORM OUTPERFORMED OUTPERFORMING OUTPERFORMS OUTPOST OUTPOSTS OUTPUT OUTPUTS OUTPUTTING OUTRAGE OUTRAGED OUTRAGEOUS OUTRAGEOUSLY OUTRAGES OUTRIGHT OUTRUN OUTRUNS OUTS OUTSET OUTSIDE OUTSIDER OUTSIDERS OUTSKIRTS OUTSTANDING OUTSTANDINGLY OUTSTRETCHED OUTSTRIP OUTSTRIPPED OUTSTRIPPING OUTSTRIPS OUTVOTE OUTVOTED OUTVOTES OUTVOTING OUTWARD OUTWARDLY OUTWEIGH OUTWEIGHED OUTWEIGHING OUTWEIGHS OUTWIT OUTWITS OUTWITTED OUTWITTING OVAL OVALS OVARIES OVARY OVEN OVENS OVER OVERALL OVERALLS OVERBOARD OVERCAME OVERCOAT OVERCOATS OVERCOME OVERCOMES OVERCOMING OVERCROWD OVERCROWDED OVERCROWDING OVERCROWDS OVERDONE OVERDOSE OVERDRAFT OVERDRAFTS OVERDUE OVEREMPHASIS OVEREMPHASIZED OVERESTIMATE OVERESTIMATED OVERESTIMATES OVERESTIMATING OVERESTIMATION OVERFLOW OVERFLOWED OVERFLOWING OVERFLOWS OVERGROWN OVERHANG OVERHANGING OVERHANGS OVERHAUL OVERHAULING OVERHEAD OVERHEADS OVERHEAR OVERHEARD OVERHEARING OVERHEARS OVERJOY OVERJOYED OVERKILL OVERLAND OVERLAP OVERLAPPED OVERLAPPING OVERLAPS OVERLAY OVERLAYING OVERLAYS OVERLOAD OVERLOADED OVERLOADING OVERLOADS OVERLOOK OVERLOOKED OVERLOOKING OVERLOOKS OVERLY OVERNIGHT OVERNIGHTER OVERNIGHTERS OVERPOWER OVERPOWERED OVERPOWERING OVERPOWERS OVERPRINT OVERPRINTED OVERPRINTING OVERPRINTS OVERPRODUCTION OVERRIDDEN OVERRIDE OVERRIDES OVERRIDING OVERRODE OVERRULE OVERRULED OVERRULES OVERRUN OVERRUNNING OVERRUNS OVERSEAS OVERSEE OVERSEEING OVERSEER OVERSEERS OVERSEES OVERSHADOW OVERSHADOWED OVERSHADOWING OVERSHADOWS OVERSHOOT OVERSHOT OVERSIGHT OVERSIGHTS OVERSIMPLIFIED OVERSIMPLIFIES OVERSIMPLIFY OVERSIMPLIFYING OVERSIZED OVERSTATE OVERSTATED OVERSTATEMENT OVERSTATEMENTS OVERSTATES OVERSTATING OVERSTOCKS OVERSUBSCRIBED OVERT OVERTAKE OVERTAKEN OVERTAKER OVERTAKERS OVERTAKES OVERTAKING OVERTHREW OVERTHROW OVERTHROWN OVERTIME OVERTLY OVERTONE OVERTONES OVERTOOK OVERTURE OVERTURES OVERTURN OVERTURNED OVERTURNING OVERTURNS OVERUSE OVERVIEW OVERVIEWS OVERWHELM OVERWHELMED OVERWHELMING OVERWHELMINGLY OVERWHELMS OVERWORK OVERWORKED OVERWORKING OVERWORKS OVERWRITE OVERWRITES OVERWRITING OVERWRITTEN OVERZEALOUS OVID OWE OWED OWEN OWENS OWES OWING OWL OWLS OWN OWNED OWNER OWNERS OWNERSHIP OWNERSHIPS OWNING OWNS OXEN OXFORD OXIDE OXIDES OXIDIZE OXIDIZED OXNARD OXONIAN OXYGEN OYSTER OYSTERS OZARK OZARKS OZONE OZZIE PABLO PABST PACE PACED PACEMAKER PACER PACERS PACES PACIFIC PACIFICATION PACIFIED PACIFIER PACIFIES PACIFISM PACIFIST PACIFY PACING PACK PACKAGE PACKAGED PACKAGER PACKAGERS PACKAGES PACKAGING PACKAGINGS PACKARD PACKARDS PACKED PACKER PACKERS PACKET PACKETS PACKING PACKS PACKWOOD PACT PACTS PAD PADDED PADDING PADDLE PADDOCK PADDY PADLOCK PADS PAGAN PAGANINI PAGANS PAGE PAGEANT PAGEANTRY PAGEANTS PAGED PAGER PAGERS PAGES PAGINATE PAGINATED PAGINATES PAGINATING PAGINATION PAGING PAGODA PAID PAIL PAILS PAIN PAINE PAINED PAINFUL PAINFULLY PAINLESS PAINS PAINSTAKING PAINSTAKINGLY PAINT PAINTED PAINTER PAINTERS PAINTING PAINTINGS PAINTS PAIR PAIRED PAIRING PAIRINGS PAIRS PAIRWISE PAJAMA PAJAMAS PAKISTAN PAKISTANI PAKISTANIS PAL PALACE PALACES PALATE PALATES PALATINE PALE PALED PALELY PALENESS PALEOLITHIC PALEOZOIC PALER PALERMO PALES PALEST PALESTINE PALESTINIAN PALFREY PALINDROME PALINDROMIC PALING PALL PALLADIAN PALLADIUM PALLIATE PALLIATIVE PALLID PALM PALMED PALMER PALMING PALMOLIVE PALMS PALMYRA PALO PALOMAR PALPABLE PALS PALSY PAM PAMELA PAMPER PAMPHLET PAMPHLETS PAN PANACEA PANACEAS PANAMA PANAMANIAN PANCAKE PANCAKES PANCHO PANDA PANDANUS PANDAS PANDEMIC PANDEMONIUM PANDER PANDORA PANE PANEL PANELED PANELING PANELIST PANELISTS PANELS PANES PANG PANGAEA PANGS PANIC PANICKED PANICKING PANICKY PANICS PANNED PANNING PANORAMA PANORAMIC PANS PANSIES PANSY PANT PANTED PANTHEISM PANTHEIST PANTHEON PANTHER PANTHERS PANTIES PANTING PANTOMIME PANTRIES PANTRY PANTS PANTY PANTYHOSE PAOLI PAPA PAPAL PAPER PAPERBACK PAPERBACKS PAPERED PAPERER PAPERERS PAPERING PAPERINGS PAPERS PAPERWEIGHT PAPERWORK PAPOOSE PAPPAS PAPUA PAPYRUS PAR PARABOLA PARABOLIC PARABOLOID PARABOLOIDAL PARACHUTE PARACHUTED PARACHUTES PARADE PARADED PARADES PARADIGM PARADIGMS PARADING PARADISE PARADOX PARADOXES PARADOXICAL PARADOXICALLY PARAFFIN PARAGON PARAGONS PARAGRAPH PARAGRAPHING PARAGRAPHS PARAGUAY PARAGUAYAN PARAGUAYANS PARAKEET PARALLAX PARALLEL PARALLELED PARALLELING PARALLELISM PARALLELIZE PARALLELIZED PARALLELIZES PARALLELIZING PARALLELOGRAM PARALLELOGRAMS PARALLELS PARALYSIS PARALYZE PARALYZED PARALYZES PARALYZING PARAMETER PARAMETERIZABLE PARAMETERIZATION PARAMETERIZATIONS PARAMETERIZE PARAMETERIZED PARAMETERIZES PARAMETERIZING PARAMETERLESS PARAMETERS PARAMETRIC PARAMETRIZED PARAMILITARY PARAMOUNT PARAMUS PARANOIA PARANOIAC PARANOID PARANORMAL PARAPET PARAPETS PARAPHERNALIA PARAPHRASE PARAPHRASED PARAPHRASES PARAPHRASING PARAPSYCHOLOGY PARASITE PARASITES PARASITIC PARASITICS PARASOL PARBOIL PARC PARCEL PARCELED PARCELING PARCELS PARCH PARCHED PARCHMENT PARDON PARDONABLE PARDONABLY PARDONED PARDONER PARDONERS PARDONING PARDONS PARE PAREGORIC PARENT PARENTAGE PARENTAL PARENTHESES PARENTHESIS PARENTHESIZED PARENTHESIZES PARENTHESIZING PARENTHETIC PARENTHETICAL PARENTHETICALLY PARENTHOOD PARENTS PARES PARETO PARIAH PARIMUTUEL PARING PARINGS PARIS PARISH PARISHES PARISHIONER PARISIAN PARISIANIZATION PARISIANIZATIONS PARISIANIZE PARISIANIZES PARITY PARK PARKE PARKED PARKER PARKERS PARKERSBURG PARKHOUSE PARKING PARKINSON PARKINSONIAN PARKLAND PARKLIKE PARKS PARKWAY PARLAY PARLEY PARLIAMENT PARLIAMENTARIAN PARLIAMENTARY PARLIAMENTS PARLOR PARLORS PARMESAN PAROCHIAL PARODY PAROLE PAROLED PAROLES PAROLING PARR PARRIED PARRISH PARROT PARROTING PARROTS PARRS PARRY PARS PARSE PARSED PARSER PARSERS PARSES PARSI PARSIFAL PARSIMONY PARSING PARSINGS PARSLEY PARSON PARSONS PART PARTAKE PARTAKER PARTAKES PARTAKING PARTED PARTER PARTERS PARTHENON PARTHIA PARTIAL PARTIALITY PARTIALLY PARTICIPANT PARTICIPANTS PARTICIPATE PARTICIPATED PARTICIPATES PARTICIPATING PARTICIPATION PARTICIPLE PARTICLE PARTICLES PARTICULAR PARTICULARLY PARTICULARS PARTICULATE PARTIES PARTING PARTINGS PARTISAN PARTISANS PARTITION PARTITIONED PARTITIONING PARTITIONS PARTLY PARTNER PARTNERED PARTNERS PARTNERSHIP PARTOOK PARTRIDGE PARTRIDGES PARTS PARTY PASADENA PASCAL PASCAL PASO PASS PASSAGE PASSAGES PASSAGEWAY PASSAIC PASSE PASSED PASSENGER PASSENGERS PASSER PASSERS PASSES PASSING PASSION PASSIONATE PASSIONATELY PASSIONS PASSIVATE PASSIVE PASSIVELY PASSIVENESS PASSIVITY PASSOVER PASSPORT PASSPORTS PASSWORD PASSWORDS PAST PASTE PASTED PASTEL PASTERNAK PASTES PASTEUR PASTIME PASTIMES PASTING PASTNESS PASTOR PASTORAL PASTORS PASTRY PASTS PASTURE PASTURES PAT PATAGONIA PATAGONIANS PATCH PATCHED PATCHES PATCHING PATCHWORK PATCHY PATE PATEN PATENT PATENTABLE PATENTED PATENTER PATENTERS PATENTING PATENTLY PATENTS PATERNAL PATERNALLY PATERNOSTER PATERSON PATH PATHETIC PATHNAME PATHNAMES PATHOGEN PATHOGENESIS PATHOLOGICAL PATHOLOGY PATHOS PATHS PATHWAY PATHWAYS PATIENCE PATIENT PATIENTLY PATIENTS PATINA PATIO PATRIARCH PATRIARCHAL PATRIARCHS PATRIARCHY PATRICE PATRICIA PATRICIAN PATRICIANS PATRICK PATRIMONIAL PATRIMONY PATRIOT PATRIOTIC PATRIOTISM PATRIOTS PATROL PATROLLED PATROLLING PATROLMAN PATROLMEN PATROLS PATRON PATRONAGE PATRONIZE PATRONIZED PATRONIZES PATRONIZING PATRONS PATS PATSIES PATSY PATTER PATTERED PATTERING PATTERINGS PATTERN PATTERNED PATTERNING PATTERNS PATTERS PATTERSON PATTI PATTIES PATTON PATTY PAUCITY PAUL PAULA PAULETTE PAULI PAULINE PAULING PAULINIZE PAULINIZES PAULO PAULSEN PAULSON PAULUS PAUNCH PAUNCHY PAUPER PAUSE PAUSED PAUSES PAUSING PAVE PAVED PAVEMENT PAVEMENTS PAVES PAVILION PAVILIONS PAVING PAVLOV PAVLOVIAN PAW PAWING PAWN PAWNS PAWNSHOP PAWS PAWTUCKET PAY PAYABLE PAYCHECK PAYCHECKS PAYED PAYER PAYERS PAYING PAYMENT PAYMENTS PAYNE PAYNES PAYNIZE PAYNIZES PAYOFF PAYOFFS PAYROLL PAYS PAYSON PAZ PEA PEABODY PEACE PEACEABLE PEACEFUL PEACEFULLY PEACEFULNESS PEACETIME PEACH PEACHES PEACHTREE PEACOCK PEACOCKS PEAK PEAKED PEAKS PEAL PEALE PEALED PEALING PEALS PEANUT PEANUTS PEAR PEARCE PEARL PEARLS PEARLY PEARS PEARSON PEAS PEASANT PEASANTRY PEASANTS PEASE PEAT PEBBLE PEBBLES PECCARY PECK PECKED PECKING PECKS PECOS PECTORAL PECULIAR PECULIARITIES PECULIARITY PECULIARLY PECUNIARY PEDAGOGIC PEDAGOGICAL PEDAGOGICALLY PEDAGOGY PEDAL PEDANT PEDANTIC PEDANTRY PEDDLE PEDDLER PEDDLERS PEDESTAL PEDESTRIAN PEDESTRIANS PEDIATRIC PEDIATRICIAN PEDIATRICS PEDIGREE PEDRO PEEK PEEKED PEEKING PEEKS PEEL PEELED PEELING PEELS PEEP PEEPED PEEPER PEEPHOLE PEEPING PEEPS PEER PEERED PEERING PEERLESS PEERS PEG PEGASUS PEGBOARD PEGGY PEGS PEIPING PEJORATIVE PEKING PELHAM PELICAN PELLAGRA PELOPONNESE PELT PELTING PELTS PELVIC PELVIS PEMBROKE PEN PENAL PENALIZE PENALIZED PENALIZES PENALIZING PENALTIES PENALTY PENANCE PENCE PENCHANT PENCIL PENCILED PENCILS PEND PENDANT PENDED PENDING PENDLETON PENDS PENDULUM PENDULUMS PENELOPE PENETRABLE PENETRATE PENETRATED PENETRATES PENETRATING PENETRATINGLY PENETRATION PENETRATIONS PENETRATIVE PENETRATOR PENETRATORS PENGUIN PENGUINS PENH PENICILLIN PENINSULA PENINSULAS PENIS PENISES PENITENT PENITENTIARY PENN PENNED PENNIES PENNILESS PENNING PENNSYLVANIA PENNY PENROSE PENS PENSACOLA PENSION PENSIONER PENSIONS PENSIVE PENT PENTAGON PENTAGONS PENTATEUCH PENTECOST PENTECOSTAL PENTHOUSE PENULTIMATE PENUMBRA PEONY PEOPLE PEOPLED PEOPLES PEORIA PEP PEPPER PEPPERED PEPPERING PEPPERMINT PEPPERONI PEPPERS PEPPERY PEPPY PEPSI PEPSICO PEPSICO PEPTIDE PER PERCEIVABLE PERCEIVABLY PERCEIVE PERCEIVED PERCEIVER PERCEIVERS PERCEIVES PERCEIVING PERCENT PERCENTAGE PERCENTAGES PERCENTILE PERCENTILES PERCENTS PERCEPTIBLE PERCEPTIBLY PERCEPTION PERCEPTIONS PERCEPTIVE PERCEPTIVELY PERCEPTUAL PERCEPTUALLY PERCH PERCHANCE PERCHED PERCHES PERCHING PERCIVAL PERCUSSION PERCUTANEOUS PERCY PEREMPTORY PERENNIAL PERENNIALLY PEREZ PERFECT PERFECTED PERFECTIBLE PERFECTING PERFECTION PERFECTIONIST PERFECTIONISTS PERFECTLY PERFECTNESS PERFECTS PERFORCE PERFORM PERFORMANCE PERFORMANCES PERFORMED PERFORMER PERFORMERS PERFORMING PERFORMS PERFUME PERFUMED PERFUMES PERFUMING PERFUNCTORY PERGAMON PERHAPS PERICLEAN PERICLES PERIHELION PERIL PERILLA PERILOUS PERILOUSLY PERILS PERIMETER PERIOD PERIODIC PERIODICAL PERIODICALLY PERIODICALS PERIODS PERIPHERAL PERIPHERALLY PERIPHERALS PERIPHERIES PERIPHERY PERISCOPE PERISH PERISHABLE PERISHABLES PERISHED PERISHER PERISHERS PERISHES PERISHING PERJURE PERJURY PERK PERKINS PERKY PERLE PERMANENCE PERMANENT PERMANENTLY PERMEABLE PERMEATE PERMEATED PERMEATES PERMEATING PERMEATION PERMIAN PERMISSIBILITY PERMISSIBLE PERMISSIBLY PERMISSION PERMISSIONS PERMISSIVE PERMISSIVELY PERMIT PERMITS PERMITTED PERMITTING PERMUTATION PERMUTATIONS PERMUTE PERMUTED PERMUTES PERMUTING PERNICIOUS PERNOD PEROXIDE PERPENDICULAR PERPENDICULARLY PERPENDICULARS PERPETRATE PERPETRATED PERPETRATES PERPETRATING PERPETRATION PERPETRATIONS PERPETRATOR PERPETRATORS PERPETUAL PERPETUALLY PERPETUATE PERPETUATED PERPETUATES PERPETUATING PERPETUATION PERPETUITY PERPLEX PERPLEXED PERPLEXING PERPLEXITY PERRY PERSECUTE PERSECUTED PERSECUTES PERSECUTING PERSECUTION PERSECUTOR PERSECUTORS PERSEID PERSEPHONE PERSEUS PERSEVERANCE PERSEVERE PERSEVERED PERSEVERES PERSEVERING PERSHING PERSIA PERSIAN PERSIANIZATION PERSIANIZATIONS PERSIANIZE PERSIANIZES PERSIANS PERSIST PERSISTED PERSISTENCE PERSISTENT PERSISTENTLY PERSISTING PERSISTS PERSON PERSONAGE PERSONAGES PERSONAL PERSONALITIES PERSONALITY PERSONALIZATION PERSONALIZE PERSONALIZED PERSONALIZES PERSONALIZING PERSONALLY PERSONIFICATION PERSONIFIED PERSONIFIES PERSONIFY PERSONIFYING PERSONNEL PERSONS PERSPECTIVE PERSPECTIVES PERSPICUOUS PERSPICUOUSLY PERSPIRATION PERSPIRE PERSUADABLE PERSUADE PERSUADED PERSUADER PERSUADERS PERSUADES PERSUADING PERSUASION PERSUASIONS PERSUASIVE PERSUASIVELY PERSUASIVENESS PERTAIN PERTAINED PERTAINING PERTAINS PERTH PERTINENT PERTURB PERTURBATION PERTURBATIONS PERTURBED PERU PERUSAL PERUSE PERUSED PERUSER PERUSERS PERUSES PERUSING PERUVIAN PERUVIANIZE PERUVIANIZES PERUVIANS PERVADE PERVADED PERVADES PERVADING PERVASIVE PERVASIVELY PERVERSION PERVERT PERVERTED PERVERTS PESSIMISM PESSIMIST PESSIMISTIC PEST PESTER PESTICIDE PESTILENCE PESTILENT PESTS PET PETAL PETALS PETE PETER PETERS PETERSBURG PETERSEN PETERSON PETITION PETITIONED PETITIONER PETITIONING PETITIONS PETKIEWICZ PETRI PETROLEUM PETS PETTED PETTER PETTERS PETTIBONE PETTICOAT PETTICOATS PETTINESS PETTING PETTY PETULANCE PETULANT PEUGEOT PEW PEWAUKEE PEWS PEWTER PFIZER PHAEDRA PHANTOM PHANTOMS PHARMACEUTIC PHARMACIST PHARMACOLOGY PHARMACOPOEIA PHARMACY PHASE PHASED PHASER PHASERS PHASES PHASING PHEASANT PHEASANTS PHELPS PHENOMENA PHENOMENAL PHENOMENALLY PHENOMENOLOGICAL PHENOMENOLOGICALLY PHENOMENOLOGIES PHENOMENOLOGY PHENOMENON PHI PHIGS PHIL PHILADELPHIA PHILANTHROPY PHILCO PHILHARMONIC PHILIP PHILIPPE PHILIPPIANS PHILIPPINE PHILIPPINES PHILISTINE PHILISTINES PHILISTINIZE PHILISTINIZES PHILLIES PHILLIP PHILLIPS PHILLY PHILOSOPHER PHILOSOPHERS PHILOSOPHIC PHILOSOPHICAL PHILOSOPHICALLY PHILOSOPHIES PHILOSOPHIZE PHILOSOPHIZED PHILOSOPHIZER PHILOSOPHIZERS PHILOSOPHIZES PHILOSOPHIZING PHILOSOPHY PHIPPS PHOBOS PHOENICIA PHOENIX PHONE PHONED PHONEME PHONEMES PHONEMIC PHONES PHONETIC PHONETICS PHONING PHONOGRAPH PHONOGRAPHS PHONY PHOSGENE PHOSPHATE PHOSPHATES PHOSPHOR PHOSPHORESCENT PHOSPHORIC PHOSPHORUS PHOTO PHOTOCOPIED PHOTOCOPIER PHOTOCOPIERS PHOTOCOPIES PHOTOCOPY PHOTOCOPYING PHOTODIODE PHOTODIODES PHOTOGENIC PHOTOGRAPH PHOTOGRAPHED PHOTOGRAPHER PHOTOGRAPHERS PHOTOGRAPHIC PHOTOGRAPHING PHOTOGRAPHS PHOTOGRAPHY PHOTON PHOTOS PHOTOSENSITIVE PHOTOTYPESETTER PHOTOTYPESETTERS PHRASE PHRASED PHRASEOLOGY PHRASES PHRASING PHRASINGS PHYLA PHYLLIS PHYLUM PHYSIC PHYSICAL PHYSICALLY PHYSICALNESS PHYSICALS PHYSICIAN PHYSICIANS PHYSICIST PHYSICISTS PHYSICS PHYSIOLOGICAL PHYSIOLOGICALLY PHYSIOLOGY PHYSIOTHERAPIST PHYSIOTHERAPY PHYSIQUE PHYTOPLANKTON PIANIST PIANO PIANOS PICA PICAS PICASSO PICAYUNE PICCADILLY PICCOLO PICK PICKAXE PICKED PICKER PICKERING PICKERS PICKET PICKETED PICKETER PICKETERS PICKETING PICKETS PICKETT PICKFORD PICKING PICKINGS PICKLE PICKLED PICKLES PICKLING PICKMAN PICKS PICKUP PICKUPS PICKY PICNIC PICNICKED PICNICKING PICNICS PICOFARAD PICOJOULE PICOSECOND PICT PICTORIAL PICTORIALLY PICTURE PICTURED PICTURES PICTURESQUE PICTURESQUENESS PICTURING PIDDLE PIDGIN PIE PIECE PIECED PIECEMEAL PIECES PIECEWISE PIECING PIEDFORT PIEDMONT PIER PIERCE PIERCED PIERCES PIERCING PIERRE PIERS PIERSON PIES PIETY PIEZOELECTRIC PIG PIGEON PIGEONHOLE PIGEONS PIGGISH PIGGY PIGGYBACK PIGGYBACKED PIGGYBACKING PIGGYBACKS PIGMENT PIGMENTATION PIGMENTED PIGMENTS PIGPEN PIGS PIGSKIN PIGTAIL PIKE PIKER PIKES PILATE PILE PILED PILERS PILES PILFER PILFERAGE PILGRIM PILGRIMAGE PILGRIMAGES PILGRIMS PILING PILINGS PILL PILLAGE PILLAGED PILLAR PILLARED PILLARS PILLORY PILLOW PILLOWS PILLS PILLSBURY PILOT PILOTING PILOTS PIMP PIMPLE PIN PINAFORE PINBALL PINCH PINCHED PINCHES PINCHING PINCUSHION PINE PINEAPPLE PINEAPPLES PINED PINEHURST PINES PING PINHEAD PINHOLE PINING PINION PINK PINKER PINKEST PINKIE PINKISH PINKLY PINKNESS PINKS PINNACLE PINNACLES PINNED PINNING PINNINGS PINOCHLE PINPOINT PINPOINTING PINPOINTS PINS PINSCHER PINSKY PINT PINTO PINTS PINWHEEL PION PIONEER PIONEERED PIONEERING PIONEERS PIOTR PIOUS PIOUSLY PIP PIPE PIPED PIPELINE PIPELINED PIPELINES PIPELINING PIPER PIPERS PIPES PIPESTONE PIPETTE PIPING PIQUE PIRACY PIRAEUS PIRATE PIRATES PISA PISCATAWAY PISCES PISS PISTACHIO PISTIL PISTILS PISTOL PISTOLS PISTON PISTONS PIT PITCH PITCHED PITCHER PITCHERS PITCHES PITCHFORK PITCHING PITEOUS PITEOUSLY PITFALL PITFALLS PITH PITHED PITHES PITHIER PITHIEST PITHINESS PITHING PITHY PITIABLE PITIED PITIER PITIERS PITIES PITIFUL PITIFULLY PITILESS PITILESSLY PITNEY PITS PITT PITTED PITTSBURGH PITTSBURGHERS PITTSFIELD PITTSTON PITUITARY PITY PITYING PITYINGLY PIUS PIVOT PIVOTAL PIVOTING PIVOTS PIXEL PIXELS PIZARRO PIZZA PLACARD PLACARDS PLACATE PLACE PLACEBO PLACED PLACEHOLDER PLACEMENT PLACEMENTS PLACENTA PLACENTAL PLACER PLACES PLACID PLACIDLY PLACING PLAGIARISM PLAGIARIST PLAGUE PLAGUED PLAGUES PLAGUING PLAID PLAIDS PLAIN PLAINER PLAINEST PLAINFIELD PLAINLY PLAINNESS PLAINS PLAINTEXT PLAINTEXTS PLAINTIFF PLAINTIFFS PLAINTIVE PLAINTIVELY PLAINTIVENESS PLAINVIEW PLAIT PLAITS PLAN PLANAR PLANARITY PLANCK PLANE PLANED PLANELOAD PLANER PLANERS PLANES PLANET PLANETARIA PLANETARIUM PLANETARY PLANETESIMAL PLANETOID PLANETS PLANING PLANK PLANKING PLANKS PLANKTON PLANNED PLANNER PLANNERS PLANNING PLANOCONCAVE PLANOCONVEX PLANS PLANT PLANTATION PLANTATIONS PLANTED PLANTER PLANTERS PLANTING PLANTINGS PLANTS PLAQUE PLASMA PLASTER PLASTERED PLASTERER PLASTERING PLASTERS PLASTIC PLASTICITY PLASTICS PLATE PLATEAU PLATEAUS PLATED PLATELET PLATELETS PLATEN PLATENS PLATES PLATFORM PLATFORMS PLATING PLATINUM PLATITUDE PLATO PLATONIC PLATONISM PLATONIST PLATOON PLATTE PLATTER PLATTERS PLATTEVILLE PLAUSIBILITY PLAUSIBLE PLAY PLAYABLE PLAYBACK PLAYBOY PLAYED PLAYER PLAYERS PLAYFUL PLAYFULLY PLAYFULNESS PLAYGROUND PLAYGROUNDS PLAYHOUSE PLAYING PLAYMATE PLAYMATES PLAYOFF PLAYROOM PLAYS PLAYTHING PLAYTHINGS PLAYTIME PLAYWRIGHT PLAYWRIGHTS PLAYWRITING PLAZA PLEA PLEAD PLEADED PLEADER PLEADING PLEADS PLEAS PLEASANT PLEASANTLY PLEASANTNESS PLEASE PLEASED PLEASES PLEASING PLEASINGLY PLEASURE PLEASURES PLEAT PLEBEIAN PLEBIAN PLEBISCITE PLEBISCITES PLEDGE PLEDGED PLEDGES PLEIADES PLEISTOCENE PLENARY PLENIPOTENTIARY PLENTEOUS PLENTIFUL PLENTIFULLY PLENTY PLETHORA PLEURISY PLEXIGLAS PLIABLE PLIANT PLIED PLIERS PLIES PLIGHT PLINY PLIOCENE PLOD PLODDING PLOT PLOTS PLOTTED PLOTTER PLOTTERS PLOTTING PLOW PLOWED PLOWER PLOWING PLOWMAN PLOWS PLOWSHARE PLOY PLOYS PLUCK PLUCKED PLUCKING PLUCKS PLUCKY PLUG PLUGGABLE PLUGGED PLUGGING PLUGS PLUM PLUMAGE PLUMB PLUMBED PLUMBING PLUMBS PLUME PLUMED PLUMES PLUMMET PLUMMETING PLUMP PLUMPED PLUMPNESS PLUMS PLUNDER PLUNDERED PLUNDERER PLUNDERERS PLUNDERING PLUNDERS PLUNGE PLUNGED PLUNGER PLUNGERS PLUNGES PLUNGING PLUNK PLURAL PLURALITY PLURALS PLUS PLUSES PLUSH PLUTARCH PLUTO PLUTONIUM PLY PLYMOUTH PLYWOOD PNEUMATIC PNEUMONIA POACH POACHER POACHES POCAHONTAS POCKET POCKETBOOK POCKETBOOKS POCKETED POCKETFUL POCKETING POCKETS POCONO POCONOS POD PODIA PODIUM PODS PODUNK POE POEM POEMS POET POETIC POETICAL POETICALLY POETICS POETRIES POETRY POETS POGO POGROM POIGNANCY POIGNANT POINCARE POINDEXTER POINT POINTED POINTEDLY POINTER POINTERS POINTING POINTLESS POINTS POINTY POISE POISED POISES POISON POISONED POISONER POISONING POISONOUS POISONOUSNESS POISONS POISSON POKE POKED POKER POKERFACE POKES POKING POLAND POLAR POLARIS POLARITIES POLARITY POLAROID POLE POLECAT POLED POLEMIC POLEMICS POLES POLICE POLICED POLICEMAN POLICEMEN POLICES POLICIES POLICING POLICY POLING POLIO POLISH POLISHED POLISHER POLISHERS POLISHES POLISHING POLITBURO POLITE POLITELY POLITENESS POLITER POLITEST POLITIC POLITICAL POLITICALLY POLITICIAN POLITICIANS POLITICKING POLITICS POLK POLKA POLL POLLARD POLLED POLLEN POLLING POLLOI POLLS POLLUTANT POLLUTE POLLUTED POLLUTES POLLUTING POLLUTION POLLUX POLO POLYALPHABETIC POLYGON POLYGONS POLYHYMNIA POLYMER POLYMERS POLYMORPHIC POLYNESIA POLYNESIAN POLYNOMIAL POLYNOMIALS POLYPHEMUS POLYTECHNIC POLYTHEIST POMERANIA POMERANIAN POMONA POMP POMPADOUR POMPEII POMPEY POMPOSITY POMPOUS POMPOUSLY POMPOUSNESS PONCE PONCHARTRAIN PONCHO POND PONDER PONDERED PONDERING PONDEROUS PONDERS PONDS PONG PONIES PONTIAC PONTIFF PONTIFIC PONTIFICATE PONY POOCH POODLE POOL POOLE POOLED POOLING POOLS POOR POORER POOREST POORLY POORNESS POP POPCORN POPE POPEK POPEKS POPISH POPLAR POPLIN POPPED POPPIES POPPING POPPY POPS POPSICLE POPSICLES POPULACE POPULAR POPULARITY POPULARIZATION POPULARIZE POPULARIZED POPULARIZES POPULARIZING POPULARLY POPULATE POPULATED POPULATES POPULATING POPULATION POPULATIONS POPULOUS POPULOUSNESS PORCELAIN PORCH PORCHES PORCINE PORCUPINE PORCUPINES PORE PORED PORES PORING PORK PORKER PORNOGRAPHER PORNOGRAPHIC PORNOGRAPHY POROUS PORPOISE PORRIDGE PORT PORTABILITY PORTABLE PORTAGE PORTAL PORTALS PORTE PORTED PORTEND PORTENDED PORTENDING PORTENDS PORTENT PORTENTOUS PORTER PORTERHOUSE PORTERS PORTFOLIO PORTFOLIOS PORTIA PORTICO PORTING PORTION PORTIONS PORTLAND PORTLY PORTMANTEAU PORTO PORTRAIT PORTRAITS PORTRAY PORTRAYAL PORTRAYED PORTRAYING PORTRAYS PORTS PORTSMOUTH PORTUGAL PORTUGUESE POSE POSED POSEIDON POSER POSERS POSES POSH POSING POSIT POSITED POSITING POSITION POSITIONAL POSITIONED POSITIONING POSITIONS POSITIVE POSITIVELY POSITIVENESS POSITIVES POSITRON POSITS POSNER POSSE POSSESS POSSESSED POSSESSES POSSESSING POSSESSION POSSESSIONAL POSSESSIONS POSSESSIVE POSSESSIVELY POSSESSIVENESS POSSESSOR POSSESSORS POSSIBILITIES POSSIBILITY POSSIBLE POSSIBLY POSSUM POSSUMS POST POSTAGE POSTAL POSTCARD POSTCONDITION POSTDOCTORAL POSTED POSTER POSTERIOR POSTERIORI POSTERITY POSTERS POSTFIX POSTGRADUATE POSTING POSTLUDE POSTMAN POSTMARK POSTMASTER POSTMASTERS POSTMORTEM POSTOPERATIVE POSTORDER POSTPONE POSTPONED POSTPONING POSTPROCESS POSTPROCESSOR POSTS POSTSCRIPT POSTSCRIPTS POSTULATE POSTULATED POSTULATES POSTULATING POSTULATION POSTULATIONS POSTURE POSTURES POT POTABLE POTASH POTASSIUM POTATO POTATOES POTBELLY POTEMKIN POTENT POTENTATE POTENTATES POTENTIAL POTENTIALITIES POTENTIALITY POTENTIALLY POTENTIALS POTENTIATING POTENTIOMETER POTENTIOMETERS POTHOLE POTION POTLATCH POTOMAC POTPOURRI POTS POTSDAM POTTAWATOMIE POTTED POTTER POTTERS POTTERY POTTING POTTS POUCH POUCHES POUGHKEEPSIE POULTICE POULTRY POUNCE POUNCED POUNCES POUNCING POUND POUNDED POUNDER POUNDERS POUNDING POUNDS POUR POURED POURER POURERS POURING POURS POUSSIN POUSSINS POUT POUTED POUTING POUTS POVERTY POWDER POWDERED POWDERING POWDERPUFF POWDERS POWDERY POWELL POWER POWERED POWERFUL POWERFULLY POWERFULNESS POWERING POWERLESS POWERLESSLY POWERLESSNESS POWERS POX POYNTING PRACTICABLE PRACTICABLY PRACTICAL PRACTICALITY PRACTICALLY PRACTICE PRACTICED PRACTICES PRACTICING PRACTITIONER PRACTITIONERS PRADESH PRADO PRAGMATIC PRAGMATICALLY PRAGMATICS PRAGMATISM PRAGMATIST PRAGUE PRAIRIE PRAISE PRAISED PRAISER PRAISERS PRAISES PRAISEWORTHY PRAISING PRAISINGLY PRANCE PRANCED PRANCER PRANCING PRANK PRANKS PRATE PRATT PRATTVILLE PRAVDA PRAY PRAYED PRAYER PRAYERS PRAYING PREACH PREACHED PREACHER PREACHERS PREACHES PREACHING PREALLOCATE PREALLOCATED PREALLOCATING PREAMBLE PREAMBLES PREASSIGN PREASSIGNED PREASSIGNING PREASSIGNS PRECAMBRIAN PRECARIOUS PRECARIOUSLY PRECARIOUSNESS PRECAUTION PRECAUTIONS PRECEDE PRECEDED PRECEDENCE PRECEDENCES PRECEDENT PRECEDENTED PRECEDENTS PRECEDES PRECEDING PRECEPT PRECEPTS PRECESS PRECESSION PRECINCT PRECINCTS PRECIOUS PRECIOUSLY PRECIOUSNESS PRECIPICE PRECIPITABLE PRECIPITATE PRECIPITATED PRECIPITATELY PRECIPITATENESS PRECIPITATES PRECIPITATING PRECIPITATION PRECIPITOUS PRECIPITOUSLY PRECISE PRECISELY PRECISENESS PRECISION PRECISIONS PRECLUDE PRECLUDED PRECLUDES PRECLUDING PRECOCIOUS PRECOCIOUSLY PRECOCITY PRECOMPUTE PRECOMPUTED PRECOMPUTING PRECONCEIVE PRECONCEIVED PRECONCEPTION PRECONCEPTIONS PRECONDITION PRECONDITIONED PRECONDITIONS PRECURSOR PRECURSORS PREDATE PREDATED PREDATES PREDATING PREDATORY PREDECESSOR PREDECESSORS PREDEFINE PREDEFINED PREDEFINES PREDEFINING PREDEFINITION PREDEFINITIONS PREDETERMINATION PREDETERMINE PREDETERMINED PREDETERMINES PREDETERMINING PREDICAMENT PREDICATE PREDICATED PREDICATES PREDICATING PREDICATION PREDICATIONS PREDICT PREDICTABILITY PREDICTABLE PREDICTABLY PREDICTED PREDICTING PREDICTION PREDICTIONS PREDICTIVE PREDICTOR PREDICTS PREDILECTION PREDILECTIONS PREDISPOSITION PREDOMINANT PREDOMINANTLY PREDOMINATE PREDOMINATED PREDOMINATELY PREDOMINATES PREDOMINATING PREDOMINATION PREEMINENCE PREEMINENT PREEMPT PREEMPTED PREEMPTING PREEMPTION PREEMPTIVE PREEMPTOR PREEMPTS PREEN PREEXISTING PREFAB PREFABRICATE PREFACE PREFACED PREFACES PREFACING PREFER PREFERABLE PREFERABLY PREFERENCE PREFERENCES PREFERENTIAL PREFERENTIALLY PREFERRED PREFERRING PREFERS PREFIX PREFIXED PREFIXES PREFIXING PREGNANCY PREGNANT PREHISTORIC PREINITIALIZE PREINITIALIZED PREINITIALIZES PREINITIALIZING PREJUDGE PREJUDGED PREJUDICE PREJUDICED PREJUDICES PREJUDICIAL PRELATE PRELIMINARIES PRELIMINARY PRELUDE PRELUDES PREMATURE PREMATURELY PREMATURITY PREMEDITATED PREMEDITATION PREMIER PREMIERS PREMISE PREMISES PREMIUM PREMIUMS PREMONITION PRENATAL PRENTICE PRENTICED PRENTICING PREOCCUPATION PREOCCUPIED PREOCCUPIES PREOCCUPY PREP PREPARATION PREPARATIONS PREPARATIVE PREPARATIVES PREPARATORY PREPARE PREPARED PREPARES PREPARING PREPEND PREPENDED PREPENDING PREPOSITION PREPOSITIONAL PREPOSITIONS PREPOSTEROUS PREPOSTEROUSLY PREPROCESSED PREPROCESSING PREPROCESSOR PREPROCESSORS PREPRODUCTION PREPROGRAMMED PREREQUISITE PREREQUISITES PREROGATIVE PREROGATIVES PRESBYTERIAN PRESBYTERIANISM PRESBYTERIANIZE PRESBYTERIANIZES PRESCOTT PRESCRIBE PRESCRIBED PRESCRIBES PRESCRIPTION PRESCRIPTIONS PRESCRIPTIVE PRESELECT PRESELECTED PRESELECTING PRESELECTS PRESENCE PRESENCES PRESENT PRESENTATION PRESENTATIONS PRESENTED PRESENTER PRESENTING PRESENTLY PRESENTNESS PRESENTS PRESERVATION PRESERVATIONS PRESERVE PRESERVED PRESERVER PRESERVERS PRESERVES PRESERVING PRESET PRESIDE PRESIDED PRESIDENCY PRESIDENT PRESIDENTIAL PRESIDENTS PRESIDES PRESIDING PRESLEY PRESS PRESSED PRESSER PRESSES PRESSING PRESSINGS PRESSURE PRESSURED PRESSURES PRESSURING PRESSURIZE PRESSURIZED PRESTIDIGITATE PRESTIGE PRESTIGIOUS PRESTON PRESUMABLY PRESUME PRESUMED PRESUMES PRESUMING PRESUMPTION PRESUMPTIONS PRESUMPTIVE PRESUMPTUOUS PRESUMPTUOUSNESS PRESUPPOSE PRESUPPOSED PRESUPPOSES PRESUPPOSING PRESUPPOSITION PRETEND PRETENDED PRETENDER PRETENDERS PRETENDING PRETENDS PRETENSE PRETENSES PRETENSION PRETENSIONS PRETENTIOUS PRETENTIOUSLY PRETENTIOUSNESS PRETEXT PRETEXTS PRETORIA PRETORIAN PRETTIER PRETTIEST PRETTILY PRETTINESS PRETTY PREVAIL PREVAILED PREVAILING PREVAILINGLY PREVAILS PREVALENCE PREVALENT PREVALENTLY PREVENT PREVENTABLE PREVENTABLY PREVENTED PREVENTING PREVENTION PREVENTIVE PREVENTIVES PREVENTS PREVIEW PREVIEWED PREVIEWING PREVIEWS PREVIOUS PREVIOUSLY PREY PREYED PREYING PREYS PRIAM PRICE PRICED PRICELESS PRICER PRICERS PRICES PRICING PRICK PRICKED PRICKING PRICKLY PRICKS PRIDE PRIDED PRIDES PRIDING PRIEST PRIESTLEY PRIGGISH PRIM PRIMA PRIMACY PRIMAL PRIMARIES PRIMARILY PRIMARY PRIMATE PRIME PRIMED PRIMENESS PRIMER PRIMERS PRIMES PRIMEVAL PRIMING PRIMITIVE PRIMITIVELY PRIMITIVENESS PRIMITIVES PRIMROSE PRINCE PRINCELY PRINCES PRINCESS PRINCESSES PRINCETON PRINCIPAL PRINCIPALITIES PRINCIPALITY PRINCIPALLY PRINCIPALS PRINCIPIA PRINCIPLE PRINCIPLED PRINCIPLES PRINT PRINTABLE PRINTABLY PRINTED PRINTER PRINTERS PRINTING PRINTOUT PRINTS PRIOR PRIORI PRIORITIES PRIORITY PRIORY PRISCILLA PRISM PRISMS PRISON PRISONER PRISONERS PRISONS PRISTINE PRITCHARD PRIVACIES PRIVACY PRIVATE PRIVATELY PRIVATES PRIVATION PRIVATIONS PRIVIES PRIVILEGE PRIVILEGED PRIVILEGES PRIVY PRIZE PRIZED PRIZER PRIZERS PRIZES PRIZEWINNING PRIZING PRO PROBABILISTIC PROBABILISTICALLY PROBABILITIES PROBABILITY PROBABLE PROBABLY PROBATE PROBATED PROBATES PROBATING PROBATION PROBATIVE PROBE PROBED PROBES PROBING PROBINGS PROBITY PROBLEM PROBLEMATIC PROBLEMATICAL PROBLEMATICALLY PROBLEMS PROCAINE PROCEDURAL PROCEDURALLY PROCEDURE PROCEDURES PROCEED PROCEEDED PROCEEDING PROCEEDINGS PROCEEDS PROCESS PROCESSED PROCESSES PROCESSING PROCESSION PROCESSOR PROCESSORS PROCLAIM PROCLAIMED PROCLAIMER PROCLAIMERS PROCLAIMING PROCLAIMS PROCLAMATION PROCLAMATIONS PROCLIVITIES PROCLIVITY PROCOTOLS PROCRASTINATE PROCRASTINATED PROCRASTINATES PROCRASTINATING PROCRASTINATION PROCREATE PROCRUSTEAN PROCRUSTEANIZE PROCRUSTEANIZES PROCRUSTES PROCTER PROCURE PROCURED PROCUREMENT PROCUREMENTS PROCURER PROCURERS PROCURES PROCURING PROCYON PROD PRODIGAL PRODIGALLY PRODIGIOUS PRODIGY PRODUCE PRODUCED PRODUCER PRODUCERS PRODUCES PRODUCIBLE PRODUCING PRODUCT PRODUCTION PRODUCTIONS PRODUCTIVE PRODUCTIVELY PRODUCTIVITY PRODUCTS PROFANE PROFANELY PROFESS PROFESSED PROFESSES PROFESSING PROFESSION PROFESSIONAL PROFESSIONALISM PROFESSIONALLY PROFESSIONALS PROFESSIONS PROFESSOR PROFESSORIAL PROFESSORS PROFFER PROFFERED PROFFERS PROFICIENCY PROFICIENT PROFICIENTLY PROFILE PROFILED PROFILES PROFILING PROFIT PROFITABILITY PROFITABLE PROFITABLY PROFITED PROFITEER PROFITEERS PROFITING PROFITS PROFITTED PROFLIGATE PROFOUND PROFOUNDEST PROFOUNDLY PROFUNDITY PROFUSE PROFUSION PROGENITOR PROGENY PROGNOSIS PROGNOSTICATE PROGRAM PROGRAMMABILITY PROGRAMMABLE PROGRAMMED PROGRAMMER PROGRAMMERS PROGRAMMING PROGRAMS PROGRESS PROGRESSED PROGRESSES PROGRESSING PROGRESSION PROGRESSIONS PROGRESSIVE PROGRESSIVELY PROHIBIT PROHIBITED PROHIBITING PROHIBITION PROHIBITIONS PROHIBITIVE PROHIBITIVELY PROHIBITORY PROHIBITS PROJECT PROJECTED PROJECTILE PROJECTING PROJECTION PROJECTIONS PROJECTIVE PROJECTIVELY PROJECTOR PROJECTORS PROJECTS PROKOFIEFF PROKOFIEV PROLATE PROLEGOMENA PROLETARIAT PROLIFERATE PROLIFERATED PROLIFERATES PROLIFERATING PROLIFERATION PROLIFIC PROLIX PROLOG PROLOGUE PROLONG PROLONGATE PROLONGED PROLONGING PROLONGS PROMENADE PROMENADES PROMETHEAN PROMETHEUS PROMINENCE PROMINENT PROMINENTLY PROMISCUOUS PROMISE PROMISED PROMISES PROMISING PROMONTORY PROMOTE PROMOTED PROMOTER PROMOTERS PROMOTES PROMOTING PROMOTION PROMOTIONAL PROMOTIONS PROMPT PROMPTED PROMPTER PROMPTEST PROMPTING PROMPTINGS PROMPTLY PROMPTNESS PROMPTS PROMULGATE PROMULGATED PROMULGATES PROMULGATING PROMULGATION PRONE PRONENESS PRONG PRONGED PRONGS PRONOUN PRONOUNCE PRONOUNCEABLE PRONOUNCED PRONOUNCEMENT PRONOUNCEMENTS PRONOUNCES PRONOUNCING PRONOUNS PRONUNCIATION PRONUNCIATIONS PROOF PROOFREAD PROOFREADER PROOFS PROP PROPAGANDA PROPAGANDIST PROPAGATE PROPAGATED PROPAGATES PROPAGATING PROPAGATION PROPAGATIONS PROPANE PROPEL PROPELLANT PROPELLED PROPELLER PROPELLERS PROPELLING PROPELS PROPENSITY PROPER PROPERLY PROPERNESS PROPERTIED PROPERTIES PROPERTY PROPHECIES PROPHECY PROPHESIED PROPHESIER PROPHESIES PROPHESY PROPHET PROPHETIC PROPHETS PROPITIOUS PROPONENT PROPONENTS PROPORTION PROPORTIONAL PROPORTIONALLY PROPORTIONATELY PROPORTIONED PROPORTIONING PROPORTIONMENT PROPORTIONS PROPOS PROPOSAL PROPOSALS PROPOSE PROPOSED PROPOSER PROPOSES PROPOSING PROPOSITION PROPOSITIONAL PROPOSITIONALLY PROPOSITIONED PROPOSITIONING PROPOSITIONS PROPOUND PROPOUNDED PROPOUNDING PROPOUNDS PROPRIETARY PROPRIETOR PROPRIETORS PROPRIETY PROPS PROPULSION PROPULSIONS PRORATE PRORATED PRORATES PROS PROSCENIUM PROSCRIBE PROSCRIPTION PROSE PROSECUTE PROSECUTED PROSECUTES PROSECUTING PROSECUTION PROSECUTIONS PROSECUTOR PROSELYTIZE PROSELYTIZED PROSELYTIZES PROSELYTIZING PROSERPINE PROSODIC PROSODICS PROSPECT PROSPECTED PROSPECTING PROSPECTION PROSPECTIONS PROSPECTIVE PROSPECTIVELY PROSPECTIVES PROSPECTOR PROSPECTORS PROSPECTS PROSPECTUS PROSPER PROSPERED PROSPERING PROSPERITY PROSPEROUS PROSPERS PROSTATE PROSTHETIC PROSTITUTE PROSTITUTION PROSTRATE PROSTRATION PROTAGONIST PROTEAN PROTECT PROTECTED PROTECTING PROTECTION PROTECTIONS PROTECTIVE PROTECTIVELY PROTECTIVENESS PROTECTOR PROTECTORATE PROTECTORS PROTECTS PROTEGE PROTEGES PROTEIN PROTEINS PROTEST PROTESTANT PROTESTANTISM PROTESTANTIZE PROTESTANTIZES PROTESTATION PROTESTATIONS PROTESTED PROTESTING PROTESTINGLY PROTESTOR PROTESTS PROTISTA PROTOCOL PROTOCOLS PROTON PROTONS PROTOPHYTA PROTOPLASM PROTOTYPE PROTOTYPED PROTOTYPES PROTOTYPICAL PROTOTYPICALLY PROTOTYPING PROTOZOA PROTOZOAN PROTRACT PROTRUDE PROTRUDED PROTRUDES PROTRUDING PROTRUSION PROTRUSIONS PROTUBERANT PROUD PROUDER PROUDEST PROUDLY PROUST PROVABILITY PROVABLE PROVABLY PROVE PROVED PROVEN PROVENANCE PROVENCE PROVER PROVERB PROVERBIAL PROVERBS PROVERS PROVES PROVIDE PROVIDED PROVIDENCE PROVIDENT PROVIDER PROVIDERS PROVIDES PROVIDING PROVINCE PROVINCES PROVINCIAL PROVING PROVISION PROVISIONAL PROVISIONALLY PROVISIONED PROVISIONING PROVISIONS PROVISO PROVOCATION PROVOKE PROVOKED PROVOKES PROVOST PROW PROWESS PROWL PROWLED PROWLER PROWLERS PROWLING PROWS PROXIMAL PROXIMATE PROXIMITY PROXMIRE PROXY PRUDENCE PRUDENT PRUDENTIAL PRUDENTLY PRUNE PRUNED PRUNER PRUNERS PRUNES PRUNING PRURIENT PRUSSIA PRUSSIAN PRUSSIANIZATION PRUSSIANIZATIONS PRUSSIANIZE PRUSSIANIZER PRUSSIANIZERS PRUSSIANIZES PRY PRYING PSALM PSALMS PSEUDO PSEUDOFILES PSEUDOINSTRUCTION PSEUDOINSTRUCTIONS PSEUDONYM PSEUDOPARALLELISM PSILOCYBIN PSYCH PSYCHE PSYCHEDELIC PSYCHES PSYCHIATRIC PSYCHIATRIST PSYCHIATRISTS PSYCHIATRY PSYCHIC PSYCHO PSYCHOANALYSIS PSYCHOANALYST PSYCHOANALYTIC PSYCHOBIOLOGY PSYCHOLOGICAL PSYCHOLOGICALLY PSYCHOLOGIST PSYCHOLOGISTS PSYCHOLOGY PSYCHOPATH PSYCHOPATHIC PSYCHOPHYSIC PSYCHOSES PSYCHOSIS PSYCHOSOCIAL PSYCHOSOMATIC PSYCHOTHERAPEUTIC PSYCHOTHERAPIST PSYCHOTHERAPY PSYCHOTIC PTOLEMAIC PTOLEMAISTS PTOLEMY PUB PUBERTY PUBLIC PUBLICATION PUBLICATIONS PUBLICITY PUBLICIZE PUBLICIZED PUBLICIZES PUBLICIZING PUBLICLY PUBLISH PUBLISHED PUBLISHER PUBLISHERS PUBLISHES PUBLISHING PUBS PUCCINI PUCKER PUCKERED PUCKERING PUCKERS PUDDING PUDDINGS PUDDLE PUDDLES PUDDLING PUERTO PUFF PUFFED PUFFIN PUFFING PUFFS PUGH PUKE PULASKI PULITZER PULL PULLED PULLER PULLEY PULLEYS PULLING PULLINGS PULLMAN PULLMANIZE PULLMANIZES PULLMANS PULLOVER PULLS PULMONARY PULP PULPING PULPIT PULPITS PULSAR PULSATE PULSATION PULSATIONS PULSE PULSED PULSES PULSING PUMA PUMICE PUMMEL PUMP PUMPED PUMPING PUMPKIN PUMPKINS PUMPS PUN PUNCH PUNCHED PUNCHER PUNCHES PUNCHING PUNCTUAL PUNCTUALLY PUNCTUATION PUNCTURE PUNCTURED PUNCTURES PUNCTURING PUNDIT PUNGENT PUNIC PUNISH PUNISHABLE PUNISHED PUNISHES PUNISHING PUNISHMENT PUNISHMENTS PUNITIVE PUNJAB PUNJABI PUNS PUNT PUNTED PUNTING PUNTS PUNY PUP PUPA PUPIL PUPILS PUPPET PUPPETEER PUPPETS PUPPIES PUPPY PUPS PURCELL PURCHASE PURCHASED PURCHASER PURCHASERS PURCHASES PURCHASING PURDUE PURE PURELY PURER PUREST PURGATORY PURGE PURGED PURGES PURGING PURIFICATION PURIFICATIONS PURIFIED PURIFIER PURIFIERS PURIFIES PURIFY PURIFYING PURINA PURIST PURITAN PURITANIC PURITANIZE PURITANIZER PURITANIZERS PURITANIZES PURITY PURPLE PURPLER PURPLEST PURPORT PURPORTED PURPORTEDLY PURPORTER PURPORTERS PURPORTING PURPORTS PURPOSE PURPOSED PURPOSEFUL PURPOSEFULLY PURPOSELY PURPOSES PURPOSIVE PURR PURRED PURRING PURRS PURSE PURSED PURSER PURSES PURSUANT PURSUE PURSUED PURSUER PURSUERS PURSUES PURSUING PURSUIT PURSUITS PURVEYOR PURVIEW PUS PUSAN PUSEY PUSH PUSHBUTTON PUSHDOWN PUSHED PUSHER PUSHERS PUSHES PUSHING PUSS PUSSY PUSSYCAT PUT PUTNAM PUTS PUTT PUTTER PUTTERING PUTTERS PUTTING PUTTY PUZZLE PUZZLED PUZZLEMENT PUZZLER PUZZLERS PUZZLES PUZZLING PUZZLINGS PYGMALION PYGMIES PYGMY PYLE PYONGYANG PYOTR PYRAMID PYRAMIDS PYRE PYREX PYRRHIC PYTHAGORAS PYTHAGOREAN PYTHAGOREANIZE PYTHAGOREANIZES PYTHAGOREANS PYTHON QATAR QUA QUACK QUACKED QUACKERY QUACKS QUAD QUADRANGLE QUADRANGULAR QUADRANT QUADRANTS QUADRATIC QUADRATICAL QUADRATICALLY QUADRATICS QUADRATURE QUADRATURES QUADRENNIAL QUADRILATERAL QUADRILLION QUADRUPLE QUADRUPLED QUADRUPLES QUADRUPLING QUADRUPOLE QUAFF QUAGMIRE QUAGMIRES QUAHOG QUAIL QUAILS QUAINT QUAINTLY QUAINTNESS QUAKE QUAKED QUAKER QUAKERESS QUAKERIZATION QUAKERIZATIONS QUAKERIZE QUAKERIZES QUAKERS QUAKES QUAKING QUALIFICATION QUALIFICATIONS QUALIFIED QUALIFIER QUALIFIERS QUALIFIES QUALIFY QUALIFYING QUALITATIVE QUALITATIVELY QUALITIES QUALITY QUALM QUANDARIES QUANDARY QUANTA QUANTICO QUANTIFIABLE QUANTIFICATION QUANTIFICATIONS QUANTIFIED QUANTIFIER QUANTIFIERS QUANTIFIES QUANTIFY QUANTIFYING QUANTILE QUANTITATIVE QUANTITATIVELY QUANTITIES QUANTITY QUANTIZATION QUANTIZE QUANTIZED QUANTIZES QUANTIZING QUANTUM QUARANTINE QUARANTINES QUARANTINING QUARK QUARREL QUARRELED QUARRELING QUARRELS QUARRELSOME QUARRIES QUARRY QUART QUARTER QUARTERBACK QUARTERED QUARTERING QUARTERLY QUARTERMASTER QUARTERS QUARTET QUARTETS QUARTILE QUARTS QUARTZ QUARTZITE QUASAR QUASH QUASHED QUASHES QUASHING QUASI QUASIMODO QUATERNARY QUAVER QUAVERED QUAVERING QUAVERS QUAY QUEASY QUEBEC QUEEN QUEENLY QUEENS QUEENSLAND QUEER QUEERER QUEEREST QUEERLY QUEERNESS QUELL QUELLING QUENCH QUENCHED QUENCHES QUENCHING QUERIED QUERIES QUERY QUERYING QUEST QUESTED QUESTER QUESTERS QUESTING QUESTION QUESTIONABLE QUESTIONABLY QUESTIONED QUESTIONER QUESTIONERS QUESTIONING QUESTIONINGLY QUESTIONINGS QUESTIONNAIRE QUESTIONNAIRES QUESTIONS QUESTS QUEUE QUEUED QUEUEING QUEUER QUEUERS QUEUES QUEUING QUEZON QUIBBLE QUICHUA QUICK QUICKEN QUICKENED QUICKENING QUICKENS QUICKER QUICKEST QUICKIE QUICKLIME QUICKLY QUICKNESS QUICKSAND QUICKSILVER QUIESCENT QUIET QUIETED QUIETER QUIETEST QUIETING QUIETLY QUIETNESS QUIETS QUIETUDE QUILL QUILT QUILTED QUILTING QUILTS QUINCE QUININE QUINN QUINT QUINTET QUINTILLION QUIP QUIRINAL QUIRK QUIRKY QUIT QUITE QUITO QUITS QUITTER QUITTERS QUITTING QUIVER QUIVERED QUIVERING QUIVERS QUIXOTE QUIXOTIC QUIXOTISM QUIZ QUIZZED QUIZZES QUIZZICAL QUIZZING QUO QUONSET QUORUM QUOTA QUOTAS QUOTATION QUOTATIONS QUOTE QUOTED QUOTES QUOTH QUOTIENT QUOTIENTS QUOTING RABAT RABBI RABBIT RABBITS RABBLE RABID RABIES RABIN RACCOON RACCOONS RACE RACED RACER RACERS RACES RACETRACK RACHEL RACHMANINOFF RACIAL RACIALLY RACINE RACING RACK RACKED RACKET RACKETEER RACKETEERING RACKETEERS RACKETS RACKING RACKS RADAR RADARS RADCLIFFE RADIAL RADIALLY RADIAN RADIANCE RADIANT RADIANTLY RADIATE RADIATED RADIATES RADIATING RADIATION RADIATIONS RADIATOR RADIATORS RADICAL RADICALLY RADICALS RADICES RADII RADIO RADIOACTIVE RADIOASTRONOMY RADIOED RADIOGRAPHY RADIOING RADIOLOGY RADIOS RADISH RADISHES RADIUM RADIUS RADIX RADON RAE RAFAEL RAFFERTY RAFT RAFTER RAFTERS RAFTS RAG RAGE RAGED RAGES RAGGED RAGGEDLY RAGGEDNESS RAGING RAGS RAGUSAN RAGWEED RAID RAIDED RAIDER RAIDERS RAIDING RAIDS RAIL RAILED RAILER RAILERS RAILING RAILROAD RAILROADED RAILROADER RAILROADERS RAILROADING RAILROADS RAILS RAILWAY RAILWAYS RAIMENT RAIN RAINBOW RAINCOAT RAINCOATS RAINDROP RAINDROPS RAINED RAINFALL RAINIER RAINIEST RAINING RAINS RAINSTORM RAINY RAISE RAISED RAISER RAISERS RAISES RAISIN RAISING RAKE RAKED RAKES RAKING RALEIGH RALLIED RALLIES RALLY RALLYING RALPH RALSTON RAM RAMADA RAMAN RAMBLE RAMBLER RAMBLES RAMBLING RAMBLINGS RAMIFICATION RAMIFICATIONS RAMIREZ RAMO RAMONA RAMP RAMPAGE RAMPANT RAMPART RAMPS RAMROD RAMS RAMSEY RAN RANCH RANCHED RANCHER RANCHERS RANCHES RANCHING RANCID RAND RANDALL RANDOLPH RANDOM RANDOMIZATION RANDOMIZE RANDOMIZED RANDOMIZES RANDOMLY RANDOMNESS RANDY RANG RANGE RANGED RANGELAND RANGER RANGERS RANGES RANGING RANGOON RANGY RANIER RANK RANKED RANKER RANKERS RANKEST RANKIN RANKINE RANKING RANKINGS RANKLE RANKLY RANKNESS RANKS RANSACK RANSACKED RANSACKING RANSACKS RANSOM RANSOMER RANSOMING RANSOMS RANT RANTED RANTER RANTERS RANTING RANTS RAOUL RAP RAPACIOUS RAPE RAPED RAPER RAPES RAPHAEL RAPID RAPIDITY RAPIDLY RAPIDS RAPIER RAPING RAPPORT RAPPROCHEMENT RAPS RAPT RAPTLY RAPTURE RAPTURES RAPTUROUS RAPUNZEL RARE RARELY RARENESS RARER RAREST RARITAN RARITY RASCAL RASCALLY RASCALS RASH RASHER RASHLY RASHNESS RASMUSSEN RASP RASPBERRY RASPED RASPING RASPS RASTER RASTUS RAT RATE RATED RATER RATERS RATES RATFOR RATHER RATIFICATION RATIFIED RATIFIES RATIFY RATIFYING RATING RATINGS RATIO RATION RATIONAL RATIONALE RATIONALES RATIONALITIES RATIONALITY RATIONALIZATION RATIONALIZATIONS RATIONALIZE RATIONALIZED RATIONALIZES RATIONALIZING RATIONALLY RATIONALS RATIONING RATIONS RATIOS RATS RATTLE RATTLED RATTLER RATTLERS RATTLES RATTLESNAKE RATTLESNAKES RATTLING RAUCOUS RAUL RAVAGE RAVAGED RAVAGER RAVAGERS RAVAGES RAVAGING RAVE RAVED RAVEN RAVENING RAVENOUS RAVENOUSLY RAVENS RAVES RAVINE RAVINES RAVING RAVINGS RAW RAWER RAWEST RAWLINGS RAWLINS RAWLINSON RAWLY RAWNESS RAWSON RAY RAYBURN RAYLEIGH RAYMOND RAYMONDVILLE RAYS RAYTHEON RAZE RAZOR RAZORS REABBREVIATE REABBREVIATED REABBREVIATES REABBREVIATING REACH REACHABILITY REACHABLE REACHABLY REACHED REACHER REACHES REACHING REACQUIRED REACT REACTED REACTING REACTION REACTIONARIES REACTIONARY REACTIONS REACTIVATE REACTIVATED REACTIVATES REACTIVATING REACTIVATION REACTIVE REACTIVELY REACTIVITY REACTOR REACTORS REACTS READ READABILITY READABLE READER READERS READIED READIER READIES READIEST READILY READINESS READING READINGS READJUSTED READOUT READOUTS READS READY READYING REAGAN REAL REALEST REALIGN REALIGNED REALIGNING REALIGNS REALISM REALIST REALISTIC REALISTICALLY REALISTS REALITIES REALITY REALIZABLE REALIZABLY REALIZATION REALIZATIONS REALIZE REALIZED REALIZES REALIZING REALLOCATE REALLY REALM REALMS REALNESS REALS REALTOR REAM REANALYZE REANALYZES REANALYZING REAP REAPED REAPER REAPING REAPPEAR REAPPEARED REAPPEARING REAPPEARS REAPPRAISAL REAPPRAISALS REAPS REAR REARED REARING REARRANGE REARRANGEABLE REARRANGED REARRANGEMENT REARRANGEMENTS REARRANGES REARRANGING REARREST REARRESTED REARS REASON REASONABLE REASONABLENESS REASONABLY REASONED REASONER REASONING REASONINGS REASONS REASSEMBLE REASSEMBLED REASSEMBLES REASSEMBLING REASSEMBLY REASSESSMENT REASSESSMENTS REASSIGN REASSIGNED REASSIGNING REASSIGNMENT REASSIGNMENTS REASSIGNS REASSURE REASSURED REASSURES REASSURING REAWAKEN REAWAKENED REAWAKENING REAWAKENS REBATE REBATES REBECCA REBEL REBELLED REBELLING REBELLION REBELLIONS REBELLIOUS REBELLIOUSLY REBELLIOUSNESS REBELS REBIND REBINDING REBINDS REBOOT REBOOTED REBOOTING REBOOTS REBOUND REBOUNDED REBOUNDING REBOUNDS REBROADCAST REBROADCASTING REBROADCASTS REBUFF REBUFFED REBUILD REBUILDING REBUILDS REBUILT REBUKE REBUKED REBUKES REBUKING REBUTTAL REBUTTED REBUTTING RECALCITRANT RECALCULATE RECALCULATED RECALCULATES RECALCULATING RECALCULATION RECALCULATIONS RECALIBRATE RECALIBRATED RECALIBRATES RECALIBRATING RECALL RECALLED RECALLING RECALLS RECANT RECAPITULATE RECAPITULATED RECAPITULATES RECAPITULATION RECAPTURE RECAPTURED RECAPTURES RECAPTURING RECAST RECASTING RECASTS RECEDE RECEDED RECEDES RECEDING RECEIPT RECEIPTS RECEIVABLE RECEIVE RECEIVED RECEIVER RECEIVERS RECEIVES RECEIVING RECENT RECENTLY RECENTNESS RECEPTACLE RECEPTACLES RECEPTION RECEPTIONIST RECEPTIONS RECEPTIVE RECEPTIVELY RECEPTIVENESS RECEPTIVITY RECEPTOR RECESS RECESSED RECESSES RECESSION RECESSIVE RECIFE RECIPE RECIPES RECIPIENT RECIPIENTS RECIPROCAL RECIPROCALLY RECIPROCATE RECIPROCATED RECIPROCATES RECIPROCATING RECIPROCATION RECIPROCITY RECIRCULATE RECIRCULATED RECIRCULATES RECIRCULATING RECITAL RECITALS RECITATION RECITATIONS RECITE RECITED RECITER RECITES RECITING RECKLESS RECKLESSLY RECKLESSNESS RECKON RECKONED RECKONER RECKONING RECKONINGS RECKONS RECLAIM RECLAIMABLE RECLAIMED RECLAIMER RECLAIMERS RECLAIMING RECLAIMS RECLAMATION RECLAMATIONS RECLASSIFICATION RECLASSIFIED RECLASSIFIES RECLASSIFY RECLASSIFYING RECLINE RECLINING RECODE RECODED RECODES RECODING RECOGNITION RECOGNITIONS RECOGNIZABILITY RECOGNIZABLE RECOGNIZABLY RECOGNIZE RECOGNIZED RECOGNIZER RECOGNIZERS RECOGNIZES RECOGNIZING RECOIL RECOILED RECOILING RECOILS RECOLLECT RECOLLECTED RECOLLECTING RECOLLECTION RECOLLECTIONS RECOMBINATION RECOMBINE RECOMBINED RECOMBINES RECOMBINING RECOMMEND RECOMMENDATION RECOMMENDATIONS RECOMMENDED RECOMMENDER RECOMMENDING RECOMMENDS RECOMPENSE RECOMPILE RECOMPILED RECOMPILES RECOMPILING RECOMPUTE RECOMPUTED RECOMPUTES RECOMPUTING RECONCILE RECONCILED RECONCILER RECONCILES RECONCILIATION RECONCILING RECONFIGURABLE RECONFIGURATION RECONFIGURATIONS RECONFIGURE RECONFIGURED RECONFIGURER RECONFIGURES RECONFIGURING RECONNECT RECONNECTED RECONNECTING RECONNECTION RECONNECTS RECONSIDER RECONSIDERATION RECONSIDERED RECONSIDERING RECONSIDERS RECONSTITUTED RECONSTRUCT RECONSTRUCTED RECONSTRUCTING RECONSTRUCTION RECONSTRUCTS RECONVERTED RECONVERTS RECORD RECORDED RECORDER RECORDERS RECORDING RECORDINGS RECORDS RECOUNT RECOUNTED RECOUNTING RECOUNTS RECOURSE RECOVER RECOVERABLE RECOVERED RECOVERIES RECOVERING RECOVERS RECOVERY RECREATE RECREATED RECREATES RECREATING RECREATION RECREATIONAL RECREATIONS RECREATIVE RECRUIT RECRUITED RECRUITER RECRUITING RECRUITS RECTA RECTANGLE RECTANGLES RECTANGULAR RECTIFY RECTOR RECTORS RECTUM RECTUMS RECUPERATE RECUR RECURRENCE RECURRENCES RECURRENT RECURRENTLY RECURRING RECURS RECURSE RECURSED RECURSES RECURSING RECURSION RECURSIONS RECURSIVE RECURSIVELY RECYCLABLE RECYCLE RECYCLED RECYCLES RECYCLING RED REDBREAST REDCOAT REDDEN REDDENED REDDER REDDEST REDDISH REDDISHNESS REDECLARE REDECLARED REDECLARES REDECLARING REDEEM REDEEMED REDEEMER REDEEMERS REDEEMING REDEEMS REDEFINE REDEFINED REDEFINES REDEFINING REDEFINITION REDEFINITIONS REDEMPTION REDESIGN REDESIGNED REDESIGNING REDESIGNS REDEVELOPMENT REDFORD REDHEAD REDHOOK REDIRECT REDIRECTED REDIRECTING REDIRECTION REDIRECTIONS REDISPLAY REDISPLAYED REDISPLAYING REDISPLAYS REDISTRIBUTE REDISTRIBUTED REDISTRIBUTES REDISTRIBUTING REDLY REDMOND REDNECK REDNESS REDO REDONE REDOUBLE REDOUBLED REDRAW REDRAWN REDRESS REDRESSED REDRESSES REDRESSING REDS REDSTONE REDUCE REDUCED REDUCER REDUCERS REDUCES REDUCIBILITY REDUCIBLE REDUCIBLY REDUCING REDUCTION REDUCTIONS REDUNDANCIES REDUNDANCY REDUNDANT REDUNDANTLY REDWOOD REED REEDS REEDUCATION REEDVILLE REEF REEFER REEFS REEL REELECT REELECTED REELECTING REELECTS REELED REELER REELING REELS REEMPHASIZE REEMPHASIZED REEMPHASIZES REEMPHASIZING REENABLED REENFORCEMENT REENTER REENTERED REENTERING REENTERS REENTRANT REESE REESTABLISH REESTABLISHED REESTABLISHES REESTABLISHING REEVALUATE REEVALUATED REEVALUATES REEVALUATING REEVALUATION REEVES REEXAMINE REEXAMINED REEXAMINES REEXAMINING REEXECUTED REFER REFEREE REFEREED REFEREEING REFEREES REFERENCE REFERENCED REFERENCER REFERENCES REFERENCING REFERENDA REFERENDUM REFERENDUMS REFERENT REFERENTIAL REFERENTIALITY REFERENTIALLY REFERENTS REFERRAL REFERRALS REFERRED REFERRING REFERS REFILL REFILLABLE REFILLED REFILLING REFILLS REFINE REFINED REFINEMENT REFINEMENTS REFINER REFINERY REFINES REFINING REFLECT REFLECTED REFLECTING REFLECTION REFLECTIONS REFLECTIVE REFLECTIVELY REFLECTIVITY REFLECTOR REFLECTORS REFLECTS REFLEX REFLEXES REFLEXIVE REFLEXIVELY REFLEXIVENESS REFLEXIVITY REFORESTATION REFORM REFORMABLE REFORMAT REFORMATION REFORMATORY REFORMATS REFORMATTED REFORMATTING REFORMED REFORMER REFORMERS REFORMING REFORMS REFORMULATE REFORMULATED REFORMULATES REFORMULATING REFORMULATION REFRACT REFRACTED REFRACTION REFRACTORY REFRAGMENT REFRAIN REFRAINED REFRAINING REFRAINS REFRESH REFRESHED REFRESHER REFRESHERS REFRESHES REFRESHING REFRESHINGLY REFRESHMENT REFRESHMENTS REFRIGERATE REFRIGERATOR REFRIGERATORS REFUEL REFUELED REFUELING REFUELS REFUGE REFUGEE REFUGEES REFUSAL REFUSE REFUSED REFUSES REFUSING REFUTABLE REFUTATION REFUTE REFUTED REFUTER REFUTES REFUTING REGAIN REGAINED REGAINING REGAINS REGAL REGALED REGALLY REGARD REGARDED REGARDING REGARDLESS REGARDS REGATTA REGENERATE REGENERATED REGENERATES REGENERATING REGENERATION REGENERATIVE REGENERATOR REGENERATORS REGENT REGENTS REGIME REGIMEN REGIMENT REGIMENTATION REGIMENTED REGIMENTS REGIMES REGINA REGINALD REGION REGIONAL REGIONALLY REGIONS REGIS REGISTER REGISTERED REGISTERING REGISTERS REGISTRAR REGISTRATION REGISTRATIONS REGISTRY REGRESS REGRESSED REGRESSES REGRESSING REGRESSION REGRESSIONS REGRESSIVE REGRET REGRETFUL REGRETFULLY REGRETS REGRETTABLE REGRETTABLY REGRETTED REGRETTING REGROUP REGROUPED REGROUPING REGULAR REGULARITIES REGULARITY REGULARLY REGULARS REGULATE REGULATED REGULATES REGULATING REGULATION REGULATIONS REGULATIVE REGULATOR REGULATORS REGULATORY REGULUS REHABILITATE REHEARSAL REHEARSALS REHEARSE REHEARSED REHEARSER REHEARSES REHEARSING REICH REICHENBERG REICHSTAG REID REIGN REIGNED REIGNING REIGNS REILLY REIMBURSABLE REIMBURSE REIMBURSED REIMBURSEMENT REIMBURSEMENTS REIN REINCARNATE REINCARNATED REINCARNATION REINDEER REINED REINFORCE REINFORCED REINFORCEMENT REINFORCEMENTS REINFORCER REINFORCES REINFORCING REINHARD REINHARDT REINHOLD REINITIALIZE REINITIALIZED REINITIALIZING REINS REINSERT REINSERTED REINSERTING REINSERTS REINSTATE REINSTATED REINSTATEMENT REINSTATES REINSTATING REINTERPRET REINTERPRETED REINTERPRETING REINTERPRETS REINTRODUCE REINTRODUCED REINTRODUCES REINTRODUCING REINVENT REINVENTED REINVENTING REINVENTS REITERATE REITERATED REITERATES REITERATING REITERATION REJECT REJECTED REJECTING REJECTION REJECTIONS REJECTOR REJECTORS REJECTS REJOICE REJOICED REJOICER REJOICES REJOICING REJOIN REJOINDER REJOINED REJOINING REJOINS RELABEL RELABELED RELABELING RELABELLED RELABELLING RELABELS RELAPSE RELATE RELATED RELATER RELATES RELATING RELATION RELATIONAL RELATIONALLY RELATIONS RELATIONSHIP RELATIONSHIPS RELATIVE RELATIVELY RELATIVENESS RELATIVES RELATIVISM RELATIVISTIC RELATIVISTICALLY RELATIVITY RELAX RELAXATION RELAXATIONS RELAXED RELAXER RELAXES RELAXING RELAY RELAYED RELAYING RELAYS RELEASE RELEASED RELEASES RELEASING RELEGATE RELEGATED RELEGATES RELEGATING RELENT RELENTED RELENTING RELENTLESS RELENTLESSLY RELENTLESSNESS RELENTS RELEVANCE RELEVANCES RELEVANT RELEVANTLY RELIABILITY RELIABLE RELIABLY RELIANCE RELIANT RELIC RELICS RELIED RELIEF RELIES RELIEVE RELIEVED RELIEVER RELIEVERS RELIEVES RELIEVING RELIGION RELIGIONS RELIGIOUS RELIGIOUSLY RELIGIOUSNESS RELINK RELINQUISH RELINQUISHED RELINQUISHES RELINQUISHING RELISH RELISHED RELISHES RELISHING RELIVE RELIVES RELIVING RELOAD RELOADED RELOADER RELOADING RELOADS RELOCATABLE RELOCATE RELOCATED RELOCATES RELOCATING RELOCATION RELOCATIONS RELUCTANCE RELUCTANT RELUCTANTLY RELY RELYING REMAIN REMAINDER REMAINDERS REMAINED REMAINING REMAINS REMARK REMARKABLE REMARKABLENESS REMARKABLY REMARKED REMARKING REMARKS REMBRANDT REMEDIAL REMEDIED REMEDIES REMEDY REMEDYING REMEMBER REMEMBERED REMEMBERING REMEMBERS REMEMBRANCE REMEMBRANCES REMIND REMINDED REMINDER REMINDERS REMINDING REMINDS REMINGTON REMINISCENCE REMINISCENCES REMINISCENT REMINISCENTLY REMISS REMISSION REMIT REMITTANCE REMNANT REMNANTS REMODEL REMODELED REMODELING REMODELS REMONSTRATE REMONSTRATED REMONSTRATES REMONSTRATING REMONSTRATION REMONSTRATIVE REMORSE REMORSEFUL REMOTE REMOTELY REMOTENESS REMOTEST REMOVABLE REMOVAL REMOVALS REMOVE REMOVED REMOVER REMOVES REMOVING REMUNERATE REMUNERATION REMUS REMY RENA RENAISSANCE RENAL RENAME RENAMED RENAMES RENAMING RENAULT RENAULTS REND RENDER RENDERED RENDERING RENDERINGS RENDERS RENDEZVOUS RENDING RENDITION RENDITIONS RENDS RENE RENEE RENEGADE RENEGOTIABLE RENEW RENEWABLE RENEWAL RENEWED RENEWER RENEWING RENEWS RENO RENOIR RENOUNCE RENOUNCES RENOUNCING RENOVATE RENOVATED RENOVATION RENOWN RENOWNED RENSSELAER RENT RENTAL RENTALS RENTED RENTING RENTS RENUMBER RENUMBERING RENUMBERS RENUNCIATE RENUNCIATION RENVILLE REOCCUR REOPEN REOPENED REOPENING REOPENS REORDER REORDERED REORDERING REORDERS REORGANIZATION REORGANIZATIONS REORGANIZE REORGANIZED REORGANIZES REORGANIZING REPACKAGE REPAID REPAIR REPAIRED REPAIRER REPAIRING REPAIRMAN REPAIRMEN REPAIRS REPARATION REPARATIONS REPARTEE REPARTITION REPAST REPASTS REPAY REPAYING REPAYS REPEAL REPEALED REPEALER REPEALING REPEALS REPEAT REPEATABLE REPEATED REPEATEDLY REPEATER REPEATERS REPEATING REPEATS REPEL REPELLED REPELLENT REPELS REPENT REPENTANCE REPENTED REPENTING REPENTS REPERCUSSION REPERCUSSIONS REPERTOIRE REPERTORY REPETITION REPETITIONS REPETITIOUS REPETITIVE REPETITIVELY REPETITIVENESS REPHRASE REPHRASED REPHRASES REPHRASING REPINE REPLACE REPLACEABLE REPLACED REPLACEMENT REPLACEMENTS REPLACER REPLACES REPLACING REPLAY REPLAYED REPLAYING REPLAYS REPLENISH REPLENISHED REPLENISHES REPLENISHING REPLETE REPLETENESS REPLETION REPLICA REPLICAS REPLICATE REPLICATED REPLICATES REPLICATING REPLICATION REPLICATIONS REPLIED REPLIES REPLY REPLYING REPORT REPORTED REPORTEDLY REPORTER REPORTERS REPORTING REPORTS REPOSE REPOSED REPOSES REPOSING REPOSITION REPOSITIONED REPOSITIONING REPOSITIONS REPOSITORIES REPOSITORY REPREHENSIBLE REPRESENT REPRESENTABLE REPRESENTABLY REPRESENTATION REPRESENTATIONAL REPRESENTATIONALLY REPRESENTATIONS REPRESENTATIVE REPRESENTATIVELY REPRESENTATIVENESS REPRESENTATIVES REPRESENTED REPRESENTING REPRESENTS REPRESS REPRESSED REPRESSES REPRESSING REPRESSION REPRESSIONS REPRESSIVE REPRIEVE REPRIEVED REPRIEVES REPRIEVING REPRIMAND REPRINT REPRINTED REPRINTING REPRINTS REPRISAL REPRISALS REPROACH REPROACHED REPROACHES REPROACHING REPROBATE REPRODUCE REPRODUCED REPRODUCER REPRODUCERS REPRODUCES REPRODUCIBILITIES REPRODUCIBILITY REPRODUCIBLE REPRODUCIBLY REPRODUCING REPRODUCTION REPRODUCTIONS REPROGRAM REPROGRAMMED REPROGRAMMING REPROGRAMS REPROOF REPROVE REPROVER REPTILE REPTILES REPTILIAN REPUBLIC REPUBLICAN REPUBLICANS REPUBLICS REPUDIATE REPUDIATED REPUDIATES REPUDIATING REPUDIATION REPUDIATIONS REPUGNANT REPULSE REPULSED REPULSES REPULSING REPULSION REPULSIONS REPULSIVE REPUTABLE REPUTABLY REPUTATION REPUTATIONS REPUTE REPUTED REPUTEDLY REPUTES REQUEST REQUESTED REQUESTER REQUESTERS REQUESTING REQUESTS REQUIRE REQUIRED REQUIREMENT REQUIREMENTS REQUIRES REQUIRING REQUISITE REQUISITES REQUISITION REQUISITIONED REQUISITIONING REQUISITIONS REREAD REREGISTER REROUTE REROUTED REROUTES REROUTING RERUN RERUNS RESCHEDULE RESCIND RESCUE RESCUED RESCUER RESCUERS RESCUES RESCUING RESEARCH RESEARCHED RESEARCHER RESEARCHERS RESEARCHES RESEARCHING RESELECT RESELECTED RESELECTING RESELECTS RESELL RESELLING RESEMBLANCE RESEMBLANCES RESEMBLE RESEMBLED RESEMBLES RESEMBLING RESENT RESENTED RESENTFUL RESENTFULLY RESENTING RESENTMENT RESENTS RESERPINE RESERVATION RESERVATIONS RESERVE RESERVED RESERVER RESERVES RESERVING RESERVOIR RESERVOIRS RESET RESETS RESETTING RESETTINGS RESIDE RESIDED RESIDENCE RESIDENCES RESIDENT RESIDENTIAL RESIDENTIALLY RESIDENTS RESIDES RESIDING RESIDUAL RESIDUE RESIDUES RESIGN RESIGNATION RESIGNATIONS RESIGNED RESIGNING RESIGNS RESILIENT RESIN RESINS RESIST RESISTABLE RESISTANCE RESISTANCES RESISTANT RESISTANTLY RESISTED RESISTIBLE RESISTING RESISTIVE RESISTIVITY RESISTOR RESISTORS RESISTS RESOLUTE RESOLUTELY RESOLUTENESS RESOLUTION RESOLUTIONS RESOLVABLE RESOLVE RESOLVED RESOLVER RESOLVERS RESOLVES RESOLVING RESONANCE RESONANCES RESONANT RESONATE RESORT RESORTED RESORTING RESORTS RESOUND RESOUNDING RESOUNDS RESOURCE RESOURCEFUL RESOURCEFULLY RESOURCEFULNESS RESOURCES RESPECT RESPECTABILITY RESPECTABLE RESPECTABLY RESPECTED RESPECTER RESPECTFUL RESPECTFULLY RESPECTFULNESS RESPECTING RESPECTIVE RESPECTIVELY RESPECTS RESPIRATION RESPIRATOR RESPIRATORY RESPITE RESPLENDENT RESPLENDENTLY RESPOND RESPONDED RESPONDENT RESPONDENTS RESPONDER RESPONDING RESPONDS RESPONSE RESPONSES RESPONSIBILITIES RESPONSIBILITY RESPONSIBLE RESPONSIBLENESS RESPONSIBLY RESPONSIVE RESPONSIVELY RESPONSIVENESS REST RESTART RESTARTED RESTARTING RESTARTS RESTATE RESTATED RESTATEMENT RESTATES RESTATING RESTAURANT RESTAURANTS RESTAURATEUR RESTED RESTFUL RESTFULLY RESTFULNESS RESTING RESTITUTION RESTIVE RESTLESS RESTLESSLY RESTLESSNESS RESTORATION RESTORATIONS RESTORE RESTORED RESTORER RESTORERS RESTORES RESTORING RESTRAIN RESTRAINED RESTRAINER RESTRAINERS RESTRAINING RESTRAINS RESTRAINT RESTRAINTS RESTRICT RESTRICTED RESTRICTING RESTRICTION RESTRICTIONS RESTRICTIVE RESTRICTIVELY RESTRICTS RESTROOM RESTRUCTURE RESTRUCTURED RESTRUCTURES RESTRUCTURING RESTS RESULT RESULTANT RESULTANTLY RESULTANTS RESULTED RESULTING RESULTS RESUMABLE RESUME RESUMED RESUMES RESUMING RESUMPTION RESUMPTIONS RESURGENT RESURRECT RESURRECTED RESURRECTING RESURRECTION RESURRECTIONS RESURRECTOR RESURRECTORS RESURRECTS RESUSCITATE RESYNCHRONIZATION RESYNCHRONIZE RESYNCHRONIZED RESYNCHRONIZING RETAIL RETAILER RETAILERS RETAILING RETAIN RETAINED RETAINER RETAINERS RETAINING RETAINMENT RETAINS RETALIATE RETALIATION RETALIATORY RETARD RETARDED RETARDER RETARDING RETCH RETENTION RETENTIONS RETENTIVE RETENTIVELY RETENTIVENESS RETICLE RETICLES RETICULAR RETICULATE RETICULATED RETICULATELY RETICULATES RETICULATING RETICULATION RETINA RETINAL RETINAS RETINUE RETIRE RETIRED RETIREE RETIREMENT RETIREMENTS RETIRES RETIRING RETORT RETORTED RETORTS RETRACE RETRACED RETRACES RETRACING RETRACT RETRACTED RETRACTING RETRACTION RETRACTIONS RETRACTS RETRAIN RETRAINED RETRAINING RETRAINS RETRANSLATE RETRANSLATED RETRANSMISSION RETRANSMISSIONS RETRANSMIT RETRANSMITS RETRANSMITTED RETRANSMITTING RETREAT RETREATED RETREATING RETREATS RETRIBUTION RETRIED RETRIER RETRIERS RETRIES RETRIEVABLE RETRIEVAL RETRIEVALS RETRIEVE RETRIEVED RETRIEVER RETRIEVERS RETRIEVES RETRIEVING RETROACTIVE RETROACTIVELY RETROFIT RETROFITTING RETROGRADE RETROSPECT RETROSPECTION RETROSPECTIVE RETRY RETRYING RETURN RETURNABLE RETURNED RETURNER RETURNING RETURNS RETYPE RETYPED RETYPES RETYPING REUB REUBEN REUNION REUNIONS REUNITE REUNITED REUNITING REUSABLE REUSE REUSED REUSES REUSING REUTERS REUTHER REVAMP REVAMPED REVAMPING REVAMPS REVEAL REVEALED REVEALING REVEALS REVEL REVELATION REVELATIONS REVELED REVELER REVELING REVELRY REVELS REVENGE REVENGER REVENUE REVENUERS REVENUES REVERBERATE REVERE REVERED REVERENCE REVEREND REVERENDS REVERENT REVERENTLY REVERES REVERIE REVERIFIED REVERIFIES REVERIFY REVERIFYING REVERING REVERSAL REVERSALS REVERSE REVERSED REVERSELY REVERSER REVERSES REVERSIBLE REVERSING REVERSION REVERT REVERTED REVERTING REVERTS REVIEW REVIEWED REVIEWER REVIEWERS REVIEWING REVIEWS REVILE REVILED REVILER REVILING REVISE REVISED REVISER REVISES REVISING REVISION REVISIONARY REVISIONS REVISIT REVISITED REVISITING REVISITS REVIVAL REVIVALS REVIVE REVIVED REVIVER REVIVES REVIVING REVOCABLE REVOCATION REVOKE REVOKED REVOKER REVOKES REVOKING REVOLT REVOLTED REVOLTER REVOLTING REVOLTINGLY REVOLTS REVOLUTION REVOLUTIONARIES REVOLUTIONARY REVOLUTIONIZE REVOLUTIONIZED REVOLUTIONIZER REVOLUTIONS REVOLVE REVOLVED REVOLVER REVOLVERS REVOLVES REVOLVING REVULSION REWARD REWARDED REWARDING REWARDINGLY REWARDS REWIND REWINDING REWINDS REWIRE REWORK REWORKED REWORKING REWORKS REWOUND REWRITE REWRITES REWRITING REWRITTEN REX REYKJAVIK REYNOLDS RHAPSODY RHEA RHEIMS RHEINHOLDT RHENISH RHESUS RHETORIC RHEUMATIC RHEUMATISM RHINE RHINESTONE RHINO RHINOCEROS RHO RHODA RHODE RHODES RHODESIA RHODODENDRON RHOMBIC RHOMBUS RHUBARB RHYME RHYMED RHYMES RHYMING RHYTHM RHYTHMIC RHYTHMICALLY RHYTHMS RIB RIBALD RIBBED RIBBING RIBBON RIBBONS RIBOFLAVIN RIBONUCLEIC RIBS RICA RICAN RICANISM RICANS RICE RICH RICHARD RICHARDS RICHARDSON RICHER RICHES RICHEST RICHEY RICHFIELD RICHLAND RICHLY RICHMOND RICHNESS RICHTER RICK RICKENBAUGH RICKETS RICKETTSIA RICKETY RICKSHAW RICKSHAWS RICO RICOCHET RID RIDDANCE RIDDEN RIDDING RIDDLE RIDDLED RIDDLES RIDDLING RIDE RIDER RIDERS RIDES RIDGE RIDGEFIELD RIDGEPOLE RIDGES RIDGWAY RIDICULE RIDICULED RIDICULES RIDICULING RIDICULOUS RIDICULOUSLY RIDICULOUSNESS RIDING RIDS RIEMANN RIEMANNIAN RIFLE RIFLED RIFLEMAN RIFLER RIFLES RIFLING RIFT RIG RIGA RIGEL RIGGING RIGGS RIGHT RIGHTED RIGHTEOUS RIGHTEOUSLY RIGHTEOUSNESS RIGHTER RIGHTFUL RIGHTFULLY RIGHTFULNESS RIGHTING RIGHTLY RIGHTMOST RIGHTNESS RIGHTS RIGHTWARD RIGID RIGIDITY RIGIDLY RIGOR RIGOROUS RIGOROUSLY RIGORS RIGS RILEY RILKE RILL RIM RIME RIMS RIND RINDS RINEHART RING RINGED RINGER RINGERS RINGING RINGINGLY RINGINGS RINGS RINGSIDE RINK RINSE RINSED RINSER RINSES RINSING RIO RIORDAN RIOT RIOTED RIOTER RIOTERS RIOTING RIOTOUS RIOTS RIP RIPE RIPELY RIPEN RIPENESS RIPLEY RIPOFF RIPPED RIPPING RIPPLE RIPPLED RIPPLES RIPPLING RIPS RISC RISE RISEN RISER RISERS RISES RISING RISINGS RISK RISKED RISKING RISKS RISKY RITCHIE RITE RITES RITTER RITUAL RITUALLY RITUALS RITZ RIVAL RIVALED RIVALLED RIVALLING RIVALRIES RIVALRY RIVALS RIVER RIVERBANK RIVERFRONT RIVERS RIVERSIDE RIVERVIEW RIVET RIVETER RIVETS RIVIERA RIVULET RIVULETS RIYADH ROACH ROAD ROADBED ROADBLOCK ROADS ROADSIDE ROADSTER ROADSTERS ROADWAY ROADWAYS ROAM ROAMED ROAMING ROAMS ROAR ROARED ROARER ROARING ROARS ROAST ROASTED ROASTER ROASTING ROASTS ROB ROBBED ROBBER ROBBERIES ROBBERS ROBBERY ROBBIE ROBBIN ROBBING ROBBINS ROBE ROBED ROBERT ROBERTA ROBERTO ROBERTS ROBERTSON ROBERTSONS ROBES ROBIN ROBING ROBINS ROBINSON ROBINSONVILLE ROBOT ROBOTIC ROBOTICS ROBOTS ROBS ROBUST ROBUSTLY ROBUSTNESS ROCCO ROCHESTER ROCHFORD ROCK ROCKABYE ROCKAWAY ROCKAWAYS ROCKED ROCKEFELLER ROCKER ROCKERS ROCKET ROCKETED ROCKETING ROCKETS ROCKFORD ROCKIES ROCKING ROCKLAND ROCKS ROCKVILLE ROCKWELL ROCKY ROD RODE RODENT RODENTS RODEO RODGERS RODNEY RODRIGUEZ RODS ROE ROENTGEN ROGER ROGERS ROGUE ROGUES ROLAND ROLE ROLES ROLL ROLLBACK ROLLED ROLLER ROLLERS ROLLIE ROLLING ROLLINS ROLLS ROMAN ROMANCE ROMANCER ROMANCERS ROMANCES ROMANCING ROMANESQUE ROMANIA ROMANIZATIONS ROMANIZER ROMANIZERS ROMANIZES ROMANO ROMANS ROMANTIC ROMANTICS ROME ROMELDALE ROMEO ROMP ROMPED ROMPER ROMPING ROMPS ROMULUS RON RONALD RONNIE ROOF ROOFED ROOFER ROOFING ROOFS ROOFTOP ROOK ROOKIE ROOM ROOMED ROOMER ROOMERS ROOMFUL ROOMING ROOMMATE ROOMS ROOMY ROONEY ROOSEVELT ROOSEVELTIAN ROOST ROOSTER ROOSTERS ROOT ROOTED ROOTER ROOTING ROOTS ROPE ROPED ROPER ROPERS ROPES ROPING ROQUEMORE RORSCHACH ROSA ROSABELLE ROSALIE ROSARY ROSE ROSEBUD ROSEBUDS ROSEBUSH ROSELAND ROSELLA ROSEMARY ROSEN ROSENBERG ROSENBLUM ROSENTHAL ROSENZWEIG ROSES ROSETTA ROSETTE ROSIE ROSINESS ROSS ROSSI ROSTER ROSTRUM ROSWELL ROSY ROT ROTARIAN ROTARIANS ROTARY ROTATE ROTATED ROTATES ROTATING ROTATION ROTATIONAL ROTATIONS ROTATOR ROTH ROTHSCHILD ROTOR ROTS ROTTEN ROTTENNESS ROTTERDAM ROTTING ROTUND ROTUNDA ROUGE ROUGH ROUGHED ROUGHEN ROUGHER ROUGHEST ROUGHLY ROUGHNECK ROUGHNESS ROULETTE ROUND ROUNDABOUT ROUNDED ROUNDEDNESS ROUNDER ROUNDEST ROUNDHEAD ROUNDHOUSE ROUNDING ROUNDLY ROUNDNESS ROUNDOFF ROUNDS ROUNDTABLE ROUNDUP ROUNDWORM ROURKE ROUSE ROUSED ROUSES ROUSING ROUSSEAU ROUSTABOUT ROUT ROUTE ROUTED ROUTER ROUTERS ROUTES ROUTINE ROUTINELY ROUTINES ROUTING ROUTINGS ROVE ROVED ROVER ROVES ROVING ROW ROWBOAT ROWDY ROWE ROWED ROWENA ROWER ROWING ROWLAND ROWLEY ROWS ROXBURY ROXY ROY ROYAL ROYALIST ROYALISTS ROYALLY ROYALTIES ROYALTY ROYCE ROZELLE RUANDA RUB RUBAIYAT RUBBED RUBBER RUBBERS RUBBERY RUBBING RUBBISH RUBBLE RUBDOWN RUBE RUBEN RUBENS RUBIES RUBIN RUBLE RUBLES RUBOUT RUBS RUBY RUDDER RUDDERS RUDDINESS RUDDY RUDE RUDELY RUDENESS RUDIMENT RUDIMENTARY RUDIMENTS RUDOLF RUDOLPH RUDY RUDYARD RUE RUEFULLY RUFFIAN RUFFIANLY RUFFIANS RUFFLE RUFFLED RUFFLES RUFUS RUG RUGGED RUGGEDLY RUGGEDNESS RUGS RUIN RUINATION RUINATIONS RUINED RUINING RUINOUS RUINOUSLY RUINS RULE RULED RULER RULERS RULES RULING RULINGS RUM RUMANIA RUMANIAN RUMANIANS RUMBLE RUMBLED RUMBLER RUMBLES RUMBLING RUMEN RUMFORD RUMMAGE RUMMEL RUMMY RUMOR RUMORED RUMORS RUMP RUMPLE RUMPLED RUMPLY RUMPUS RUN RUNAWAY RUNDOWN RUNG RUNGE RUNGS RUNNABLE RUNNER RUNNERS RUNNING RUNNYMEDE RUNOFF RUNS RUNT RUNTIME RUNYON RUPEE RUPPERT RUPTURE RUPTURED RUPTURES RUPTURING RURAL RURALLY RUSH RUSHED RUSHER RUSHES RUSHING RUSHMORE RUSS RUSSELL RUSSET RUSSIA RUSSIAN RUSSIANIZATIONS RUSSIANIZES RUSSIANS RUSSO RUST RUSTED RUSTIC RUSTICATE RUSTICATED RUSTICATES RUSTICATING RUSTICATION RUSTING RUSTLE RUSTLED RUSTLER RUSTLERS RUSTLING RUSTS RUSTY RUT RUTGERS RUTH RUTHERFORD RUTHLESS RUTHLESSLY RUTHLESSNESS RUTLAND RUTLEDGE RUTS RWANDA RYAN RYDBERG RYDER RYE SABBATH SABBATHIZE SABBATHIZES SABBATICAL SABER SABERS SABINA SABINE SABLE SABLES SABOTAGE SACHS SACK SACKER SACKING SACKS SACRAMENT SACRAMENTO SACRED SACREDLY SACREDNESS SACRIFICE SACRIFICED SACRIFICER SACRIFICERS SACRIFICES SACRIFICIAL SACRIFICIALLY SACRIFICING SACRILEGE SACRILEGIOUS SACROSANCT SAD SADDEN SADDENED SADDENS SADDER SADDEST SADDLE SADDLEBAG SADDLED SADDLES SADIE SADISM SADIST SADISTIC SADISTICALLY SADISTS SADLER SADLY SADNESS SAFARI SAFE SAFEGUARD SAFEGUARDED SAFEGUARDING SAFEGUARDS SAFEKEEPING SAFELY SAFENESS SAFER SAFES SAFEST SAFETIES SAFETY SAFFRON SAG SAGA SAGACIOUS SAGACITY SAGE SAGEBRUSH SAGELY SAGES SAGGING SAGINAW SAGITTAL SAGITTARIUS SAGS SAGUARO SAHARA SAID SAIGON SAIL SAILBOAT SAILED SAILFISH SAILING SAILOR SAILORLY SAILORS SAILS SAINT SAINTED SAINTHOOD SAINTLY SAINTS SAKE SAKES SAL SALAAM SALABLE SALAD SALADS SALAMANDER SALAMI SALARIED SALARIES SALARY SALE SALEM SALERNO SALES SALESGIRL SALESIAN SALESLADY SALESMAN SALESMEN SALESPERSON SALIENT SALINA SALINE SALISBURY SALISH SALIVA SALIVARY SALIVATE SALK SALLE SALLIES SALLOW SALLY SALLYING SALMON SALON SALONS SALOON SALOONS SALT SALTED SALTER SALTERS SALTIER SALTIEST SALTINESS SALTING SALTON SALTS SALTY SALUTARY SALUTATION SALUTATIONS SALUTE SALUTED SALUTES SALUTING SALVADOR SALVADORAN SALVAGE SALVAGED SALVAGER SALVAGES SALVAGING SALVATION SALVATORE SALVE SALVER SALVES SALZ SAM SAMARITAN SAME SAMENESS SAMMY SAMOA SAMOAN SAMPLE SAMPLED SAMPLER SAMPLERS SAMPLES SAMPLING SAMPLINGS SAMPSON SAMSON SAMUEL SAMUELS SAMUELSON SAN SANA SANATORIA SANATORIUM SANBORN SANCHEZ SANCHO SANCTIFICATION SANCTIFIED SANCTIFY SANCTIMONIOUS SANCTION SANCTIONED SANCTIONING SANCTIONS SANCTITY SANCTUARIES SANCTUARY SANCTUM SAND SANDAL SANDALS SANDBAG SANDBURG SANDED SANDER SANDERLING SANDERS SANDERSON SANDIA SANDING SANDMAN SANDPAPER SANDRA SANDS SANDSTONE SANDUSKY SANDWICH SANDWICHES SANDY SANE SANELY SANER SANEST SANFORD SANG SANGUINE SANHEDRIN SANITARIUM SANITARY SANITATION SANITY SANK SANSKRIT SANSKRITIC SANSKRITIZE SANTA SANTAYANA SANTIAGO SANTO SAO SAP SAPIENS SAPLING SAPLINGS SAPPHIRE SAPPHO SAPS SAPSUCKER SARA SARACEN SARACENS SARAH SARAN SARASOTA SARATOGA SARCASM SARCASMS SARCASTIC SARDINE SARDINIA SARDONIC SARGENT SARI SARTRE SASH SASKATCHEWAN SASKATOON SAT SATAN SATANIC SATANISM SATANIST SATCHEL SATCHELS SATE SATED SATELLITE SATELLITES SATES SATIN SATING SATIRE SATIRES SATIRIC SATISFACTION SATISFACTIONS SATISFACTORILY SATISFACTORY SATISFIABILITY SATISFIABLE SATISFIED SATISFIES SATISFY SATISFYING SATURATE SATURATED SATURATES SATURATING SATURATION SATURDAY SATURDAYS SATURN SATURNALIA SATURNISM SATYR SAUCE SAUCEPAN SAUCEPANS SAUCER SAUCERS SAUCES SAUCY SAUD SAUDI SAUKVILLE SAUL SAULT SAUNDERS SAUNTER SAUSAGE SAUSAGES SAVAGE SAVAGED SAVAGELY SAVAGENESS SAVAGER SAVAGERS SAVAGES SAVAGING SAVANNAH SAVE SAVED SAVER SAVERS SAVES SAVING SAVINGS SAVIOR SAVIORS SAVIOUR SAVONAROLA SAVOR SAVORED SAVORING SAVORS SAVORY SAVOY SAVOYARD SAVOYARDS SAW SAWDUST SAWED SAWFISH SAWING SAWMILL SAWMILLS SAWS SAWTOOTH SAX SAXON SAXONIZATION SAXONIZATIONS SAXONIZE SAXONIZES SAXONS SAXONY SAXOPHONE SAXTON SAY SAYER SAYERS SAYING SAYINGS SAYS SCAB SCABBARD SCABBARDS SCABROUS SCAFFOLD SCAFFOLDING SCAFFOLDINGS SCAFFOLDS SCALA SCALABLE SCALAR SCALARS SCALD SCALDED SCALDING SCALE SCALED SCALES SCALING SCALINGS SCALLOP SCALLOPED SCALLOPS SCALP SCALPS SCALY SCAMPER SCAMPERING SCAMPERS SCAN SCANDAL SCANDALOUS SCANDALS SCANDINAVIA SCANDINAVIAN SCANDINAVIANS SCANNED SCANNER SCANNERS SCANNING SCANS SCANT SCANTIER SCANTIEST SCANTILY SCANTINESS SCANTLY SCANTY SCAPEGOAT SCAR SCARBOROUGH SCARCE SCARCELY SCARCENESS SCARCER SCARCITY SCARE SCARECROW SCARED SCARES SCARF SCARING SCARLATTI SCARLET SCARS SCARSDALE SCARVES SCARY SCATTER SCATTERBRAIN SCATTERED SCATTERING SCATTERS SCENARIO SCENARIOS SCENE SCENERY SCENES SCENIC SCENT SCENTED SCENTS SCEPTER SCEPTERS SCHAEFER SCHAEFFER SCHAFER SCHAFFNER SCHANTZ SCHAPIRO SCHEDULABLE SCHEDULE SCHEDULED SCHEDULER SCHEDULERS SCHEDULES SCHEDULING SCHEHERAZADE SCHELLING SCHEMA SCHEMAS SCHEMATA SCHEMATIC SCHEMATICALLY SCHEMATICS SCHEME SCHEMED SCHEMER SCHEMERS SCHEMES SCHEMING SCHILLER SCHISM SCHIZOPHRENIA SCHLESINGER SCHLITZ SCHLOSS SCHMIDT SCHMITT SCHNABEL SCHNEIDER SCHOENBERG SCHOFIELD SCHOLAR SCHOLARLY SCHOLARS SCHOLARSHIP SCHOLARSHIPS SCHOLASTIC SCHOLASTICALLY SCHOLASTICS SCHOOL SCHOOLBOY SCHOOLBOYS SCHOOLED SCHOOLER SCHOOLERS SCHOOLHOUSE SCHOOLHOUSES SCHOOLING SCHOOLMASTER SCHOOLMASTERS SCHOOLROOM SCHOOLROOMS SCHOOLS SCHOONER SCHOPENHAUER SCHOTTKY SCHROEDER SCHROEDINGER SCHUBERT SCHULTZ SCHULZ SCHUMACHER SCHUMAN SCHUMANN SCHUSTER SCHUYLER SCHUYLKILL SCHWAB SCHWARTZ SCHWEITZER SCIENCE SCIENCES SCIENTIFIC SCIENTIFICALLY SCIENTIST SCIENTISTS SCISSOR SCISSORED SCISSORING SCISSORS SCLEROSIS SCLEROTIC SCOFF SCOFFED SCOFFER SCOFFING SCOFFS SCOLD SCOLDED SCOLDING SCOLDS SCOOP SCOOPED SCOOPING SCOOPS SCOOT SCOPE SCOPED SCOPES SCOPING SCORCH SCORCHED SCORCHER SCORCHES SCORCHING SCORE SCOREBOARD SCORECARD SCORED SCORER SCORERS SCORES SCORING SCORINGS SCORN SCORNED SCORNER SCORNFUL SCORNFULLY SCORNING SCORNS SCORPIO SCORPION SCORPIONS SCOT SCOTCH SCOTCHGARD SCOTCHMAN SCOTIA SCOTIAN SCOTLAND SCOTS SCOTSMAN SCOTSMEN SCOTT SCOTTISH SCOTTSDALE SCOTTY SCOUNDREL SCOUNDRELS SCOUR SCOURED SCOURGE SCOURING SCOURS SCOUT SCOUTED SCOUTING SCOUTS SCOW SCOWL SCOWLED SCOWLING SCOWLS SCRAM SCRAMBLE SCRAMBLED SCRAMBLER SCRAMBLES SCRAMBLING SCRANTON SCRAP SCRAPE SCRAPED SCRAPER SCRAPERS SCRAPES SCRAPING SCRAPINGS SCRAPPED SCRAPS SCRATCH SCRATCHED SCRATCHER SCRATCHERS SCRATCHES SCRATCHING SCRATCHY SCRAWL SCRAWLED SCRAWLING SCRAWLS SCRAWNY SCREAM SCREAMED SCREAMER SCREAMERS SCREAMING SCREAMS SCREECH SCREECHED SCREECHES SCREECHING SCREEN SCREENED SCREENING SCREENINGS SCREENPLAY SCREENS SCREW SCREWBALL SCREWDRIVER SCREWED SCREWING SCREWS SCRIBBLE SCRIBBLED SCRIBBLER SCRIBBLES SCRIBE SCRIBES SCRIBING SCRIBNERS SCRIMMAGE SCRIPPS SCRIPT SCRIPTS SCRIPTURE SCRIPTURES SCROLL SCROLLED SCROLLING SCROLLS SCROOGE SCROUNGE SCRUB SCRUMPTIOUS SCRUPLE SCRUPULOUS SCRUPULOUSLY SCRUTINIZE SCRUTINIZED SCRUTINIZING SCRUTINY SCUBA SCUD SCUFFLE SCUFFLED SCUFFLES SCUFFLING SCULPT SCULPTED SCULPTOR SCULPTORS SCULPTS SCULPTURE SCULPTURED SCULPTURES SCURRIED SCURRY SCURVY SCUTTLE SCUTTLED SCUTTLES SCUTTLING SCYLLA SCYTHE SCYTHES SCYTHIA SEA SEABOARD SEABORG SEABROOK SEACOAST SEACOASTS SEAFOOD SEAGATE SEAGRAM SEAGULL SEAHORSE SEAL SEALED SEALER SEALING SEALS SEALY SEAM SEAMAN SEAMED SEAMEN SEAMING SEAMS SEAMY SEAN SEAPORT SEAPORTS SEAQUARIUM SEAR SEARCH SEARCHED SEARCHER SEARCHERS SEARCHES SEARCHING SEARCHINGLY SEARCHINGS SEARCHLIGHT SEARED SEARING SEARINGLY SEARS SEAS SEASHORE SEASHORES SEASIDE SEASON SEASONABLE SEASONABLY SEASONAL SEASONALLY SEASONED SEASONER SEASONERS SEASONING SEASONINGS SEASONS SEAT SEATED SEATING SEATS SEATTLE SEAWARD SEAWEED SEBASTIAN SECANT SECEDE SECEDED SECEDES SECEDING SECESSION SECLUDE SECLUDED SECLUSION SECOND SECONDARIES SECONDARILY SECONDARY SECONDED SECONDER SECONDERS SECONDHAND SECONDING SECONDLY SECONDS SECRECY SECRET SECRETARIAL SECRETARIAT SECRETARIES SECRETARY SECRETE SECRETED SECRETES SECRETING SECRETION SECRETIONS SECRETIVE SECRETIVELY SECRETLY SECRETS SECT SECTARIAN SECTION SECTIONAL SECTIONED SECTIONING SECTIONS SECTOR SECTORS SECTS SECULAR SECURE SECURED SECURELY SECURES SECURING SECURINGS SECURITIES SECURITY SEDAN SEDATE SEDGE SEDGWICK SEDIMENT SEDIMENTARY SEDIMENTS SEDITION SEDITIOUS SEDUCE SEDUCED SEDUCER SEDUCERS SEDUCES SEDUCING SEDUCTION SEDUCTIVE SEE SEED SEEDED SEEDER SEEDERS SEEDING SEEDINGS SEEDLING SEEDLINGS SEEDS SEEDY SEEING SEEK SEEKER SEEKERS SEEKING SEEKS SEELEY SEEM SEEMED SEEMING SEEMINGLY SEEMLY SEEMS SEEN SEEP SEEPAGE SEEPED SEEPING SEEPS SEER SEERS SEERSUCKER SEES SEETHE SEETHED SEETHES SEETHING SEGMENT SEGMENTATION SEGMENTATIONS SEGMENTED SEGMENTING SEGMENTS SEGOVIA SEGREGATE SEGREGATED SEGREGATES SEGREGATING SEGREGATION SEGUNDO SEIDEL SEISMIC SEISMOGRAPH SEISMOLOGY SEIZE SEIZED SEIZES SEIZING SEIZURE SEIZURES SELDOM SELECT SELECTED SELECTING SELECTION SELECTIONS SELECTIVE SELECTIVELY SELECTIVITY SELECTMAN SELECTMEN SELECTOR SELECTORS SELECTRIC SELECTS SELENA SELENIUM SELF SELFISH SELFISHLY SELFISHNESS SELFRIDGE SELFSAME SELKIRK SELL SELLER SELLERS SELLING SELLOUT SELLS SELMA SELTZER SELVES SELWYN SEMANTIC SEMANTICAL SEMANTICALLY SEMANTICIST SEMANTICISTS SEMANTICS SEMAPHORE SEMAPHORES SEMBLANCE SEMESTER SEMESTERS SEMI SEMIAUTOMATED SEMICOLON SEMICOLONS SEMICONDUCTOR SEMICONDUCTORS SEMINAL SEMINAR SEMINARIAN SEMINARIES SEMINARS SEMINARY SEMINOLE SEMIPERMANENT SEMIPERMANENTLY SEMIRAMIS SEMITE SEMITIC SEMITICIZE SEMITICIZES SEMITIZATION SEMITIZATIONS SEMITIZE SEMITIZES SENATE SENATES SENATOR SENATORIAL SENATORS SEND SENDER SENDERS SENDING SENDS SENECA SENEGAL SENILE SENIOR SENIORITY SENIORS SENSATION SENSATIONAL SENSATIONALLY SENSATIONS SENSE SENSED SENSELESS SENSELESSLY SENSELESSNESS SENSES SENSIBILITIES SENSIBILITY SENSIBLE SENSIBLY SENSING SENSITIVE SENSITIVELY SENSITIVENESS SENSITIVES SENSITIVITIES SENSITIVITY SENSOR SENSORS SENSORY SENSUAL SENSUOUS SENT SENTENCE SENTENCED SENTENCES SENTENCING SENTENTIAL SENTIMENT SENTIMENTAL SENTIMENTALLY SENTIMENTS SENTINEL SENTINELS SENTRIES SENTRY SEOUL SEPARABLE SEPARATE SEPARATED SEPARATELY SEPARATENESS SEPARATES SEPARATING SEPARATION SEPARATIONS SEPARATOR SEPARATORS SEPIA SEPOY SEPT SEPTEMBER SEPTEMBERS SEPULCHER SEPULCHERS SEQUEL SEQUELS SEQUENCE SEQUENCED SEQUENCER SEQUENCERS SEQUENCES SEQUENCING SEQUENCINGS SEQUENTIAL SEQUENTIALITY SEQUENTIALIZE SEQUENTIALIZED SEQUENTIALIZES SEQUENTIALIZING SEQUENTIALLY SEQUESTER SEQUOIA SERAFIN SERBIA SERBIAN SERBIANS SERENDIPITOUS SERENDIPITY SERENE SERENELY SERENITY SERF SERFS SERGEANT SERGEANTS SERGEI SERIAL SERIALIZABILITY SERIALIZABLE SERIALIZATION SERIALIZATIONS SERIALIZE SERIALIZED SERIALIZES SERIALIZING SERIALLY SERIALS SERIES SERIF SERIOUS SERIOUSLY SERIOUSNESS SERMON SERMONS SERPENS SERPENT SERPENTINE SERPENTS SERRA SERUM SERUMS SERVANT SERVANTS SERVE SERVED SERVER SERVERS SERVES SERVICE SERVICEABILITY SERVICEABLE SERVICED SERVICEMAN SERVICEMEN SERVICES SERVICING SERVILE SERVING SERVINGS SERVITUDE SERVO SERVOMECHANISM SESAME SESSION SESSIONS SET SETBACK SETH SETS SETTABLE SETTER SETTERS SETTING SETTINGS SETTLE SETTLED SETTLEMENT SETTLEMENTS SETTLER SETTLERS SETTLES SETTLING SETUP SETUPS SEVEN SEVENFOLD SEVENS SEVENTEEN SEVENTEENS SEVENTEENTH SEVENTH SEVENTIES SEVENTIETH SEVENTY SEVER SEVERAL SEVERALFOLD SEVERALLY SEVERANCE SEVERE SEVERED SEVERELY SEVERER SEVEREST SEVERING SEVERITIES SEVERITY SEVERN SEVERS SEVILLE SEW SEWAGE SEWARD SEWED SEWER SEWERS SEWING SEWS SEX SEXED SEXES SEXIST SEXTANS SEXTET SEXTILLION SEXTON SEXTUPLE SEXTUPLET SEXUAL SEXUALITY SEXUALLY SEXY SEYCHELLES SEYMOUR SHABBY SHACK SHACKED SHACKLE SHACKLED SHACKLES SHACKLING SHACKS SHADE SHADED SHADES SHADIER SHADIEST SHADILY SHADINESS SHADING SHADINGS SHADOW SHADOWED SHADOWING SHADOWS SHADOWY SHADY SHAFER SHAFFER SHAFT SHAFTS SHAGGY SHAKABLE SHAKABLY SHAKE SHAKEDOWN SHAKEN SHAKER SHAKERS SHAKES SHAKESPEARE SHAKESPEAREAN SHAKESPEARIAN SHAKESPEARIZE SHAKESPEARIZES SHAKINESS SHAKING SHAKY SHALE SHALL SHALLOW SHALLOWER SHALLOWLY SHALLOWNESS SHAM SHAMBLES SHAME SHAMED SHAMEFUL SHAMEFULLY SHAMELESS SHAMELESSLY SHAMES SHAMING SHAMPOO SHAMROCK SHAMS SHANGHAI SHANGHAIED SHANGHAIING SHANGHAIINGS SHANGHAIS SHANNON SHANTIES SHANTUNG SHANTY SHAPE SHAPED SHAPELESS SHAPELESSLY SHAPELESSNESS SHAPELY SHAPER SHAPERS SHAPES SHAPING SHAPIRO SHARABLE SHARD SHARE SHAREABLE SHARECROPPER SHARECROPPERS SHARED SHAREHOLDER SHAREHOLDERS SHARER SHARERS SHARES SHARI SHARING SHARK SHARKS SHARON SHARP SHARPE SHARPEN SHARPENED SHARPENING SHARPENS SHARPER SHARPEST SHARPLY SHARPNESS SHARPSHOOT SHASTA SHATTER SHATTERED SHATTERING SHATTERPROOF SHATTERS SHATTUCK SHAVE SHAVED SHAVEN SHAVES SHAVING SHAVINGS SHAWANO SHAWL SHAWLS SHAWNEE SHE SHEA SHEAF SHEAR SHEARED SHEARER SHEARING SHEARS SHEATH SHEATHING SHEATHS SHEAVES SHEBOYGAN SHED SHEDDING SHEDIR SHEDS SHEEHAN SHEEN SHEEP SHEEPSKIN SHEER SHEERED SHEET SHEETED SHEETING SHEETS SHEFFIELD SHEIK SHEILA SHELBY SHELDON SHELF SHELL SHELLED SHELLER SHELLEY SHELLING SHELLS SHELTER SHELTERED SHELTERING SHELTERS SHELTON SHELVE SHELVED SHELVES SHELVING SHENANDOAH SHENANIGAN SHEPARD SHEPHERD SHEPHERDS SHEPPARD SHERATON SHERBET SHERIDAN SHERIFF SHERIFFS SHERLOCK SHERMAN SHERRILL SHERRY SHERWIN SHERWOOD SHIBBOLETH SHIED SHIELD SHIELDED SHIELDING SHIELDS SHIES SHIFT SHIFTED SHIFTER SHIFTERS SHIFTIER SHIFTIEST SHIFTILY SHIFTINESS SHIFTING SHIFTS SHIFTY SHIITE SHIITES SHILL SHILLING SHILLINGS SHILLONG SHILOH SHIMMER SHIMMERING SHIN SHINBONE SHINE SHINED SHINER SHINERS SHINES SHINGLE SHINGLES SHINING SHININGLY SHINTO SHINTOISM SHINTOIZE SHINTOIZES SHINY SHIP SHIPBOARD SHIPBUILDING SHIPLEY SHIPMATE SHIPMENT SHIPMENTS SHIPPED SHIPPER SHIPPERS SHIPPING SHIPS SHIPSHAPE SHIPWRECK SHIPWRECKED SHIPWRECKS SHIPYARD SHIRE SHIRK SHIRKER SHIRKING SHIRKS SHIRLEY SHIRT SHIRTING SHIRTS SHIT SHIVA SHIVER SHIVERED SHIVERER SHIVERING SHIVERS SHMUEL SHOAL SHOALS SHOCK SHOCKED SHOCKER SHOCKERS SHOCKING SHOCKINGLY SHOCKLEY SHOCKS SHOD SHODDY SHOE SHOED SHOEHORN SHOEING SHOELACE SHOEMAKER SHOES SHOESTRING SHOJI SHONE SHOOK SHOOT SHOOTER SHOOTERS SHOOTING SHOOTINGS SHOOTS SHOP SHOPKEEPER SHOPKEEPERS SHOPPED SHOPPER SHOPPERS SHOPPING SHOPS SHOPWORN SHORE SHORELINE SHORES SHOREWOOD SHORN SHORT SHORTAGE SHORTAGES SHORTCOMING SHORTCOMINGS SHORTCUT SHORTCUTS SHORTED SHORTEN SHORTENED SHORTENING SHORTENS SHORTER SHORTEST SHORTFALL SHORTHAND SHORTHANDED SHORTING SHORTISH SHORTLY SHORTNESS SHORTS SHORTSIGHTED SHORTSTOP SHOSHONE SHOT SHOTGUN SHOTGUNS SHOTS SHOULD SHOULDER SHOULDERED SHOULDERING SHOULDERS SHOUT SHOUTED SHOUTER SHOUTERS SHOUTING SHOUTS SHOVE SHOVED SHOVEL SHOVELED SHOVELS SHOVES SHOVING SHOW SHOWBOAT SHOWCASE SHOWDOWN SHOWED SHOWER SHOWERED SHOWERING SHOWERS SHOWING SHOWINGS SHOWN SHOWPIECE SHOWROOM SHOWS SHOWY SHRANK SHRAPNEL SHRED SHREDDER SHREDDING SHREDS SHREVEPORT SHREW SHREWD SHREWDEST SHREWDLY SHREWDNESS SHREWS SHRIEK SHRIEKED SHRIEKING SHRIEKS SHRILL SHRILLED SHRILLING SHRILLNESS SHRILLY SHRIMP SHRINE SHRINES SHRINK SHRINKABLE SHRINKAGE SHRINKING SHRINKS SHRIVEL SHRIVELED SHROUD SHROUDED SHRUB SHRUBBERY SHRUBS SHRUG SHRUGS SHRUNK SHRUNKEN SHU SHUDDER SHUDDERED SHUDDERING SHUDDERS SHUFFLE SHUFFLEBOARD SHUFFLED SHUFFLES SHUFFLING SHULMAN SHUN SHUNS SHUNT SHUT SHUTDOWN SHUTDOWNS SHUTOFF SHUTOUT SHUTS SHUTTER SHUTTERED SHUTTERS SHUTTING SHUTTLE SHUTTLECOCK SHUTTLED SHUTTLES SHUTTLING SHY SHYLOCK SHYLOCKIAN SHYLY SHYNESS SIAM SIAMESE SIAN SIBERIA SIBERIAN SIBLEY SIBLING SIBLINGS SICILIAN SICILIANA SICILIANS SICILY SICK SICKEN SICKER SICKEST SICKLE SICKLY SICKNESS SICKNESSES SICKROOM SIDE SIDEARM SIDEBAND SIDEBOARD SIDEBOARDS SIDEBURNS SIDECAR SIDED SIDELIGHT SIDELIGHTS SIDELINE SIDEREAL SIDES SIDESADDLE SIDESHOW SIDESTEP SIDETRACK SIDEWALK SIDEWALKS SIDEWAYS SIDEWISE SIDING SIDINGS SIDNEY SIEGE SIEGEL SIEGES SIEGFRIED SIEGLINDA SIEGMUND SIEMENS SIENA SIERRA SIEVE SIEVES SIFFORD SIFT SIFTED SIFTER SIFTING SIGGRAPH SIGH SIGHED SIGHING SIGHS SIGHT SIGHTED SIGHTING SIGHTINGS SIGHTLY SIGHTS SIGHTSEEING SIGMA SIGMUND SIGN SIGNAL SIGNALED SIGNALING SIGNALLED SIGNALLING SIGNALLY SIGNALS SIGNATURE SIGNATURES SIGNED SIGNER SIGNERS SIGNET SIGNIFICANCE SIGNIFICANT SIGNIFICANTLY SIGNIFICANTS SIGNIFICATION SIGNIFIED SIGNIFIES SIGNIFY SIGNIFYING SIGNING SIGNS SIKH SIKHES SIKHS SIKKIM SIKKIMESE SIKORSKY SILAS SILENCE SILENCED SILENCER SILENCERS SILENCES SILENCING SILENT SILENTLY SILHOUETTE SILHOUETTED SILHOUETTES SILICA SILICATE SILICON SILICONE SILK SILKEN SILKIER SILKIEST SILKILY SILKINE SILKS SILKY SILL SILLIEST SILLINESS SILLS SILLY SILO SILT SILTED SILTING SILTS SILVER SILVERED SILVERING SILVERMAN SILVERS SILVERSMITH SILVERSTEIN SILVERWARE SILVERY SIMILAR SIMILARITIES SIMILARITY SIMILARLY SIMILE SIMILITUDE SIMLA SIMMER SIMMERED SIMMERING SIMMERS SIMMONS SIMMONSVILLE SIMMS SIMON SIMONS SIMONSON SIMPLE SIMPLEMINDED SIMPLENESS SIMPLER SIMPLEST SIMPLETON SIMPLEX SIMPLICITIES SIMPLICITY SIMPLIFICATION SIMPLIFICATIONS SIMPLIFIED SIMPLIFIER SIMPLIFIERS SIMPLIFIES SIMPLIFY SIMPLIFYING SIMPLISTIC SIMPLY SIMPSON SIMS SIMULA SIMULA SIMULATE SIMULATED SIMULATES SIMULATING SIMULATION SIMULATIONS SIMULATOR SIMULATORS SIMULCAST SIMULTANEITY SIMULTANEOUS SIMULTANEOUSLY SINAI SINATRA SINBAD SINCE SINCERE SINCERELY SINCEREST SINCERITY SINCLAIR SINE SINES SINEW SINEWS SINEWY SINFUL SINFULLY SINFULNESS SING SINGABLE SINGAPORE SINGBORG SINGE SINGED SINGER SINGERS SINGING SINGINGLY SINGLE SINGLED SINGLEHANDED SINGLENESS SINGLES SINGLET SINGLETON SINGLETONS SINGLING SINGLY SINGS SINGSONG SINGULAR SINGULARITIES SINGULARITY SINGULARLY SINISTER SINK SINKED SINKER SINKERS SINKHOLE SINKING SINKS SINNED SINNER SINNERS SINNING SINS SINUOUS SINUS SINUSOID SINUSOIDAL SINUSOIDS SIOUX SIP SIPHON SIPHONING SIPPING SIPS SIR SIRE SIRED SIREN SIRENS SIRES SIRIUS SIRS SIRUP SISTER SISTERLY SISTERS SISTINE SISYPHEAN SISYPHUS SIT SITE SITED SITES SITING SITS SITTER SITTERS SITTING SITTINGS SITU SITUATE SITUATED SITUATES SITUATING SITUATION SITUATIONAL SITUATIONALLY SITUATIONS SIVA SIX SIXES SIXFOLD SIXGUN SIXPENCE SIXTEEN SIXTEENS SIXTEENTH SIXTH SIXTIES SIXTIETH SIXTY SIZABLE SIZE SIZED SIZES SIZING SIZINGS SIZZLE SKATE SKATED SKATER SKATERS SKATES SKATING SKELETAL SKELETON SKELETONS SKEPTIC SKEPTICAL SKEPTICALLY SKEPTICISM SKEPTICS SKETCH SKETCHBOOK SKETCHED SKETCHES SKETCHILY SKETCHING SKETCHPAD SKETCHY SKEW SKEWED SKEWER SKEWERS SKEWING SKEWS SKI SKID SKIDDING SKIED SKIES SKIFF SKIING SKILL SKILLED SKILLET SKILLFUL SKILLFULLY SKILLFULNESS SKILLS SKIM SKIMMED SKIMMING SKIMP SKIMPED SKIMPING SKIMPS SKIMPY SKIMS SKIN SKINDIVE SKINNED SKINNER SKINNERS SKINNING SKINNY SKINS SKIP SKIPPED SKIPPER SKIPPERS SKIPPING SKIPPY SKIPS SKIRMISH SKIRMISHED SKIRMISHER SKIRMISHERS SKIRMISHES SKIRMISHING SKIRT SKIRTED SKIRTING SKIRTS SKIS SKIT SKOPJE SKULK SKULKED SKULKER SKULKING SKULKS SKULL SKULLCAP SKULLDUGGERY SKULLS SKUNK SKUNKS SKY SKYE SKYHOOK SKYJACK SKYLARK SKYLARKING SKYLARKS SKYLIGHT SKYLIGHTS SKYLINE SKYROCKETS SKYSCRAPER SKYSCRAPERS SLAB SLACK SLACKEN SLACKER SLACKING SLACKLY SLACKNESS SLACKS SLAIN SLAM SLAMMED SLAMMING SLAMS SLANDER SLANDERER SLANDEROUS SLANDERS SLANG SLANT SLANTED SLANTING SLANTS SLAP SLAPPED SLAPPING SLAPS SLAPSTICK SLASH SLASHED SLASHES SLASHING SLAT SLATE SLATED SLATER SLATES SLATS SLAUGHTER SLAUGHTERED SLAUGHTERHOUSE SLAUGHTERING SLAUGHTERS SLAV SLAVE SLAVER SLAVERY SLAVES SLAVIC SLAVICIZE SLAVICIZES SLAVISH SLAVIZATION SLAVIZATIONS SLAVIZE SLAVIZES SLAVONIC SLAVONICIZE SLAVONICIZES SLAVS SLAY SLAYER SLAYERS SLAYING SLAYS SLED SLEDDING SLEDGE SLEDGEHAMMER SLEDGES SLEDS SLEEK SLEEP SLEEPER SLEEPERS SLEEPILY SLEEPINESS SLEEPING SLEEPLESS SLEEPLESSLY SLEEPLESSNESS SLEEPS SLEEPWALK SLEEPY SLEET SLEEVE SLEEVES SLEIGH SLEIGHS SLEIGHT SLENDER SLENDERER SLEPT SLESINGER SLEUTH SLEW SLEWING SLICE SLICED SLICER SLICERS SLICES SLICING SLICK SLICKER SLICKERS SLICKS SLID SLIDE SLIDER SLIDERS SLIDES SLIDING SLIGHT SLIGHTED SLIGHTER SLIGHTEST SLIGHTING SLIGHTLY SLIGHTNESS SLIGHTS SLIM SLIME SLIMED SLIMLY SLIMY SLING SLINGING SLINGS SLINGSHOT SLIP SLIPPAGE SLIPPED SLIPPER SLIPPERINESS SLIPPERS SLIPPERY SLIPPING SLIPS SLIT SLITHER SLITS SLIVER SLOAN SLOANE SLOB SLOCUM SLOGAN SLOGANS SLOOP SLOP SLOPE SLOPED SLOPER SLOPERS SLOPES SLOPING SLOPPED SLOPPINESS SLOPPING SLOPPY SLOPS SLOT SLOTH SLOTHFUL SLOTHS SLOTS SLOTTED SLOTTING SLOUCH SLOUCHED SLOUCHES SLOUCHING SLOVAKIA SLOVENIA SLOW SLOWDOWN SLOWED SLOWER SLOWEST SLOWING SLOWLY SLOWNESS SLOWS SLUDGE SLUG SLUGGISH SLUGGISHLY SLUGGISHNESS SLUGS SLUICE SLUM SLUMBER SLUMBERED SLUMMING SLUMP SLUMPED SLUMPS SLUMS SLUNG SLUR SLURP SLURRING SLURRY SLURS SLY SLYLY SMACK SMACKED SMACKING SMACKS SMALL SMALLER SMALLEST SMALLEY SMALLISH SMALLNESS SMALLPOX SMALLTIME SMALLWOOD SMART SMARTED SMARTER SMARTEST SMARTLY SMARTNESS SMASH SMASHED SMASHER SMASHERS SMASHES SMASHING SMASHINGLY SMATTERING SMEAR SMEARED SMEARING SMEARS SMELL SMELLED SMELLING SMELLS SMELLY SMELT SMELTER SMELTS SMILE SMILED SMILES SMILING SMILINGLY SMIRK SMITE SMITH SMITHEREENS SMITHFIELD SMITHS SMITHSON SMITHSONIAN SMITHTOWN SMITHY SMITTEN SMOCK SMOCKING SMOCKS SMOG SMOKABLE SMOKE SMOKED SMOKER SMOKERS SMOKES SMOKESCREEN SMOKESTACK SMOKIES SMOKING SMOKY SMOLDER SMOLDERED SMOLDERING SMOLDERS SMOOCH SMOOTH SMOOTHBORE SMOOTHED SMOOTHER SMOOTHES SMOOTHEST SMOOTHING SMOOTHLY SMOOTHNESS SMOTE SMOTHER SMOTHERED SMOTHERING SMOTHERS SMUCKER SMUDGE SMUG SMUGGLE SMUGGLED SMUGGLER SMUGGLERS SMUGGLES SMUGGLING SMUT SMUTTY SMYRNA SMYTHE SNACK SNAFU SNAG SNAIL SNAILS SNAKE SNAKED SNAKELIKE SNAKES SNAP SNAPDRAGON SNAPPED SNAPPER SNAPPERS SNAPPILY SNAPPING SNAPPY SNAPS SNAPSHOT SNAPSHOTS SNARE SNARED SNARES SNARING SNARK SNARL SNARLED SNARLING SNATCH SNATCHED SNATCHES SNATCHING SNAZZY SNEAD SNEAK SNEAKED SNEAKER SNEAKERS SNEAKIER SNEAKIEST SNEAKILY SNEAKINESS SNEAKING SNEAKS SNEAKY SNEED SNEER SNEERED SNEERING SNEERS SNEEZE SNEEZED SNEEZES SNEEZING SNIDER SNIFF SNIFFED SNIFFING SNIFFLE SNIFFS SNIFTER SNIGGER SNIP SNIPE SNIPPET SNIVEL SNOB SNOBBERY SNOBBISH SNODGRASS SNOOP SNOOPED SNOOPING SNOOPS SNOOPY SNORE SNORED SNORES SNORING SNORKEL SNORT SNORTED SNORTING SNORTS SNOTTY SNOUT SNOUTS SNOW SNOWBALL SNOWBELT SNOWED SNOWFALL SNOWFLAKE SNOWIER SNOWIEST SNOWILY SNOWING SNOWMAN SNOWMEN SNOWS SNOWSHOE SNOWSHOES SNOWSTORM SNOWY SNUB SNUFF SNUFFED SNUFFER SNUFFING SNUFFS SNUG SNUGGLE SNUGGLED SNUGGLES SNUGGLING SNUGLY SNUGNESS SNYDER SOAK SOAKED SOAKING SOAKS SOAP SOAPED SOAPING SOAPS SOAPY SOAR SOARED SOARING SOARS SOB SOBBING SOBER SOBERED SOBERING SOBERLY SOBERNESS SOBERS SOBRIETY SOBS SOCCER SOCIABILITY SOCIABLE SOCIABLY SOCIAL SOCIALISM SOCIALIST SOCIALISTS SOCIALIZE SOCIALIZED SOCIALIZES SOCIALIZING SOCIALLY SOCIETAL SOCIETIES SOCIETY SOCIOECONOMIC SOCIOLOGICAL SOCIOLOGICALLY SOCIOLOGIST SOCIOLOGISTS SOCIOLOGY SOCK SOCKED SOCKET SOCKETS SOCKING SOCKS SOCRATES SOCRATIC SOD SODA SODDY SODIUM SODOMY SODS SOFA SOFAS SOFIA SOFT SOFTBALL SOFTEN SOFTENED SOFTENING SOFTENS SOFTER SOFTEST SOFTLY SOFTNESS SOFTWARE SOFTWARES SOGGY SOIL SOILED SOILING SOILS SOIREE SOJOURN SOJOURNER SOJOURNERS SOL SOLACE SOLACED SOLAR SOLD SOLDER SOLDERED SOLDIER SOLDIERING SOLDIERLY SOLDIERS SOLE SOLELY SOLEMN SOLEMNITY SOLEMNLY SOLEMNNESS SOLENOID SOLES SOLICIT SOLICITATION SOLICITED SOLICITING SOLICITOR SOLICITOUS SOLICITS SOLICITUDE SOLID SOLIDARITY SOLIDIFICATION SOLIDIFIED SOLIDIFIES SOLIDIFY SOLIDIFYING SOLIDITY SOLIDLY SOLIDNESS SOLIDS SOLILOQUY SOLITAIRE SOLITARY SOLITUDE SOLITUDES SOLLY SOLO SOLOMON SOLON SOLOS SOLOVIEV SOLSTICE SOLUBILITY SOLUBLE SOLUTION SOLUTIONS SOLVABLE SOLVE SOLVED SOLVENT SOLVENTS SOLVER SOLVERS SOLVES SOLVING SOMALI SOMALIA SOMALIS SOMATIC SOMBER SOMBERLY SOME SOMEBODY SOMEDAY SOMEHOW SOMEONE SOMEPLACE SOMERS SOMERSAULT SOMERSET SOMERVILLE SOMETHING SOMETIME SOMETIMES SOMEWHAT SOMEWHERE SOMMELIER SOMMERFELD SOMNOLENT SON SONAR SONATA SONENBERG SONG SONGBOOK SONGS SONIC SONNET SONNETS SONNY SONOMA SONORA SONS SONY SOON SOONER SOONEST SOOT SOOTH SOOTHE SOOTHED SOOTHER SOOTHES SOOTHING SOOTHSAYER SOPHIA SOPHIAS SOPHIE SOPHISTICATED SOPHISTICATION SOPHISTRY SOPHOCLEAN SOPHOCLES SOPHOMORE SOPHOMORES SOPRANO SORCERER SORCERERS SORCERY SORDID SORDIDLY SORDIDNESS SORE SORELY SORENESS SORENSEN SORENSON SORER SORES SOREST SORGHUM SORORITY SORREL SORRENTINE SORRIER SORRIEST SORROW SORROWFUL SORROWFULLY SORROWS SORRY SORT SORTED SORTER SORTERS SORTIE SORTING SORTS SOUGHT SOUL SOULFUL SOULS SOUND SOUNDED SOUNDER SOUNDEST SOUNDING SOUNDINGS SOUNDLY SOUNDNESS SOUNDPROOF SOUNDS SOUP SOUPED SOUPS SOUR SOURCE SOURCES SOURDOUGH SOURED SOURER SOUREST SOURING SOURLY SOURNESS SOURS SOUSA SOUTH SOUTHAMPTON SOUTHBOUND SOUTHEAST SOUTHEASTERN SOUTHERN SOUTHERNER SOUTHERNERS SOUTHERNMOST SOUTHERNWOOD SOUTHEY SOUTHFIELD SOUTHLAND SOUTHPAW SOUTHWARD SOUTHWEST SOUTHWESTERN SOUVENIR SOVEREIGN SOVEREIGNS SOVEREIGNTY SOVIET SOVIETS SOW SOWN SOY SOYA SOYBEAN SPA SPACE SPACECRAFT SPACED SPACER SPACERS SPACES SPACESHIP SPACESHIPS SPACESUIT SPACEWAR SPACING SPACINGS SPACIOUS SPADED SPADES SPADING SPAFFORD SPAHN SPAIN SPALDING SPAN SPANDREL SPANIARD SPANIARDIZATION SPANIARDIZATIONS SPANIARDIZE SPANIARDIZES SPANIARDS SPANIEL SPANISH SPANISHIZE SPANISHIZES SPANK SPANKED SPANKING SPANKS SPANNED SPANNER SPANNERS SPANNING SPANS SPARC SPARCSTATION SPARE SPARED SPARELY SPARENESS SPARER SPARES SPAREST SPARING SPARINGLY SPARK SPARKED SPARKING SPARKLE SPARKLING SPARKMAN SPARKS SPARRING SPARROW SPARROWS SPARSE SPARSELY SPARSENESS SPARSER SPARSEST SPARTA SPARTAN SPARTANIZE SPARTANIZES SPASM SPASTIC SPAT SPATE SPATES SPATIAL SPATIALLY SPATTER SPATTERED SPATULA SPAULDING SPAWN SPAWNED SPAWNING SPAWNS SPAYED SPEAK SPEAKABLE SPEAKEASY SPEAKER SPEAKERPHONE SPEAKERPHONES SPEAKERS SPEAKING SPEAKS SPEAR SPEARED SPEARMINT SPEARS SPEC SPECIAL SPECIALIST SPECIALISTS SPECIALIZATION SPECIALIZATIONS SPECIALIZE SPECIALIZED SPECIALIZES SPECIALIZING SPECIALLY SPECIALS SPECIALTIES SPECIALTY SPECIE SPECIES SPECIFIABLE SPECIFIC SPECIFICALLY SPECIFICATION SPECIFICATIONS SPECIFICITY SPECIFICS SPECIFIED SPECIFIER SPECIFIERS SPECIFIES SPECIFY SPECIFYING SPECIMEN SPECIMENS SPECIOUS SPECK SPECKLE SPECKLED SPECKLES SPECKS SPECTACLE SPECTACLED SPECTACLES SPECTACULAR SPECTACULARLY SPECTATOR SPECTATORS SPECTER SPECTERS SPECTOR SPECTRA SPECTRAL SPECTROGRAM SPECTROGRAMS SPECTROGRAPH SPECTROGRAPHIC SPECTROGRAPHY SPECTROMETER SPECTROPHOTOMETER SPECTROPHOTOMETRY SPECTROSCOPE SPECTROSCOPIC SPECTROSCOPY SPECTRUM SPECULATE SPECULATED SPECULATES SPECULATING SPECULATION SPECULATIONS SPECULATIVE SPECULATOR SPECULATORS SPED SPEECH SPEECHES SPEECHLESS SPEECHLESSNESS SPEED SPEEDBOAT SPEEDED SPEEDER SPEEDERS SPEEDILY SPEEDING SPEEDOMETER SPEEDS SPEEDUP SPEEDUPS SPEEDY SPELL SPELLBOUND SPELLED SPELLER SPELLERS SPELLING SPELLINGS SPELLS SPENCER SPENCERIAN SPEND SPENDER SPENDERS SPENDING SPENDS SPENGLERIAN SPENT SPERM SPERRY SPHERE SPHERES SPHERICAL SPHERICALLY SPHEROID SPHEROIDAL SPHINX SPICA SPICE SPICED SPICES SPICINESS SPICY SPIDER SPIDERS SPIDERY SPIEGEL SPIES SPIGOT SPIKE SPIKED SPIKES SPILL SPILLED SPILLER SPILLING SPILLS SPILT SPIN SPINACH SPINAL SPINALLY SPINDLE SPINDLED SPINDLING SPINE SPINNAKER SPINNER SPINNERS SPINNING SPINOFF SPINS SPINSTER SPINY SPIRAL SPIRALED SPIRALING SPIRALLY SPIRE SPIRES SPIRIT SPIRITED SPIRITEDLY SPIRITING SPIRITS SPIRITUAL SPIRITUALLY SPIRITUALS SPIRO SPIT SPITE SPITED SPITEFUL SPITEFULLY SPITEFULNESS SPITES SPITFIRE SPITING SPITS SPITTING SPITTLE SPITZ SPLASH SPLASHED SPLASHES SPLASHING SPLASHY SPLEEN SPLENDID SPLENDIDLY SPLENDOR SPLENETIC SPLICE SPLICED SPLICER SPLICERS SPLICES SPLICING SPLICINGS SPLINE SPLINES SPLINT SPLINTER SPLINTERED SPLINTERS SPLINTERY SPLIT SPLITS SPLITTER SPLITTERS SPLITTING SPLURGE SPOIL SPOILAGE SPOILED SPOILER SPOILERS SPOILING SPOILS SPOKANE SPOKE SPOKED SPOKEN SPOKES SPOKESMAN SPOKESMEN SPONGE SPONGED SPONGER SPONGERS SPONGES SPONGING SPONGY SPONSOR SPONSORED SPONSORING SPONSORS SPONSORSHIP SPONTANEITY SPONTANEOUS SPONTANEOUSLY SPOOF SPOOK SPOOKY SPOOL SPOOLED SPOOLER SPOOLERS SPOOLING SPOOLS SPOON SPOONED SPOONFUL SPOONING SPOONS SPORADIC SPORE SPORES SPORT SPORTED SPORTING SPORTINGLY SPORTIVE SPORTS SPORTSMAN SPORTSMEN SPORTSWEAR SPORTSWRITER SPORTSWRITING SPORTY SPOSATO SPOT SPOTLESS SPOTLESSLY SPOTLIGHT SPOTS SPOTTED SPOTTER SPOTTERS SPOTTING SPOTTY SPOUSE SPOUSES SPOUT SPOUTED SPOUTING SPOUTS SPRAGUE SPRAIN SPRANG SPRAWL SPRAWLED SPRAWLING SPRAWLS SPRAY SPRAYED SPRAYER SPRAYING SPRAYS SPREAD SPREADER SPREADERS SPREADING SPREADINGS SPREADS SPREADSHEET SPREE SPREES SPRIG SPRIGHTLY SPRING SPRINGBOARD SPRINGER SPRINGERS SPRINGFIELD SPRINGIER SPRINGIEST SPRINGINESS SPRINGING SPRINGS SPRINGTIME SPRINGY SPRINKLE SPRINKLED SPRINKLER SPRINKLES SPRINKLING SPRINT SPRINTED SPRINTER SPRINTERS SPRINTING SPRINTS SPRITE SPROCKET SPROUL SPROUT SPROUTED SPROUTING SPRUCE SPRUCED SPRUNG SPUDS SPUN SPUNK SPUR SPURIOUS SPURN SPURNED SPURNING SPURNS SPURS SPURT SPURTED SPURTING SPURTS SPUTTER SPUTTERED SPY SPYGLASS SPYING SQUABBLE SQUABBLED SQUABBLES SQUABBLING SQUAD SQUADRON SQUADRONS SQUADS SQUALID SQUALL SQUALLS SQUANDER SQUARE SQUARED SQUARELY SQUARENESS SQUARER SQUARES SQUAREST SQUARESVILLE SQUARING SQUASH SQUASHED SQUASHING SQUAT SQUATS SQUATTING SQUAW SQUAWK SQUAWKED SQUAWKING SQUAWKS SQUEAK SQUEAKED SQUEAKING SQUEAKS SQUEAKY SQUEAL SQUEALED SQUEALING SQUEALS SQUEAMISH SQUEEZE SQUEEZED SQUEEZER SQUEEZES SQUEEZING SQUELCH SQUIBB SQUID SQUINT SQUINTED SQUINTING SQUIRE SQUIRES SQUIRM SQUIRMED SQUIRMS SQUIRMY SQUIRREL SQUIRRELED SQUIRRELING SQUIRRELS SQUIRT SQUISHY SRI STAB STABBED STABBING STABILE STABILITIES STABILITY STABILIZE STABILIZED STABILIZER STABILIZERS STABILIZES STABILIZING STABLE STABLED STABLER STABLES STABLING STABLY STABS STACK STACKED STACKING STACKS STACY STADIA STADIUM STAFF STAFFED STAFFER STAFFERS STAFFING STAFFORD STAFFORDSHIRE STAFFS STAG STAGE STAGECOACH STAGECOACHES STAGED STAGER STAGERS STAGES STAGGER STAGGERED STAGGERING STAGGERS STAGING STAGNANT STAGNATE STAGNATION STAGS STAHL STAID STAIN STAINED STAINING STAINLESS STAINS STAIR STAIRCASE STAIRCASES STAIRS STAIRWAY STAIRWAYS STAIRWELL STAKE STAKED STAKES STALACTITE STALE STALEMATE STALEY STALIN STALINIST STALINS STALK STALKED STALKING STALL STALLED STALLING STALLINGS STALLION STALLS STALWART STALWARTLY STAMEN STAMENS STAMFORD STAMINA STAMMER STAMMERED STAMMERER STAMMERING STAMMERS STAMP STAMPED STAMPEDE STAMPEDED STAMPEDES STAMPEDING STAMPER STAMPERS STAMPING STAMPS STAN STANCH STANCHEST STANCHION STAND STANDARD STANDARDIZATION STANDARDIZE STANDARDIZED STANDARDIZES STANDARDIZING STANDARDLY STANDARDS STANDBY STANDING STANDINGS STANDISH STANDOFF STANDPOINT STANDPOINTS STANDS STANDSTILL STANFORD STANHOPE STANLEY STANS STANTON STANZA STANZAS STAPHYLOCOCCUS STAPLE STAPLER STAPLES STAPLETON STAPLING STAR STARBOARD STARCH STARCHED STARDOM STARE STARED STARER STARES STARFISH STARGATE STARING STARK STARKEY STARKLY STARLET STARLIGHT STARLING STARR STARRED STARRING STARRY STARS START STARTED STARTER STARTERS STARTING STARTLE STARTLED STARTLES STARTLING STARTS STARTUP STARTUPS STARVATION STARVE STARVED STARVES STARVING STATE STATED STATELY STATEMENT STATEMENTS STATEN STATES STATESMAN STATESMANLIKE STATESMEN STATEWIDE STATIC STATICALLY STATING STATION STATIONARY STATIONED STATIONER STATIONERY STATIONING STATIONMASTER STATIONS STATISTIC STATISTICAL STATISTICALLY STATISTICIAN STATISTICIANS STATISTICS STATLER STATUE STATUES STATUESQUE STATUESQUELY STATUESQUENESS STATUETTE STATURE STATUS STATUSES STATUTE STATUTES STATUTORILY STATUTORINESS STATUTORY STAUFFER STAUNCH STAUNCHEST STAUNCHLY STAUNTON STAVE STAVED STAVES STAY STAYED STAYING STAYS STEAD STEADFAST STEADFASTLY STEADFASTNESS STEADIED STEADIER STEADIES STEADIEST STEADILY STEADINESS STEADY STEADYING STEAK STEAKS STEAL STEALER STEALING STEALS STEALTH STEALTHILY STEALTHY STEAM STEAMBOAT STEAMBOATS STEAMED STEAMER STEAMERS STEAMING STEAMS STEAMSHIP STEAMSHIPS STEAMY STEARNS STEED STEEL STEELE STEELED STEELERS STEELING STEELMAKER STEELS STEELY STEEN STEEP STEEPED STEEPER STEEPEST STEEPING STEEPLE STEEPLES STEEPLY STEEPNESS STEEPS STEER STEERABLE STEERED STEERING STEERS STEFAN STEGOSAURUS STEINBECK STEINBERG STEINER STELLA STELLAR STEM STEMMED STEMMING STEMS STENCH STENCHES STENCIL STENCILS STENDHAL STENDLER STENOGRAPHER STENOGRAPHERS STENOTYPE STEP STEPCHILD STEPHAN STEPHANIE STEPHEN STEPHENS STEPHENSON STEPMOTHER STEPMOTHERS STEPPED STEPPER STEPPING STEPS STEPSON STEPWISE STEREO STEREOS STEREOSCOPIC STEREOTYPE STEREOTYPED STEREOTYPES STEREOTYPICAL STERILE STERILIZATION STERILIZATIONS STERILIZE STERILIZED STERILIZER STERILIZES STERILIZING STERLING STERN STERNBERG STERNLY STERNNESS STERNO STERNS STETHOSCOPE STETSON STETSONS STEUBEN STEVE STEVEDORE STEVEN STEVENS STEVENSON STEVIE STEW STEWARD STEWARDESS STEWARDS STEWART STEWED STEWS STICK STICKER STICKERS STICKIER STICKIEST STICKILY STICKINESS STICKING STICKLEBACK STICKS STICKY STIFF STIFFEN STIFFENS STIFFER STIFFEST STIFFLY STIFFNESS STIFFS STIFLE STIFLED STIFLES STIFLING STIGMA STIGMATA STILE STILES STILETTO STILL STILLBIRTH STILLBORN STILLED STILLER STILLEST STILLING STILLNESS STILLS STILLWELL STILT STILTS STIMSON STIMULANT STIMULANTS STIMULATE STIMULATED STIMULATES STIMULATING STIMULATION STIMULATIONS STIMULATIVE STIMULI STIMULUS STING STINGING STINGS STINGY STINK STINKER STINKERS STINKING STINKS STINT STIPEND STIPENDS STIPULATE STIPULATED STIPULATES STIPULATING STIPULATION STIPULATIONS STIR STIRLING STIRRED STIRRER STIRRERS STIRRING STIRRINGLY STIRRINGS STIRRUP STIRS STITCH STITCHED STITCHES STITCHING STOCHASTIC STOCHASTICALLY STOCK STOCKADE STOCKADES STOCKBROKER STOCKED STOCKER STOCKERS STOCKHOLDER STOCKHOLDERS STOCKHOLM STOCKING STOCKINGS STOCKPILE STOCKROOM STOCKS STOCKTON STOCKY STODGY STOICHIOMETRY STOKE STOKES STOLE STOLEN STOLES STOLID STOMACH STOMACHED STOMACHER STOMACHES STOMACHING STOMP STONE STONED STONEHENGE STONES STONING STONY STOOD STOOGE STOOL STOOP STOOPED STOOPING STOOPS STOP STOPCOCK STOPCOCKS STOPGAP STOPOVER STOPPABLE STOPPAGE STOPPED STOPPER STOPPERS STOPPING STOPS STOPWATCH STORAGE STORAGES STORE STORED STOREHOUSE STOREHOUSES STOREKEEPER STOREROOM STORES STOREY STOREYED STOREYS STORIED STORIES STORING STORK STORKS STORM STORMED STORMIER STORMIEST STORMINESS STORMING STORMS STORMY STORY STORYBOARD STORYTELLER STOUFFER STOUT STOUTER STOUTEST STOUTLY STOUTNESS STOVE STOVES STOW STOWE STOWED STRADDLE STRAFE STRAGGLE STRAGGLED STRAGGLER STRAGGLERS STRAGGLES STRAGGLING STRAIGHT STRAIGHTAWAY STRAIGHTEN STRAIGHTENED STRAIGHTENS STRAIGHTER STRAIGHTEST STRAIGHTFORWARD STRAIGHTFORWARDLY STRAIGHTFORWARDNESS STRAIGHTNESS STRAIGHTWAY STRAIN STRAINED STRAINER STRAINERS STRAINING STRAINS STRAIT STRAITEN STRAITS STRAND STRANDED STRANDING STRANDS STRANGE STRANGELY STRANGENESS STRANGER STRANGERS STRANGEST STRANGLE STRANGLED STRANGLER STRANGLERS STRANGLES STRANGLING STRANGLINGS STRANGULATION STRANGULATIONS STRAP STRAPS STRASBOURG STRATAGEM STRATAGEMS STRATEGIC STRATEGIES STRATEGIST STRATEGY STRATFORD STRATIFICATION STRATIFICATIONS STRATIFIED STRATIFIES STRATIFY STRATOSPHERE STRATOSPHERIC STRATTON STRATUM STRAUSS STRAVINSKY STRAW STRAWBERRIES STRAWBERRY STRAWS STRAY STRAYED STRAYS STREAK STREAKED STREAKS STREAM STREAMED STREAMER STREAMERS STREAMING STREAMLINE STREAMLINED STREAMLINER STREAMLINES STREAMLINING STREAMS STREET STREETCAR STREETCARS STREETERS STREETS STRENGTH STRENGTHEN STRENGTHENED STRENGTHENER STRENGTHENING STRENGTHENS STRENGTHS STRENUOUS STRENUOUSLY STREPTOCOCCUS STRESS STRESSED STRESSES STRESSFUL STRESSING STRETCH STRETCHED STRETCHER STRETCHERS STRETCHES STRETCHING STREW STREWN STREWS STRICKEN STRICKLAND STRICT STRICTER STRICTEST STRICTLY STRICTNESS STRICTURE STRIDE STRIDER STRIDES STRIDING STRIFE STRIKE STRIKEBREAKER STRIKER STRIKERS STRIKES STRIKING STRIKINGLY STRINDBERG STRING STRINGED STRINGENT STRINGENTLY STRINGER STRINGERS STRINGIER STRINGIEST STRINGINESS STRINGING STRINGS STRINGY STRIP STRIPE STRIPED STRIPES STRIPPED STRIPPER STRIPPERS STRIPPING STRIPS STRIPTEASE STRIVE STRIVEN STRIVES STRIVING STRIVINGS STROBE STROBED STROBES STROBOSCOPIC STRODE STROKE STROKED STROKER STROKERS STROKES STROKING STROLL STROLLED STROLLER STROLLING STROLLS STROM STROMBERG STRONG STRONGER STRONGEST STRONGHEART STRONGHOLD STRONGLY STRONTIUM STROVE STRUCK STRUCTURAL STRUCTURALLY STRUCTURE STRUCTURED STRUCTURER STRUCTURES STRUCTURING STRUGGLE STRUGGLED STRUGGLES STRUGGLING STRUNG STRUT STRUTS STRUTTING STRYCHNINE STU STUART STUB STUBBLE STUBBLEFIELD STUBBLEFIELDS STUBBORN STUBBORNLY STUBBORNNESS STUBBY STUBS STUCCO STUCK STUD STUDEBAKER STUDENT STUDENTS STUDIED STUDIES STUDIO STUDIOS STUDIOUS STUDIOUSLY STUDS STUDY STUDYING STUFF STUFFED STUFFIER STUFFIEST STUFFING STUFFS STUFFY STUMBLE STUMBLED STUMBLES STUMBLING STUMP STUMPED STUMPING STUMPS STUN STUNG STUNNING STUNNINGLY STUNT STUNTS STUPEFY STUPEFYING STUPENDOUS STUPENDOUSLY STUPID STUPIDEST STUPIDITIES STUPIDITY STUPIDLY STUPOR STURBRIDGE STURDINESS STURDY STURGEON STURM STUTTER STUTTGART STUYVESANT STYGIAN STYLE STYLED STYLER STYLERS STYLES STYLI STYLING STYLISH STYLISHLY STYLISHNESS STYLISTIC STYLISTICALLY STYLIZED STYLUS STYROFOAM STYX SUAVE SUB SUBATOMIC SUBCHANNEL SUBCHANNELS SUBCLASS SUBCLASSES SUBCOMMITTEES SUBCOMPONENT SUBCOMPONENTS SUBCOMPUTATION SUBCOMPUTATIONS SUBCONSCIOUS SUBCONSCIOUSLY SUBCULTURE SUBCULTURES SUBCYCLE SUBCYCLES SUBDIRECTORIES SUBDIRECTORY SUBDIVIDE SUBDIVIDED SUBDIVIDES SUBDIVIDING SUBDIVISION SUBDIVISIONS SUBDOMAINS SUBDUE SUBDUED SUBDUES SUBDUING SUBEXPRESSION SUBEXPRESSIONS SUBFIELD SUBFIELDS SUBFILE SUBFILES SUBGOAL SUBGOALS SUBGRAPH SUBGRAPHS SUBGROUP SUBGROUPS SUBINTERVAL SUBINTERVALS SUBJECT SUBJECTED SUBJECTING SUBJECTION SUBJECTIVE SUBJECTIVELY SUBJECTIVITY SUBJECTS SUBLANGUAGE SUBLANGUAGES SUBLAYER SUBLAYERS SUBLIMATION SUBLIMATIONS SUBLIME SUBLIMED SUBLIST SUBLISTS SUBMARINE SUBMARINER SUBMARINERS SUBMARINES SUBMERGE SUBMERGED SUBMERGES SUBMERGING SUBMISSION SUBMISSIONS SUBMISSIVE SUBMIT SUBMITS SUBMITTAL SUBMITTED SUBMITTING SUBMODE SUBMODES SUBMODULE SUBMODULES SUBMULTIPLEXED SUBNET SUBNETS SUBNETWORK SUBNETWORKS SUBOPTIMAL SUBORDINATE SUBORDINATED SUBORDINATES SUBORDINATION SUBPARTS SUBPHASES SUBPOENA SUBPROBLEM SUBPROBLEMS SUBPROCESSES SUBPROGRAM SUBPROGRAMS SUBPROJECT SUBPROOF SUBPROOFS SUBRANGE SUBRANGES SUBROUTINE SUBROUTINES SUBS SUBSCHEMA SUBSCHEMAS SUBSCRIBE SUBSCRIBED SUBSCRIBER SUBSCRIBERS SUBSCRIBES SUBSCRIBING SUBSCRIPT SUBSCRIPTED SUBSCRIPTING SUBSCRIPTION SUBSCRIPTIONS SUBSCRIPTS SUBSECTION SUBSECTIONS SUBSEGMENT SUBSEGMENTS SUBSEQUENCE SUBSEQUENCES SUBSEQUENT SUBSEQUENTLY SUBSERVIENT SUBSET SUBSETS SUBSIDE SUBSIDED SUBSIDES SUBSIDIARIES SUBSIDIARY SUBSIDIES SUBSIDING SUBSIDIZE SUBSIDIZED SUBSIDIZES SUBSIDIZING SUBSIDY SUBSIST SUBSISTED SUBSISTENCE SUBSISTENT SUBSISTING SUBSISTS SUBSLOT SUBSLOTS SUBSPACE SUBSPACES SUBSTANCE SUBSTANCES SUBSTANTIAL SUBSTANTIALLY SUBSTANTIATE SUBSTANTIATED SUBSTANTIATES SUBSTANTIATING SUBSTANTIATION SUBSTANTIATIONS SUBSTANTIVE SUBSTANTIVELY SUBSTANTIVITY SUBSTATION SUBSTATIONS SUBSTITUTABILITY SUBSTITUTABLE SUBSTITUTE SUBSTITUTED SUBSTITUTES SUBSTITUTING SUBSTITUTION SUBSTITUTIONS SUBSTRATE SUBSTRATES SUBSTRING SUBSTRINGS SUBSTRUCTURE SUBSTRUCTURES SUBSUME SUBSUMED SUBSUMES SUBSUMING SUBSYSTEM SUBSYSTEMS SUBTASK SUBTASKS SUBTERFUGE SUBTERRANEAN SUBTITLE SUBTITLED SUBTITLES SUBTLE SUBTLENESS SUBTLER SUBTLEST SUBTLETIES SUBTLETY SUBTLY SUBTOTAL SUBTRACT SUBTRACTED SUBTRACTING SUBTRACTION SUBTRACTIONS SUBTRACTOR SUBTRACTORS SUBTRACTS SUBTRAHEND SUBTRAHENDS SUBTREE SUBTREES SUBUNIT SUBUNITS SUBURB SUBURBAN SUBURBIA SUBURBS SUBVERSION SUBVERSIVE SUBVERT SUBVERTED SUBVERTER SUBVERTING SUBVERTS SUBWAY SUBWAYS SUCCEED SUCCEEDED SUCCEEDING SUCCEEDS SUCCESS SUCCESSES SUCCESSFUL SUCCESSFULLY SUCCESSION SUCCESSIONS SUCCESSIVE SUCCESSIVELY SUCCESSOR SUCCESSORS SUCCINCT SUCCINCTLY SUCCINCTNESS SUCCOR SUCCUMB SUCCUMBED SUCCUMBING SUCCUMBS SUCH SUCK SUCKED SUCKER SUCKERS SUCKING SUCKLE SUCKLING SUCKS SUCTION SUDAN SUDANESE SUDANIC SUDDEN SUDDENLY SUDDENNESS SUDS SUDSING SUE SUED SUES SUEZ SUFFER SUFFERANCE SUFFERED SUFFERER SUFFERERS SUFFERING SUFFERINGS SUFFERS SUFFICE SUFFICED SUFFICES SUFFICIENCY SUFFICIENT SUFFICIENTLY SUFFICING SUFFIX SUFFIXED SUFFIXER SUFFIXES SUFFIXING SUFFOCATE SUFFOCATED SUFFOCATES SUFFOCATING SUFFOCATION SUFFOLK SUFFRAGE SUFFRAGETTE SUGAR SUGARED SUGARING SUGARINGS SUGARS SUGGEST SUGGESTED SUGGESTIBLE SUGGESTING SUGGESTION SUGGESTIONS SUGGESTIVE SUGGESTIVELY SUGGESTS SUICIDAL SUICIDALLY SUICIDE SUICIDES SUING SUIT SUITABILITY SUITABLE SUITABLENESS SUITABLY SUITCASE SUITCASES SUITE SUITED SUITERS SUITES SUITING SUITOR SUITORS SUITS SUKARNO SULFA SULFUR SULFURIC SULFUROUS SULK SULKED SULKINESS SULKING SULKS SULKY SULLEN SULLENLY SULLENNESS SULLIVAN SULPHATE SULPHUR SULPHURED SULPHURIC SULTAN SULTANS SULTRY SULZBERGER SUM SUMAC SUMATRA SUMERIA SUMERIAN SUMMAND SUMMANDS SUMMARIES SUMMARILY SUMMARIZATION SUMMARIZATIONS SUMMARIZE SUMMARIZED SUMMARIZES SUMMARIZING SUMMARY SUMMATION SUMMATIONS SUMMED SUMMER SUMMERDALE SUMMERS SUMMERTIME SUMMING SUMMIT SUMMITRY SUMMON SUMMONED SUMMONER SUMMONERS SUMMONING SUMMONS SUMMONSES SUMNER SUMPTUOUS SUMS SUMTER SUN SUNBEAM SUNBEAMS SUNBELT SUNBONNET SUNBURN SUNBURNT SUNDAY SUNDAYS SUNDER SUNDIAL SUNDOWN SUNDRIES SUNDRY SUNFLOWER SUNG SUNGLASS SUNGLASSES SUNK SUNKEN SUNLIGHT SUNLIT SUNNED SUNNING SUNNY SUNNYVALE SUNRISE SUNS SUNSET SUNSHINE SUNSPOT SUNTAN SUNTANNED SUNTANNING SUPER SUPERB SUPERBLOCK SUPERBLY SUPERCOMPUTER SUPERCOMPUTERS SUPEREGO SUPEREGOS SUPERFICIAL SUPERFICIALLY SUPERFLUITIES SUPERFLUITY SUPERFLUOUS SUPERFLUOUSLY SUPERGROUP SUPERGROUPS SUPERHUMAN SUPERHUMANLY SUPERIMPOSE SUPERIMPOSED SUPERIMPOSES SUPERIMPOSING SUPERINTEND SUPERINTENDENT SUPERINTENDENTS SUPERIOR SUPERIORITY SUPERIORS SUPERLATIVE SUPERLATIVELY SUPERLATIVES SUPERMARKET SUPERMARKETS SUPERMINI SUPERMINIS SUPERNATURAL SUPERPOSE SUPERPOSED SUPERPOSES SUPERPOSING SUPERPOSITION SUPERSCRIPT SUPERSCRIPTED SUPERSCRIPTING SUPERSCRIPTS SUPERSEDE SUPERSEDED SUPERSEDES SUPERSEDING SUPERSET SUPERSETS SUPERSTITION SUPERSTITIONS SUPERSTITIOUS SUPERUSER SUPERVISE SUPERVISED SUPERVISES SUPERVISING SUPERVISION SUPERVISOR SUPERVISORS SUPERVISORY SUPINE SUPPER SUPPERS SUPPLANT SUPPLANTED SUPPLANTING SUPPLANTS SUPPLE SUPPLEMENT SUPPLEMENTAL SUPPLEMENTARY SUPPLEMENTED SUPPLEMENTING SUPPLEMENTS SUPPLENESS SUPPLICATION SUPPLIED SUPPLIER SUPPLIERS SUPPLIES SUPPLY SUPPLYING SUPPORT SUPPORTABLE SUPPORTED SUPPORTER SUPPORTERS SUPPORTING SUPPORTINGLY SUPPORTIVE SUPPORTIVELY SUPPORTS SUPPOSE SUPPOSED SUPPOSEDLY SUPPOSES SUPPOSING SUPPOSITION SUPPOSITIONS SUPPRESS SUPPRESSED SUPPRESSES SUPPRESSING SUPPRESSION SUPPRESSOR SUPPRESSORS SUPRANATIONAL SUPREMACY SUPREME SUPREMELY SURCHARGE SURE SURELY SURENESS SURETIES SURETY SURF SURFACE SURFACED SURFACENESS SURFACES SURFACING SURGE SURGED SURGEON SURGEONS SURGERY SURGES SURGICAL SURGICALLY SURGING SURLINESS SURLY SURMISE SURMISED SURMISES SURMOUNT SURMOUNTED SURMOUNTING SURMOUNTS SURNAME SURNAMES SURPASS SURPASSED SURPASSES SURPASSING SURPLUS SURPLUSES SURPRISE SURPRISED SURPRISES SURPRISING SURPRISINGLY SURREAL SURRENDER SURRENDERED SURRENDERING SURRENDERS SURREPTITIOUS SURREY SURROGATE SURROGATES SURROUND SURROUNDED SURROUNDING SURROUNDINGS SURROUNDS SURTAX SURVEY SURVEYED SURVEYING SURVEYOR SURVEYORS SURVEYS SURVIVAL SURVIVALS SURVIVE SURVIVED SURVIVES SURVIVING SURVIVOR SURVIVORS SUS SUSAN SUSANNE SUSCEPTIBLE SUSIE SUSPECT SUSPECTED SUSPECTING SUSPECTS SUSPEND SUSPENDED SUSPENDER SUSPENDERS SUSPENDING SUSPENDS SUSPENSE SUSPENSES SUSPENSION SUSPENSIONS SUSPICION SUSPICIONS SUSPICIOUS SUSPICIOUSLY SUSQUEHANNA SUSSEX SUSTAIN SUSTAINED SUSTAINING SUSTAINS SUSTENANCE SUTHERLAND SUTTON SUTURE SUTURES SUWANEE SUZANNE SUZERAINTY SUZUKI SVELTE SVETLANA SWAB SWABBING SWAGGER SWAGGERED SWAGGERING SWAHILI SWAIN SWAINS SWALLOW SWALLOWED SWALLOWING SWALLOWS SWALLOWTAIL SWAM SWAMI SWAMP SWAMPED SWAMPING SWAMPS SWAMPY SWAN SWANK SWANKY SWANLIKE SWANS SWANSEA SWANSON SWAP SWAPPED SWAPPING SWAPS SWARM SWARMED SWARMING SWARMS SWARTHMORE SWARTHOUT SWARTHY SWARTZ SWASTIKA SWAT SWATTED SWAY SWAYED SWAYING SWAZILAND SWEAR SWEARER SWEARING SWEARS SWEAT SWEATED SWEATER SWEATERS SWEATING SWEATS SWEATSHIRT SWEATY SWEDE SWEDEN SWEDES SWEDISH SWEENEY SWEENEYS SWEEP SWEEPER SWEEPERS SWEEPING SWEEPINGS SWEEPS SWEEPSTAKES SWEET SWEETEN SWEETENED SWEETENER SWEETENERS SWEETENING SWEETENINGS SWEETENS SWEETER SWEETEST SWEETHEART SWEETHEARTS SWEETISH SWEETLY SWEETNESS SWEETS SWELL SWELLED SWELLING SWELLINGS SWELLS SWELTER SWENSON SWEPT SWERVE SWERVED SWERVES SWERVING SWIFT SWIFTER SWIFTEST SWIFTLY SWIFTNESS SWIM SWIMMER SWIMMERS SWIMMING SWIMMINGLY SWIMS SWIMSUIT SWINBURNE SWINDLE SWINE SWING SWINGER SWINGERS SWINGING SWINGS SWINK SWIPE SWIRL SWIRLED SWIRLING SWISH SWISHED SWISS SWITCH SWITCHBLADE SWITCHBOARD SWITCHBOARDS SWITCHED SWITCHER SWITCHERS SWITCHES SWITCHING SWITCHINGS SWITCHMAN SWITZER SWITZERLAND SWIVEL SWIZZLE SWOLLEN SWOON SWOOP SWOOPED SWOOPING SWOOPS SWORD SWORDFISH SWORDS SWORE SWORN SWUM SWUNG SYBIL SYCAMORE SYCOPHANT SYCOPHANTIC SYDNEY SYKES SYLLABLE SYLLABLES SYLLOGISM SYLLOGISMS SYLLOGISTIC SYLOW SYLVAN SYLVANIA SYLVESTER SYLVIA SYLVIE SYMBIOSIS SYMBIOTIC SYMBOL SYMBOLIC SYMBOLICALLY SYMBOLICS SYMBOLISM SYMBOLIZATION SYMBOLIZE SYMBOLIZED SYMBOLIZES SYMBOLIZING SYMBOLS SYMINGTON SYMMETRIC SYMMETRICAL SYMMETRICALLY SYMMETRIES SYMMETRY SYMPATHETIC SYMPATHIES SYMPATHIZE SYMPATHIZED SYMPATHIZER SYMPATHIZERS SYMPATHIZES SYMPATHIZING SYMPATHIZINGLY SYMPATHY SYMPHONIC SYMPHONIES SYMPHONY SYMPOSIA SYMPOSIUM SYMPOSIUMS SYMPTOM SYMPTOMATIC SYMPTOMS SYNAGOGUE SYNAPSE SYNAPSES SYNAPTIC SYNCHRONISM SYNCHRONIZATION SYNCHRONIZE SYNCHRONIZED SYNCHRONIZER SYNCHRONIZERS SYNCHRONIZES SYNCHRONIZING SYNCHRONOUS SYNCHRONOUSLY SYNCHRONY SYNCHROTRON SYNCOPATE SYNDICATE SYNDICATED SYNDICATES SYNDICATION SYNDROME SYNDROMES SYNERGISM SYNERGISTIC SYNERGY SYNGE SYNOD SYNONYM SYNONYMOUS SYNONYMOUSLY SYNONYMS SYNOPSES SYNOPSIS SYNTACTIC SYNTACTICAL SYNTACTICALLY SYNTAX SYNTAXES SYNTHESIS SYNTHESIZE SYNTHESIZED SYNTHESIZER SYNTHESIZERS SYNTHESIZES SYNTHESIZING SYNTHETIC SYNTHETICS SYRACUSE SYRIA SYRIAN SYRIANIZE SYRIANIZES SYRIANS SYRINGE SYRINGES SYRUP SYRUPY SYSTEM SYSTEMATIC SYSTEMATICALLY SYSTEMATIZE SYSTEMATIZED SYSTEMATIZES SYSTEMATIZING SYSTEMIC SYSTEMS SYSTEMWIDE SZILARD TAB TABERNACLE TABERNACLES TABLE TABLEAU TABLEAUS TABLECLOTH TABLECLOTHS TABLED TABLES TABLESPOON TABLESPOONFUL TABLESPOONFULS TABLESPOONS TABLET TABLETS TABLING TABOO TABOOS TABS TABULAR TABULATE TABULATED TABULATES TABULATING TABULATION TABULATIONS TABULATOR TABULATORS TACHOMETER TACHOMETERS TACIT TACITLY TACITUS TACK TACKED TACKING TACKLE TACKLES TACOMA TACT TACTIC TACTICS TACTILE TAFT TAG TAGGED TAGGING TAGS TAHITI TAHOE TAIL TAILED TAILING TAILOR TAILORED TAILORING TAILORS TAILS TAINT TAINTED TAIPEI TAIWAN TAIWANESE TAKE TAKEN TAKER TAKERS TAKES TAKING TAKINGS TALE TALENT TALENTED TALENTS TALES TALK TALKATIVE TALKATIVELY TALKATIVENESS TALKED TALKER TALKERS TALKIE TALKING TALKS TALL TALLADEGA TALLAHASSEE TALLAHATCHIE TALLAHOOSA TALLCHIEF TALLER TALLEST TALLEYRAND TALLNESS TALLOW TALLY TALMUD TALMUDISM TALMUDIZATION TALMUDIZATIONS TALMUDIZE TALMUDIZES TAME TAMED TAMELY TAMENESS TAMER TAMES TAMIL TAMING TAMMANY TAMMANYIZE TAMMANYIZES TAMPA TAMPER TAMPERED TAMPERING TAMPERS TAN TANAKA TANANARIVE TANDEM TANG TANGANYIKA TANGENT TANGENTIAL TANGENTS TANGIBLE TANGIBLY TANGLE TANGLED TANGY TANK TANKER TANKERS TANKS TANNENBAUM TANNER TANNERS TANTALIZING TANTALIZINGLY TANTALUS TANTAMOUNT TANTRUM TANTRUMS TANYA TANZANIA TAOISM TAOIST TAOS TAP TAPE TAPED TAPER TAPERED TAPERING TAPERS TAPES TAPESTRIES TAPESTRY TAPING TAPINGS TAPPED TAPPER TAPPERS TAPPING TAPROOT TAPROOTS TAPS TAR TARA TARBELL TARDINESS TARDY TARGET TARGETED TARGETING TARGETS TARIFF TARIFFS TARRY TARRYTOWN TART TARTARY TARTLY TARTNESS TARTUFFE TARZAN TASK TASKED TASKING TASKS TASMANIA TASS TASSEL TASSELS TASTE TASTED TASTEFUL TASTEFULLY TASTEFULNESS TASTELESS TASTELESSLY TASTER TASTERS TASTES TASTING TATE TATTER TATTERED TATTOO TATTOOED TATTOOS TAU TAUGHT TAUNT TAUNTED TAUNTER TAUNTING TAUNTS TAURUS TAUT TAUTLY TAUTNESS TAUTOLOGICAL TAUTOLOGICALLY TAUTOLOGIES TAUTOLOGY TAVERN TAVERNS TAWNEY TAWNY TAX TAXABLE TAXATION TAXED TAXES TAXI TAXICAB TAXICABS TAXIED TAXIING TAXING TAXIS TAXONOMIC TAXONOMICALLY TAXONOMY TAXPAYER TAXPAYERS TAYLOR TAYLORIZE TAYLORIZES TAYLORS TCHAIKOVSKY TEA TEACH TEACHABLE TEACHER TEACHERS TEACHES TEACHING TEACHINGS TEACUP TEAM TEAMED TEAMING TEAMS TEAR TEARED TEARFUL TEARFULLY TEARING TEARS TEAS TEASE TEASED TEASES TEASING TEASPOON TEASPOONFUL TEASPOONFULS TEASPOONS TECHNICAL TECHNICALITIES TECHNICALITY TECHNICALLY TECHNICIAN TECHNICIANS TECHNION TECHNIQUE TECHNIQUES TECHNOLOGICAL TECHNOLOGICALLY TECHNOLOGIES TECHNOLOGIST TECHNOLOGISTS TECHNOLOGY TED TEDDY TEDIOUS TEDIOUSLY TEDIOUSNESS TEDIUM TEEM TEEMED TEEMING TEEMS TEEN TEENAGE TEENAGED TEENAGER TEENAGERS TEENS TEETH TEETHE TEETHED TEETHES TEETHING TEFLON TEGUCIGALPA TEHERAN TEHRAN TEKTRONIX TELECOMMUNICATION TELECOMMUNICATIONS TELEDYNE TELEFUNKEN TELEGRAM TELEGRAMS TELEGRAPH TELEGRAPHED TELEGRAPHER TELEGRAPHERS TELEGRAPHIC TELEGRAPHING TELEGRAPHS TELEMANN TELEMETRY TELEOLOGICAL TELEOLOGICALLY TELEOLOGY TELEPATHY TELEPHONE TELEPHONED TELEPHONER TELEPHONERS TELEPHONES TELEPHONIC TELEPHONING TELEPHONY TELEPROCESSING TELESCOPE TELESCOPED TELESCOPES TELESCOPING TELETEX TELETEXT TELETYPE TELETYPES TELEVISE TELEVISED TELEVISES TELEVISING TELEVISION TELEVISIONS TELEVISOR TELEVISORS TELEX TELL TELLER TELLERS TELLING TELLS TELNET TELNET TEMPER TEMPERAMENT TEMPERAMENTAL TEMPERAMENTS TEMPERANCE TEMPERATE TEMPERATELY TEMPERATENESS TEMPERATURE TEMPERATURES TEMPERED TEMPERING TEMPERS TEMPEST TEMPESTUOUS TEMPESTUOUSLY TEMPLATE TEMPLATES TEMPLE TEMPLEMAN TEMPLES TEMPLETON TEMPORAL TEMPORALLY TEMPORARIES TEMPORARILY TEMPORARY TEMPT TEMPTATION TEMPTATIONS TEMPTED TEMPTER TEMPTERS TEMPTING TEMPTINGLY TEMPTS TEN TENACIOUS TENACIOUSLY TENANT TENANTS TEND TENDED TENDENCIES TENDENCY TENDER TENDERLY TENDERNESS TENDERS TENDING TENDS TENEMENT TENEMENTS TENEX TENEX TENFOLD TENNECO TENNESSEE TENNEY TENNIS TENNYSON TENOR TENORS TENS TENSE TENSED TENSELY TENSENESS TENSER TENSES TENSEST TENSING TENSION TENSIONS TENT TENTACLE TENTACLED TENTACLES TENTATIVE TENTATIVELY TENTED TENTH TENTING TENTS TENURE TERESA TERM TERMED TERMINAL TERMINALLY TERMINALS TERMINATE TERMINATED TERMINATES TERMINATING TERMINATION TERMINATIONS TERMINATOR TERMINATORS TERMING TERMINOLOGIES TERMINOLOGY TERMINUS TERMS TERMWISE TERNARY TERPSICHORE TERRA TERRACE TERRACED TERRACES TERRAIN TERRAINS TERRAN TERRE TERRESTRIAL TERRESTRIALS TERRIBLE TERRIBLY TERRIER TERRIERS TERRIFIC TERRIFIED TERRIFIES TERRIFY TERRIFYING TERRITORIAL TERRITORIES TERRITORY TERROR TERRORISM TERRORIST TERRORISTIC TERRORISTS TERRORIZE TERRORIZED TERRORIZES TERRORIZING TERRORS TERTIARY TESS TESSIE TEST TESTABILITY TESTABLE TESTAMENT TESTAMENTS TESTED TESTER TESTERS TESTICLE TESTICLES TESTIFIED TESTIFIER TESTIFIERS TESTIFIES TESTIFY TESTIFYING TESTIMONIES TESTIMONY TESTING TESTINGS TESTS TEUTONIC TEX TEX TEXACO TEXAN TEXANS TEXAS TEXASES TEXT TEXTBOOK TEXTBOOKS TEXTILE TEXTILES TEXTRON TEXTS TEXTUAL TEXTUALLY TEXTURE TEXTURED TEXTURES THAI THAILAND THALIA THAMES THAN THANK THANKED THANKFUL THANKFULLY THANKFULNESS THANKING THANKLESS THANKLESSLY THANKLESSNESS THANKS THANKSGIVING THANKSGIVINGS THAT THATCH THATCHES THATS THAW THAWED THAWING THAWS THAYER THE THEA THEATER THEATERS THEATRICAL THEATRICALLY THEATRICALS THEBES THEFT THEFTS THEIR THEIRS THELMA THEM THEMATIC THEME THEMES THEMSELVES THEN THENCE THENCEFORTH THEODORE THEODOSIAN THEODOSIUS THEOLOGICAL THEOLOGY THEOREM THEOREMS THEORETIC THEORETICAL THEORETICALLY THEORETICIANS THEORIES THEORIST THEORISTS THEORIZATION THEORIZATIONS THEORIZE THEORIZED THEORIZER THEORIZERS THEORIZES THEORIZING THEORY THERAPEUTIC THERAPIES THERAPIST THERAPISTS THERAPY THERE THEREABOUTS THEREAFTER THEREBY THEREFORE THEREIN THEREOF THEREON THERESA THERETO THEREUPON THEREWITH THERMAL THERMODYNAMIC THERMODYNAMICS THERMOFAX THERMOMETER THERMOMETERS THERMOSTAT THERMOSTATS THESE THESES THESEUS THESIS THESSALONIAN THESSALY THETIS THEY THICK THICKEN THICKENS THICKER THICKEST THICKET THICKETS THICKLY THICKNESS THIEF THIENSVILLE THIEVE THIEVES THIEVING THIGH THIGHS THIMBLE THIMBLES THIMBU THIN THING THINGS THINK THINKABLE THINKABLY THINKER THINKERS THINKING THINKS THINLY THINNER THINNESS THINNEST THIRD THIRDLY THIRDS THIRST THIRSTED THIRSTS THIRSTY THIRTEEN THIRTEENS THIRTEENTH THIRTIES THIRTIETH THIRTY THIS THISTLE THOMAS THOMISTIC THOMPSON THOMSON THONG THOR THOREAU THORN THORNBURG THORNS THORNTON THORNY THOROUGH THOROUGHFARE THOROUGHFARES THOROUGHLY THOROUGHNESS THORPE THORSTEIN THOSE THOUGH THOUGHT THOUGHTFUL THOUGHTFULLY THOUGHTFULNESS THOUGHTLESS THOUGHTLESSLY THOUGHTLESSNESS THOUGHTS THOUSAND THOUSANDS THOUSANDTH THRACE THRACIAN THRASH THRASHED THRASHER THRASHES THRASHING THREAD THREADED THREADER THREADERS THREADING THREADS THREAT THREATEN THREATENED THREATENING THREATENS THREATS THREE THREEFOLD THREES THREESCORE THRESHOLD THRESHOLDS THREW THRICE THRIFT THRIFTY THRILL THRILLED THRILLER THRILLERS THRILLING THRILLINGLY THRILLS THRIVE THRIVED THRIVES THRIVING THROAT THROATED THROATS THROB THROBBED THROBBING THROBS THRONE THRONEBERRY THRONES THRONG THRONGS THROTTLE THROTTLED THROTTLES THROTTLING THROUGH THROUGHOUT THROUGHPUT THROW THROWER THROWING THROWN THROWS THRUSH THRUST THRUSTER THRUSTERS THRUSTING THRUSTS THUBAN THUD THUDS THUG THUGS THULE THUMB THUMBED THUMBING THUMBS THUMP THUMPED THUMPING THUNDER THUNDERBOLT THUNDERBOLTS THUNDERED THUNDERER THUNDERERS THUNDERING THUNDERS THUNDERSTORM THUNDERSTORMS THURBER THURMAN THURSDAY THURSDAYS THUS THUSLY THWART THWARTED THWARTING THWARTS THYSELF TIBER TIBET TIBETAN TIBURON TICK TICKED TICKER TICKERS TICKET TICKETS TICKING TICKLE TICKLED TICKLES TICKLING TICKLISH TICKS TICONDEROGA TIDAL TIDALLY TIDE TIDED TIDES TIDIED TIDINESS TIDING TIDINGS TIDY TIDYING TIE TIECK TIED TIENTSIN TIER TIERS TIES TIFFANY TIGER TIGERS TIGHT TIGHTEN TIGHTENED TIGHTENER TIGHTENERS TIGHTENING TIGHTENINGS TIGHTENS TIGHTER TIGHTEST TIGHTLY TIGHTNESS TIGRIS TIJUANA TILDE TILE TILED TILES TILING TILL TILLABLE TILLED TILLER TILLERS TILLICH TILLIE TILLING TILLS TILT TILTED TILTING TILTS TIM TIMBER TIMBERED TIMBERING TIMBERS TIME TIMED TIMELESS TIMELESSLY TIMELESSNESS TIMELY TIMEOUT TIMEOUTS TIMER TIMERS TIMES TIMESHARE TIMESHARES TIMESHARING TIMESTAMP TIMESTAMPS TIMETABLE TIMETABLES TIMEX TIMID TIMIDITY TIMIDLY TIMING TIMINGS TIMMY TIMON TIMONIZE TIMONIZES TIMS TIN TINA TINCTURE TINGE TINGED TINGLE TINGLED TINGLES TINGLING TINIER TINIEST TINILY TININESS TINKER TINKERED TINKERING TINKERS TINKLE TINKLED TINKLES TINKLING TINNIER TINNIEST TINNILY TINNINESS TINNY TINS TINSELTOWN TINT TINTED TINTING TINTS TINY TIOGA TIP TIPPECANOE TIPPED TIPPER TIPPERARY TIPPERS TIPPING TIPS TIPTOE TIRANA TIRE TIRED TIREDLY TIRELESS TIRELESSLY TIRELESSNESS TIRES TIRESOME TIRESOMELY TIRESOMENESS TIRING TISSUE TISSUES TIT TITAN TITHE TITHER TITHES TITHING TITLE TITLED TITLES TITO TITS TITTER TITTERS TITUS TOAD TOADS TOAST TOASTED TOASTER TOASTING TOASTS TOBACCO TOBAGO TOBY TODAY TODAYS TODD TOE TOES TOGETHER TOGETHERNESS TOGGLE TOGGLED TOGGLES TOGGLING TOGO TOIL TOILED TOILER TOILET TOILETS TOILING TOILS TOKEN TOKENS TOKYO TOLAND TOLD TOLEDO TOLERABILITY TOLERABLE TOLERABLY TOLERANCE TOLERANCES TOLERANT TOLERANTLY TOLERATE TOLERATED TOLERATES TOLERATING TOLERATION TOLL TOLLED TOLLEY TOLLS TOLSTOY TOM TOMAHAWK TOMAHAWKS TOMATO TOMATOES TOMB TOMBIGBEE TOMBS TOMLINSON TOMMIE TOMOGRAPHY TOMORROW TOMORROWS TOMPKINS TON TONE TONED TONER TONES TONGS TONGUE TONGUED TONGUES TONI TONIC TONICS TONIGHT TONING TONIO TONNAGE TONS TONSIL TOO TOOK TOOL TOOLED TOOLER TOOLERS TOOLING TOOLS TOOMEY TOOTH TOOTHBRUSH TOOTHBRUSHES TOOTHPASTE TOOTHPICK TOOTHPICKS TOP TOPEKA TOPER TOPIC TOPICAL TOPICALLY TOPICS TOPMOST TOPOGRAPHY TOPOLOGICAL TOPOLOGIES TOPOLOGY TOPPLE TOPPLED TOPPLES TOPPLING TOPS TOPSY TORAH TORCH TORCHES TORE TORIES TORMENT TORMENTED TORMENTER TORMENTERS TORMENTING TORN TORNADO TORNADOES TORONTO TORPEDO TORPEDOES TORQUE TORQUEMADA TORRANCE TORRENT TORRENTS TORRID TORTOISE TORTOISES TORTURE TORTURED TORTURER TORTURERS TORTURES TORTURING TORUS TORUSES TORY TORYIZE TORYIZES TOSCA TOSCANINI TOSHIBA TOSS TOSSED TOSSES TOSSING TOTAL TOTALED TOTALING TOTALITIES TOTALITY TOTALLED TOTALLER TOTALLERS TOTALLING TOTALLY TOTALS TOTO TOTTER TOTTERED TOTTERING TOTTERS TOUCH TOUCHABLE TOUCHED TOUCHES TOUCHIER TOUCHIEST TOUCHILY TOUCHINESS TOUCHING TOUCHINGLY TOUCHY TOUGH TOUGHEN TOUGHER TOUGHEST TOUGHLY TOUGHNESS TOULOUSE TOUR TOURED TOURING TOURIST TOURISTS TOURNAMENT TOURNAMENTS TOURS TOW TOWARD TOWARDS TOWED TOWEL TOWELING TOWELLED TOWELLING TOWELS TOWER TOWERED TOWERING TOWERS TOWN TOWNLEY TOWNS TOWNSEND TOWNSHIP TOWNSHIPS TOWSLEY TOY TOYED TOYING TOYNBEE TOYOTA TOYS TRACE TRACEABLE TRACED TRACER TRACERS TRACES TRACING TRACINGS TRACK TRACKED TRACKER TRACKERS TRACKING TRACKS TRACT TRACTABILITY TRACTABLE TRACTARIANS TRACTIVE TRACTOR TRACTORS TRACTS TRACY TRADE TRADED TRADEMARK TRADEMARKS TRADEOFF TRADEOFFS TRADER TRADERS TRADES TRADESMAN TRADING TRADITION TRADITIONAL TRADITIONALLY TRADITIONS TRAFFIC TRAFFICKED TRAFFICKER TRAFFICKERS TRAFFICKING TRAFFICS TRAGEDIES TRAGEDY TRAGIC TRAGICALLY TRAIL TRAILED TRAILER TRAILERS TRAILING TRAILINGS TRAILS TRAIN TRAINED TRAINEE TRAINEES TRAINER TRAINERS TRAINING TRAINS TRAIT TRAITOR TRAITORS TRAITS TRAJECTORIES TRAJECTORY TRAMP TRAMPED TRAMPING TRAMPLE TRAMPLED TRAMPLER TRAMPLES TRAMPLING TRAMPS TRANCE TRANCES TRANQUIL TRANQUILITY TRANQUILLY TRANSACT TRANSACTION TRANSACTIONS TRANSATLANTIC TRANSCEIVE TRANSCEIVER TRANSCEIVERS TRANSCEND TRANSCENDED TRANSCENDENT TRANSCENDING TRANSCENDS TRANSCONTINENTAL TRANSCRIBE TRANSCRIBED TRANSCRIBER TRANSCRIBERS TRANSCRIBES TRANSCRIBING TRANSCRIPT TRANSCRIPTION TRANSCRIPTIONS TRANSCRIPTS TRANSFER TRANSFERABILITY TRANSFERABLE TRANSFERAL TRANSFERALS TRANSFERENCE TRANSFERRED TRANSFERRER TRANSFERRERS TRANSFERRING TRANSFERS TRANSFINITE TRANSFORM TRANSFORMABLE TRANSFORMATION TRANSFORMATIONAL TRANSFORMATIONS TRANSFORMED TRANSFORMER TRANSFORMERS TRANSFORMING TRANSFORMS TRANSGRESS TRANSGRESSED TRANSGRESSION TRANSGRESSIONS TRANSIENCE TRANSIENCY TRANSIENT TRANSIENTLY TRANSIENTS TRANSISTOR TRANSISTORIZE TRANSISTORIZED TRANSISTORIZING TRANSISTORS TRANSIT TRANSITE TRANSITION TRANSITIONAL TRANSITIONED TRANSITIONS TRANSITIVE TRANSITIVELY TRANSITIVENESS TRANSITIVITY TRANSITORY TRANSLATABILITY TRANSLATABLE TRANSLATE TRANSLATED TRANSLATES TRANSLATING TRANSLATION TRANSLATIONAL TRANSLATIONS TRANSLATOR TRANSLATORS TRANSLUCENT TRANSMISSION TRANSMISSIONS TRANSMIT TRANSMITS TRANSMITTAL TRANSMITTED TRANSMITTER TRANSMITTERS TRANSMITTING TRANSMOGRIFICATION TRANSMOGRIFY TRANSPACIFIC TRANSPARENCIES TRANSPARENCY TRANSPARENT TRANSPARENTLY TRANSPIRE TRANSPIRED TRANSPIRES TRANSPIRING TRANSPLANT TRANSPLANTED TRANSPLANTING TRANSPLANTS TRANSPONDER TRANSPONDERS TRANSPORT TRANSPORTABILITY TRANSPORTATION TRANSPORTED TRANSPORTER TRANSPORTERS TRANSPORTING TRANSPORTS TRANSPOSE TRANSPOSED TRANSPOSES TRANSPOSING TRANSPOSITION TRANSPUTER TRANSVAAL TRANSYLVANIA TRAP TRAPEZOID TRAPEZOIDAL TRAPEZOIDS TRAPPED TRAPPER TRAPPERS TRAPPING TRAPPINGS TRAPS TRASH TRASTEVERE TRAUMA TRAUMATIC TRAVAIL TRAVEL TRAVELED TRAVELER TRAVELERS TRAVELING TRAVELINGS TRAVELS TRAVERSAL TRAVERSALS TRAVERSE TRAVERSED TRAVERSES TRAVERSING TRAVESTIES TRAVESTY TRAVIS TRAY TRAYS TREACHERIES TREACHEROUS TREACHEROUSLY TREACHERY TREAD TREADING TREADS TREADWELL TREASON TREASURE TREASURED TREASURER TREASURES TREASURIES TREASURING TREASURY TREAT TREATED TREATIES TREATING TREATISE TREATISES TREATMENT TREATMENTS TREATS TREATY TREBLE TREE TREES TREETOP TREETOPS TREK TREKS TREMBLE TREMBLED TREMBLES TREMBLING TREMENDOUS TREMENDOUSLY TREMOR TREMORS TRENCH TRENCHER TRENCHES TREND TRENDING TRENDS TRENTON TRESPASS TRESPASSED TRESPASSER TRESPASSERS TRESPASSES TRESS TRESSES TREVELYAN TRIAL TRIALS TRIANGLE TRIANGLES TRIANGULAR TRIANGULARLY TRIANGULUM TRIANON TRIASSIC TRIBAL TRIBE TRIBES TRIBUNAL TRIBUNALS TRIBUNE TRIBUNES TRIBUTARY TRIBUTE TRIBUTES TRICERATOPS TRICHINELLA TRICHOTOMY TRICK TRICKED TRICKIER TRICKIEST TRICKINESS TRICKING TRICKLE TRICKLED TRICKLES TRICKLING TRICKS TRICKY TRIED TRIER TRIERS TRIES TRIFLE TRIFLER TRIFLES TRIFLING TRIGGER TRIGGERED TRIGGERING TRIGGERS TRIGONOMETRIC TRIGONOMETRY TRIGRAM TRIGRAMS TRIHEDRAL TRILATERAL TRILL TRILLED TRILLION TRILLIONS TRILLIONTH TRIM TRIMBLE TRIMLY TRIMMED TRIMMER TRIMMEST TRIMMING TRIMMINGS TRIMNESS TRIMS TRINIDAD TRINKET TRINKETS TRIO TRIP TRIPLE TRIPLED TRIPLES TRIPLET TRIPLETS TRIPLETT TRIPLING TRIPOD TRIPS TRISTAN TRIUMPH TRIUMPHAL TRIUMPHANT TRIUMPHANTLY TRIUMPHED TRIUMPHING TRIUMPHS TRIVIA TRIVIAL TRIVIALITIES TRIVIALITY TRIVIALLY TROBRIAND TROD TROJAN TROLL TROLLEY TROLLEYS TROLLS TROOP TROOPER TROOPERS TROOPS TROPEZ TROPHIES TROPHY TROPIC TROPICAL TROPICS TROT TROTS TROTSKY TROUBLE TROUBLED TROUBLEMAKER TROUBLEMAKERS TROUBLES TROUBLESHOOT TROUBLESHOOTER TROUBLESHOOTERS TROUBLESHOOTING TROUBLESHOOTS TROUBLESOME TROUBLESOMELY TROUBLING TROUGH TROUSER TROUSERS TROUT TROUTMAN TROWEL TROWELS TROY TRUANT TRUANTS TRUCE TRUCK TRUCKED TRUCKEE TRUCKER TRUCKERS TRUCKING TRUCKS TRUDEAU TRUDGE TRUDGED TRUDY TRUE TRUED TRUER TRUES TRUEST TRUING TRUISM TRUISMS TRUJILLO TRUK TRULY TRUMAN TRUMBULL TRUMP TRUMPED TRUMPET TRUMPETER TRUMPS TRUNCATE TRUNCATED TRUNCATES TRUNCATING TRUNCATION TRUNCATIONS TRUNK TRUNKS TRUST TRUSTED TRUSTEE TRUSTEES TRUSTFUL TRUSTFULLY TRUSTFULNESS TRUSTING TRUSTINGLY TRUSTS TRUSTWORTHINESS TRUSTWORTHY TRUSTY TRUTH TRUTHFUL TRUTHFULLY TRUTHFULNESS TRUTHS TRY TRYING TSUNEMATSU TUB TUBE TUBER TUBERCULOSIS TUBERS TUBES TUBING TUBS TUCK TUCKED TUCKER TUCKING TUCKS TUCSON TUDOR TUESDAY TUESDAYS TUFT TUFTS TUG TUGS TUITION TULANE TULIP TULIPS TULSA TUMBLE TUMBLED TUMBLER TUMBLERS TUMBLES TUMBLING TUMOR TUMORS TUMULT TUMULTS TUMULTUOUS TUNABLE TUNE TUNED TUNER TUNERS TUNES TUNIC TUNICS TUNING TUNIS TUNISIA TUNISIAN TUNNEL TUNNELED TUNNELS TUPLE TUPLES TURBAN TURBANS TURBULENCE TURBULENT TURBULENTLY TURF TURGID TURGIDLY TURIN TURING TURKEY TURKEYS TURKISH TURKIZE TURKIZES TURMOIL TURMOILS TURN TURNABLE TURNAROUND TURNED TURNER TURNERS TURNING TURNINGS TURNIP TURNIPS TURNOVER TURNS TURPENTINE TURQUOISE TURRET TURRETS TURTLE TURTLENECK TURTLES TUSCALOOSA TUSCAN TUSCANIZE TUSCANIZES TUSCANY TUSCARORA TUSKEGEE TUTANKHAMEN TUTANKHAMON TUTANKHAMUN TUTENKHAMON TUTOR TUTORED TUTORIAL TUTORIALS TUTORING TUTORS TUTTLE TWAIN TWANG TWAS TWEED TWELFTH TWELVE TWELVES TWENTIES TWENTIETH TWENTY TWICE TWIG TWIGS TWILIGHT TWILIGHTS TWILL TWIN TWINE TWINED TWINER TWINKLE TWINKLED TWINKLER TWINKLES TWINKLING TWINS TWIRL TWIRLED TWIRLER TWIRLING TWIRLS TWIST TWISTED TWISTER TWISTERS TWISTING TWISTS TWITCH TWITCHED TWITCHING TWITTER TWITTERED TWITTERING TWO TWOFOLD TWOMBLY TWOS TYBURN TYING TYLER TYLERIZE TYLERIZES TYNDALL TYPE TYPED TYPEOUT TYPES TYPESETTER TYPEWRITER TYPEWRITERS TYPHOID TYPHON TYPICAL TYPICALLY TYPICALNESS TYPIFIED TYPIFIES TYPIFY TYPIFYING TYPING TYPIST TYPISTS TYPO TYPOGRAPHIC TYPOGRAPHICAL TYPOGRAPHICALLY TYPOGRAPHY TYRANNICAL TYRANNOSAURUS TYRANNY TYRANT TYRANTS TYSON TZELTAL UBIQUITOUS UBIQUITOUSLY UBIQUITY UDALL UGANDA UGH UGLIER UGLIEST UGLINESS UGLY UKRAINE UKRAINIAN UKRAINIANS ULAN ULCER ULCERS ULLMAN ULSTER ULTIMATE ULTIMATELY ULTRA ULTRASONIC ULTRIX ULTRIX ULYSSES UMBRAGE UMBRELLA UMBRELLAS UMPIRE UMPIRES UNABATED UNABBREVIATED UNABLE UNACCEPTABILITY UNACCEPTABLE UNACCEPTABLY UNACCOUNTABLE UNACCUSTOMED UNACHIEVABLE UNACKNOWLEDGED UNADULTERATED UNAESTHETICALLY UNAFFECTED UNAFFECTEDLY UNAFFECTEDNESS UNAIDED UNALIENABILITY UNALIENABLE UNALTERABLY UNALTERED UNAMBIGUOUS UNAMBIGUOUSLY UNAMBITIOUS UNANALYZABLE UNANIMITY UNANIMOUS UNANIMOUSLY UNANSWERABLE UNANSWERED UNANTICIPATED UNARMED UNARY UNASSAILABLE UNASSIGNED UNASSISTED UNATTAINABILITY UNATTAINABLE UNATTENDED UNATTRACTIVE UNATTRACTIVELY UNAUTHORIZED UNAVAILABILITY UNAVAILABLE UNAVOIDABLE UNAVOIDABLY UNAWARE UNAWARENESS UNAWARES UNBALANCED UNBEARABLE UNBECOMING UNBELIEVABLE UNBIASED UNBIND UNBLOCK UNBLOCKED UNBLOCKING UNBLOCKS UNBORN UNBOUND UNBOUNDED UNBREAKABLE UNBRIDLED UNBROKEN UNBUFFERED UNCANCELLED UNCANNY UNCAPITALIZED UNCAUGHT UNCERTAIN UNCERTAINLY UNCERTAINTIES UNCERTAINTY UNCHANGEABLE UNCHANGED UNCHANGING UNCLAIMED UNCLASSIFIED UNCLE UNCLEAN UNCLEANLY UNCLEANNESS UNCLEAR UNCLEARED UNCLES UNCLOSED UNCOMFORTABLE UNCOMFORTABLY UNCOMMITTED UNCOMMON UNCOMMONLY UNCOMPROMISING UNCOMPUTABLE UNCONCERNED UNCONCERNEDLY UNCONDITIONAL UNCONDITIONALLY UNCONNECTED UNCONSCIONABLE UNCONSCIOUS UNCONSCIOUSLY UNCONSCIOUSNESS UNCONSTITUTIONAL UNCONSTRAINED UNCONTROLLABILITY UNCONTROLLABLE UNCONTROLLABLY UNCONTROLLED UNCONVENTIONAL UNCONVENTIONALLY UNCONVINCED UNCONVINCING UNCOORDINATED UNCORRECTABLE UNCORRECTED UNCOUNTABLE UNCOUNTABLY UNCOUTH UNCOVER UNCOVERED UNCOVERING UNCOVERS UNDAMAGED UNDAUNTED UNDAUNTEDLY UNDECIDABLE UNDECIDED UNDECLARED UNDECOMPOSABLE UNDEFINABILITY UNDEFINED UNDELETED UNDENIABLE UNDENIABLY UNDER UNDERBRUSH UNDERDONE UNDERESTIMATE UNDERESTIMATED UNDERESTIMATES UNDERESTIMATING UNDERESTIMATION UNDERFLOW UNDERFLOWED UNDERFLOWING UNDERFLOWS UNDERFOOT UNDERGO UNDERGOES UNDERGOING UNDERGONE UNDERGRADUATE UNDERGRADUATES UNDERGROUND UNDERLIE UNDERLIES UNDERLINE UNDERLINED UNDERLINES UNDERLING UNDERLINGS UNDERLINING UNDERLININGS UNDERLOADED UNDERLYING UNDERMINE UNDERMINED UNDERMINES UNDERMINING UNDERNEATH UNDERPINNING UNDERPINNINGS UNDERPLAY UNDERPLAYED UNDERPLAYING UNDERPLAYS UNDERSCORE UNDERSCORED UNDERSCORES UNDERSTAND UNDERSTANDABILITY UNDERSTANDABLE UNDERSTANDABLY UNDERSTANDING UNDERSTANDINGLY UNDERSTANDINGS UNDERSTANDS UNDERSTATED UNDERSTOOD UNDERTAKE UNDERTAKEN UNDERTAKER UNDERTAKERS UNDERTAKES UNDERTAKING UNDERTAKINGS UNDERTOOK UNDERWATER UNDERWAY UNDERWEAR UNDERWENT UNDERWORLD UNDERWRITE UNDERWRITER UNDERWRITERS UNDERWRITES UNDERWRITING UNDESIRABILITY UNDESIRABLE UNDETECTABLE UNDETECTED UNDETERMINED UNDEVELOPED UNDID UNDIMINISHED UNDIRECTED UNDISCIPLINED UNDISCOVERED UNDISTURBED UNDIVIDED UNDO UNDOCUMENTED UNDOES UNDOING UNDOINGS UNDONE UNDOUBTEDLY UNDRESS UNDRESSED UNDRESSES UNDRESSING UNDUE UNDULY UNEASILY UNEASINESS UNEASY UNECONOMIC UNECONOMICAL UNEMBELLISHED UNEMPLOYED UNEMPLOYMENT UNENCRYPTED UNENDING UNENLIGHTENING UNEQUAL UNEQUALED UNEQUALLY UNEQUIVOCAL UNEQUIVOCALLY UNESCO UNESSENTIAL UNEVALUATED UNEVEN UNEVENLY UNEVENNESS UNEVENTFUL UNEXCUSED UNEXPANDED UNEXPECTED UNEXPECTEDLY UNEXPLAINED UNEXPLORED UNEXTENDED UNFAIR UNFAIRLY UNFAIRNESS UNFAITHFUL UNFAITHFULLY UNFAITHFULNESS UNFAMILIAR UNFAMILIARITY UNFAMILIARLY UNFAVORABLE UNFETTERED UNFINISHED UNFIT UNFITNESS UNFLAGGING UNFOLD UNFOLDED UNFOLDING UNFOLDS UNFORESEEN UNFORGEABLE UNFORGIVING UNFORMATTED UNFORTUNATE UNFORTUNATELY UNFORTUNATES UNFOUNDED UNFRIENDLINESS UNFRIENDLY UNFULFILLED UNGRAMMATICAL UNGRATEFUL UNGRATEFULLY UNGRATEFULNESS UNGROUNDED UNGUARDED UNGUIDED UNHAPPIER UNHAPPIEST UNHAPPILY UNHAPPINESS UNHAPPY UNHARMED UNHEALTHY UNHEARD UNHEEDED UNIBUS UNICORN UNICORNS UNICYCLE UNIDENTIFIED UNIDIRECTIONAL UNIDIRECTIONALITY UNIDIRECTIONALLY UNIFICATION UNIFICATIONS UNIFIED UNIFIER UNIFIERS UNIFIES UNIFORM UNIFORMED UNIFORMITY UNIFORMLY UNIFORMS UNIFY UNIFYING UNILLUMINATING UNIMAGINABLE UNIMPEDED UNIMPLEMENTED UNIMPORTANT UNINDENTED UNINITIALIZED UNINSULATED UNINTELLIGIBLE UNINTENDED UNINTENTIONAL UNINTENTIONALLY UNINTERESTING UNINTERESTINGLY UNINTERPRETED UNINTERRUPTED UNINTERRUPTEDLY UNION UNIONIZATION UNIONIZE UNIONIZED UNIONIZER UNIONIZERS UNIONIZES UNIONIZING UNIONS UNIPLUS UNIPROCESSOR UNIQUE UNIQUELY UNIQUENESS UNIROYAL UNISOFT UNISON UNIT UNITARIAN UNITARIANIZE UNITARIANIZES UNITARIANS UNITE UNITED UNITES UNITIES UNITING UNITS UNITY UNIVAC UNIVALVE UNIVALVES UNIVERSAL UNIVERSALITY UNIVERSALLY UNIVERSALS UNIVERSE UNIVERSES UNIVERSITIES UNIVERSITY UNIX UNIX UNJUST UNJUSTIFIABLE UNJUSTIFIED UNJUSTLY UNKIND UNKINDLY UNKINDNESS UNKNOWABLE UNKNOWING UNKNOWINGLY UNKNOWN UNKNOWNS UNLABELLED UNLAWFUL UNLAWFULLY UNLEASH UNLEASHED UNLEASHES UNLEASHING UNLESS UNLIKE UNLIKELY UNLIKENESS UNLIMITED UNLINK UNLINKED UNLINKING UNLINKS UNLOAD UNLOADED UNLOADING UNLOADS UNLOCK UNLOCKED UNLOCKING UNLOCKS UNLUCKY UNMANAGEABLE UNMANAGEABLY UNMANNED UNMARKED UNMARRIED UNMASK UNMASKED UNMATCHED UNMENTIONABLE UNMERCIFUL UNMERCIFULLY UNMISTAKABLE UNMISTAKABLY UNMODIFIED UNMOVED UNNAMED UNNATURAL UNNATURALLY UNNATURALNESS UNNECESSARILY UNNECESSARY UNNEEDED UNNERVE UNNERVED UNNERVES UNNERVING UNNOTICED UNOBSERVABLE UNOBSERVED UNOBTAINABLE UNOCCUPIED UNOFFICIAL UNOFFICIALLY UNOPENED UNORDERED UNPACK UNPACKED UNPACKING UNPACKS UNPAID UNPARALLELED UNPARSED UNPLANNED UNPLEASANT UNPLEASANTLY UNPLEASANTNESS UNPLUG UNPOPULAR UNPOPULARITY UNPRECEDENTED UNPREDICTABLE UNPREDICTABLY UNPRESCRIBED UNPRESERVED UNPRIMED UNPROFITABLE UNPROJECTED UNPROTECTED UNPROVABILITY UNPROVABLE UNPROVEN UNPUBLISHED UNQUALIFIED UNQUALIFIEDLY UNQUESTIONABLY UNQUESTIONED UNQUOTED UNRAVEL UNRAVELED UNRAVELING UNRAVELS UNREACHABLE UNREAL UNREALISTIC UNREALISTICALLY UNREASONABLE UNREASONABLENESS UNREASONABLY UNRECOGNIZABLE UNRECOGNIZED UNREGULATED UNRELATED UNRELIABILITY UNRELIABLE UNREPORTED UNREPRESENTABLE UNRESOLVED UNRESPONSIVE UNREST UNRESTRAINED UNRESTRICTED UNRESTRICTEDLY UNRESTRICTIVE UNROLL UNROLLED UNROLLING UNROLLS UNRULY UNSAFE UNSAFELY UNSANITARY UNSATISFACTORY UNSATISFIABILITY UNSATISFIABLE UNSATISFIED UNSATISFYING UNSCRUPULOUS UNSEEDED UNSEEN UNSELECTED UNSELFISH UNSELFISHLY UNSELFISHNESS UNSENT UNSETTLED UNSETTLING UNSHAKEN UNSHARED UNSIGNED UNSKILLED UNSLOTTED UNSOLVABLE UNSOLVED UNSOPHISTICATED UNSOUND UNSPEAKABLE UNSPECIFIED UNSTABLE UNSTEADINESS UNSTEADY UNSTRUCTURED UNSUCCESSFUL UNSUCCESSFULLY UNSUITABLE UNSUITED UNSUPPORTED UNSURE UNSURPRISING UNSURPRISINGLY UNSYNCHRONIZED UNTAGGED UNTAPPED UNTENABLE UNTERMINATED UNTESTED UNTHINKABLE UNTHINKING UNTIDINESS UNTIDY UNTIE UNTIED UNTIES UNTIL UNTIMELY UNTO UNTOLD UNTOUCHABLE UNTOUCHABLES UNTOUCHED UNTOWARD UNTRAINED UNTRANSLATED UNTREATED UNTRIED UNTRUE UNTRUTHFUL UNTRUTHFULNESS UNTYING UNUSABLE UNUSED UNUSUAL UNUSUALLY UNVARYING UNVEIL UNVEILED UNVEILING UNVEILS UNWANTED UNWELCOME UNWHOLESOME UNWIELDINESS UNWIELDY UNWILLING UNWILLINGLY UNWILLINGNESS UNWIND UNWINDER UNWINDERS UNWINDING UNWINDS UNWISE UNWISELY UNWISER UNWISEST UNWITTING UNWITTINGLY UNWORTHINESS UNWORTHY UNWOUND UNWRAP UNWRAPPED UNWRAPPING UNWRAPS UNWRITTEN UPBRAID UPCOMING UPDATE UPDATED UPDATER UPDATES UPDATING UPGRADE UPGRADED UPGRADES UPGRADING UPHELD UPHILL UPHOLD UPHOLDER UPHOLDERS UPHOLDING UPHOLDS UPHOLSTER UPHOLSTERED UPHOLSTERER UPHOLSTERING UPHOLSTERS UPKEEP UPLAND UPLANDS UPLIFT UPLINK UPLINKS UPLOAD UPON UPPER UPPERMOST UPRIGHT UPRIGHTLY UPRIGHTNESS UPRISING UPRISINGS UPROAR UPROOT UPROOTED UPROOTING UPROOTS UPSET UPSETS UPSHOT UPSHOTS UPSIDE UPSTAIRS UPSTREAM UPTON UPTURN UPTURNED UPTURNING UPTURNS UPWARD UPWARDS URANIA URANUS URBAN URBANA URCHIN URCHINS URDU URGE URGED URGENT URGENTLY URGES URGING URGINGS URI URINATE URINATED URINATES URINATING URINATION URINE URIS URN URNS URQUHART URSA URSULA URSULINE URUGUAY URUGUAYAN URUGUAYANS USABILITY USABLE USABLY USAGE USAGES USE USED USEFUL USEFULLY USEFULNESS USELESS USELESSLY USELESSNESS USENET USENIX USER USERS USES USHER USHERED USHERING USHERS USING USUAL USUALLY USURP USURPED USURPER UTAH UTENSIL UTENSILS UTICA UTILITIES UTILITY UTILIZATION UTILIZATIONS UTILIZE UTILIZED UTILIZES UTILIZING UTMOST UTOPIA UTOPIAN UTOPIANIZE UTOPIANIZES UTOPIANS UTRECHT UTTER UTTERANCE UTTERANCES UTTERED UTTERING UTTERLY UTTERMOST UTTERS UZI VACANCIES VACANCY VACANT VACANTLY VACATE VACATED VACATES VACATING VACATION VACATIONED VACATIONER VACATIONERS VACATIONING VACATIONS VACUO VACUOUS VACUOUSLY VACUUM VACUUMED VACUUMING VADUZ VAGABOND VAGABONDS VAGARIES VAGARY VAGINA VAGINAS VAGRANT VAGRANTLY VAGUE VAGUELY VAGUENESS VAGUER VAGUEST VAIL VAIN VAINLY VALE VALENCE VALENCES VALENTINE VALENTINES VALERIE VALERY VALES VALET VALETS VALHALLA VALIANT VALIANTLY VALID VALIDATE VALIDATED VALIDATES VALIDATING VALIDATION VALIDITY VALIDLY VALIDNESS VALKYRIE VALLETTA VALLEY VALLEYS VALOIS VALOR VALPARAISO VALUABLE VALUABLES VALUABLY VALUATION VALUATIONS VALUE VALUED VALUER VALUERS VALUES VALUING VALVE VALVES VAMPIRE VAN VANCE VANCEMENT VANCOUVER VANDALIZE VANDALIZED VANDALIZES VANDALIZING VANDENBERG VANDERBILT VANDERBURGH VANDERPOEL VANE VANES VANESSA VANGUARD VANILLA VANISH VANISHED VANISHER VANISHES VANISHING VANISHINGLY VANITIES VANITY VANQUISH VANQUISHED VANQUISHES VANQUISHING VANS VANTAGE VAPOR VAPORING VAPORS VARIABILITY VARIABLE VARIABLENESS VARIABLES VARIABLY VARIAN VARIANCE VARIANCES VARIANT VARIANTLY VARIANTS VARIATION VARIATIONS VARIED VARIES VARIETIES VARIETY VARIOUS VARIOUSLY VARITYPE VARITYPING VARNISH VARNISHES VARY VARYING VARYINGS VASE VASES VASQUEZ VASSAL VASSAR VAST VASTER VASTEST VASTLY VASTNESS VAT VATICAN VATICANIZATION VATICANIZATIONS VATICANIZE VATICANIZES VATS VAUDEVILLE VAUDOIS VAUGHAN VAUGHN VAULT VAULTED VAULTER VAULTING VAULTS VAUNT VAUNTED VAX VAXES VEAL VECTOR VECTORIZATION VECTORIZING VECTORS VEDA VEER VEERED VEERING VEERS VEGA VEGANISM VEGAS VEGETABLE VEGETABLES VEGETARIAN VEGETARIANS VEGETATE VEGETATED VEGETATES VEGETATING VEGETATION VEGETATIVE VEHEMENCE VEHEMENT VEHEMENTLY VEHICLE VEHICLES VEHICULAR VEIL VEILED VEILING VEILS VEIN VEINED VEINING VEINS VELA VELASQUEZ VELLA VELOCITIES VELOCITY VELVET VENDOR VENDORS VENERABLE VENERATION VENETIAN VENETO VENEZUELA VENEZUELAN VENGEANCE VENIAL VENICE VENISON VENN VENOM VENOMOUS VENOMOUSLY VENT VENTED VENTILATE VENTILATED VENTILATES VENTILATING VENTILATION VENTRICLE VENTRICLES VENTS VENTURA VENTURE VENTURED VENTURER VENTURERS VENTURES VENTURING VENTURINGS VENUS VENUSIAN VENUSIANS VERA VERACITY VERANDA VERANDAS VERB VERBAL VERBALIZE VERBALIZED VERBALIZES VERBALIZING VERBALLY VERBOSE VERBS VERDE VERDERER VERDI VERDICT VERDURE VERGE VERGER VERGES VERGIL VERIFIABILITY VERIFIABLE VERIFICATION VERIFICATIONS VERIFIED VERIFIER VERIFIERS VERIFIES VERIFY VERIFYING VERILY VERITABLE VERLAG VERMIN VERMONT VERN VERNA VERNACULAR VERNE VERNON VERONA VERONICA VERSA VERSAILLES VERSATEC VERSATILE VERSATILITY VERSE VERSED VERSES VERSING VERSION VERSIONS VERSUS VERTEBRATE VERTEBRATES VERTEX VERTICAL VERTICALLY VERTICALNESS VERTICES VERY VESSEL VESSELS VEST VESTED VESTIGE VESTIGES VESTIGIAL VESTS VESUVIUS VETERAN VETERANS VETERINARIAN VETERINARIANS VETERINARY VETO VETOED VETOER VETOES VEX VEXATION VEXED VEXES VEXING VIA VIABILITY VIABLE VIABLY VIAL VIALS VIBRATE VIBRATED VIBRATING VIBRATION VIBRATIONS VIBRATOR VIC VICE VICEROY VICES VICHY VICINITY VICIOUS VICIOUSLY VICIOUSNESS VICISSITUDE VICISSITUDES VICKERS VICKSBURG VICKY VICTIM VICTIMIZE VICTIMIZED VICTIMIZER VICTIMIZERS VICTIMIZES VICTIMIZING VICTIMS VICTOR VICTORIA VICTORIAN VICTORIANIZE VICTORIANIZES VICTORIANS VICTORIES VICTORIOUS VICTORIOUSLY VICTORS VICTORY VICTROLA VICTUAL VICTUALER VICTUALS VIDA VIDAL VIDEO VIDEOTAPE VIDEOTAPES VIDEOTEX VIE VIED VIENNA VIENNESE VIENTIANE VIER VIES VIET VIETNAM VIETNAMESE VIEW VIEWABLE VIEWED VIEWER VIEWERS VIEWING VIEWPOINT VIEWPOINTS VIEWS VIGILANCE VIGILANT VIGILANTE VIGILANTES VIGILANTLY VIGNETTE VIGNETTES VIGOR VIGOROUS VIGOROUSLY VIKING VIKINGS VIKRAM VILE VILELY VILENESS VILIFICATION VILIFICATIONS VILIFIED VILIFIES VILIFY VILIFYING VILLA VILLAGE VILLAGER VILLAGERS VILLAGES VILLAIN VILLAINOUS VILLAINOUSLY VILLAINOUSNESS VILLAINS VILLAINY VILLAS VINCE VINCENT VINCI VINDICATE VINDICATED VINDICATION VINDICTIVE VINDICTIVELY VINDICTIVENESS VINE VINEGAR VINES VINEYARD VINEYARDS VINSON VINTAGE VIOLATE VIOLATED VIOLATES VIOLATING VIOLATION VIOLATIONS VIOLATOR VIOLATORS VIOLENCE VIOLENT VIOLENTLY VIOLET VIOLETS VIOLIN VIOLINIST VIOLINISTS VIOLINS VIPER VIPERS VIRGIL VIRGIN VIRGINIA VIRGINIAN VIRGINIANS VIRGINITY VIRGINS VIRGO VIRTUAL VIRTUALLY VIRTUE VIRTUES VIRTUOSO VIRTUOSOS VIRTUOUS VIRTUOUSLY VIRULENT VIRUS VIRUSES VISA VISAGE VISAS VISCOUNT VISCOUNTS VISCOUS VISHNU VISIBILITY VISIBLE VISIBLY VISIGOTH VISIGOTHS VISION VISIONARY VISIONS VISIT VISITATION VISITATIONS VISITED VISITING VISITOR VISITORS VISITS VISOR VISORS VISTA VISTAS VISUAL VISUALIZE VISUALIZED VISUALIZER VISUALIZES VISUALIZING VISUALLY VITA VITAE VITAL VITALITY VITALLY VITALS VITO VITUS VIVALDI VIVIAN VIVID VIVIDLY VIVIDNESS VIZIER VLADIMIR VLADIVOSTOK VOCABULARIES VOCABULARY VOCAL VOCALLY VOCALS VOCATION VOCATIONAL VOCATIONALLY VOCATIONS VOGEL VOGUE VOICE VOICED VOICER VOICERS VOICES VOICING VOID VOIDED VOIDER VOIDING VOIDS VOLATILE VOLATILITIES VOLATILITY VOLCANIC VOLCANO VOLCANOS VOLITION VOLKSWAGEN VOLKSWAGENS VOLLEY VOLLEYBALL VOLLEYBALLS VOLSTEAD VOLT VOLTA VOLTAGE VOLTAGES VOLTAIRE VOLTERRA VOLTS VOLUME VOLUMES VOLUNTARILY VOLUNTARY VOLUNTEER VOLUNTEERED VOLUNTEERING VOLUNTEERS VOLVO VOMIT VOMITED VOMITING VOMITS VORTEX VOSS VOTE VOTED VOTER VOTERS VOTES VOTING VOTIVE VOUCH VOUCHER VOUCHERS VOUCHES VOUCHING VOUGHT VOW VOWED VOWEL VOWELS VOWER VOWING VOWS VOYAGE VOYAGED VOYAGER VOYAGERS VOYAGES VOYAGING VOYAGINGS VREELAND VULCAN VULCANISM VULGAR VULGARLY VULNERABILITIES VULNERABILITY VULNERABLE VULTURE VULTURES WAALS WABASH WACKE WACKY WACO WADE WADED WADER WADES WADING WADSWORTH WAFER WAFERS WAFFLE WAFFLES WAFT WAG WAGE WAGED WAGER WAGERS WAGES WAGING WAGNER WAGNERIAN WAGNERIZE WAGNERIZES WAGON WAGONER WAGONS WAGS WAHL WAIL WAILED WAILING WAILS WAINWRIGHT WAIST WAISTCOAT WAISTCOATS WAISTS WAIT WAITE WAITED WAITER WAITERS WAITING WAITRESS WAITRESSES WAITS WAIVE WAIVED WAIVER WAIVERABLE WAIVES WAIVING WAKE WAKED WAKEFIELD WAKEN WAKENED WAKENING WAKES WAKEUP WAKING WALBRIDGE WALCOTT WALDEN WALDENSIAN WALDO WALDORF WALDRON WALES WALFORD WALGREEN WALK WALKED WALKER WALKERS WALKING WALKS WALL WALLACE WALLED WALLENSTEIN WALLER WALLET WALLETS WALLING WALLIS WALLOW WALLOWED WALLOWING WALLOWS WALLS WALNUT WALNUTS WALPOLE WALRUS WALRUSES WALSH WALT WALTER WALTERS WALTHAM WALTON WALTZ WALTZED WALTZES WALTZING WALWORTH WAN WAND WANDER WANDERED WANDERER WANDERERS WANDERING WANDERINGS WANDERS WANE WANED WANES WANG WANING WANLY WANSEE WANSLEY WANT WANTED WANTING WANTON WANTONLY WANTONNESS WANTS WAPATO WAPPINGER WAR WARBLE WARBLED WARBLER WARBLES WARBLING WARBURTON WARD WARDEN WARDENS WARDER WARDROBE WARDROBES WARDS WARE WAREHOUSE WAREHOUSES WAREHOUSING WARES WARFARE WARFIELD WARILY WARINESS WARING WARLIKE WARM WARMED WARMER WARMERS WARMEST WARMING WARMLY WARMS WARMTH WARN WARNED WARNER WARNING WARNINGLY WARNINGS WARNOCK WARNS WARP WARPED WARPING WARPS WARRANT WARRANTED WARRANTIES WARRANTING WARRANTS WARRANTY WARRED WARRING WARRIOR WARRIORS WARS WARSAW WARSHIP WARSHIPS WART WARTIME WARTS WARWICK WARY WAS WASH WASHBURN WASHED WASHER WASHERS WASHES WASHING WASHINGS WASHINGTON WASHOE WASP WASPS WASSERMAN WASTE WASTED WASTEFUL WASTEFULLY WASTEFULNESS WASTES WASTING WATANABE WATCH WATCHED WATCHER WATCHERS WATCHES WATCHFUL WATCHFULLY WATCHFULNESS WATCHING WATCHINGS WATCHMAN WATCHWORD WATCHWORDS WATER WATERBURY WATERED WATERFALL WATERFALLS WATERGATE WATERHOUSE WATERING WATERINGS WATERLOO WATERMAN WATERPROOF WATERPROOFING WATERS WATERTOWN WATERWAY WATERWAYS WATERY WATKINS WATSON WATTENBERG WATTERSON WATTS WAUKESHA WAUNONA WAUPACA WAUPUN WAUSAU WAUWATOSA WAVE WAVED WAVEFORM WAVEFORMS WAVEFRONT WAVEFRONTS WAVEGUIDES WAVELAND WAVELENGTH WAVELENGTHS WAVER WAVERS WAVES WAVING WAX WAXED WAXEN WAXER WAXERS WAXES WAXING WAXY WAY WAYNE WAYNESBORO WAYS WAYSIDE WAYWARD WEAK WEAKEN WEAKENED WEAKENING WEAKENS WEAKER WEAKEST WEAKLY WEAKNESS WEAKNESSES WEALTH WEALTHIEST WEALTHS WEALTHY WEAN WEANED WEANING WEAPON WEAPONS WEAR WEARABLE WEARER WEARIED WEARIER WEARIEST WEARILY WEARINESS WEARING WEARISOME WEARISOMELY WEARS WEARY WEARYING WEASEL WEASELS WEATHER WEATHERCOCK WEATHERCOCKS WEATHERED WEATHERFORD WEATHERING WEATHERS WEAVE WEAVER WEAVES WEAVING WEB WEBB WEBBER WEBS WEBSTER WEBSTERVILLE WEDDED WEDDING WEDDINGS WEDGE WEDGED WEDGES WEDGING WEDLOCK WEDNESDAY WEDNESDAYS WEDS WEE WEED WEEDS WEEK WEEKEND WEEKENDS WEEKLY WEEKS WEEP WEEPER WEEPING WEEPS WEHR WEI WEIBULL WEIDER WEIDMAN WEIERSTRASS WEIGH WEIGHED WEIGHING WEIGHINGS WEIGHS WEIGHT WEIGHTED WEIGHTING WEIGHTS WEIGHTY WEINBERG WEINER WEINSTEIN WEIRD WEIRDLY WEISENHEIMER WEISS WEISSMAN WEISSMULLER WELCH WELCHER WELCHES WELCOME WELCOMED WELCOMES WELCOMING WELD WELDED WELDER WELDING WELDON WELDS WELDWOOD WELFARE WELL WELLED WELLER WELLES WELLESLEY WELLING WELLINGTON WELLMAN WELLS WELLSVILLE WELMERS WELSH WELTON WENCH WENCHES WENDELL WENDY WENT WENTWORTH WEPT WERE WERNER WERTHER WESLEY WESLEYAN WESSON WEST WESTBOUND WESTBROOK WESTCHESTER WESTERN WESTERNER WESTERNERS WESTFIELD WESTHAMPTON WESTINGHOUSE WESTMINSTER WESTMORE WESTON WESTPHALIA WESTPORT WESTWARD WESTWARDS WESTWOOD WET WETLY WETNESS WETS WETTED WETTER WETTEST WETTING WEYERHAUSER WHACK WHACKED WHACKING WHACKS WHALE WHALEN WHALER WHALES WHALING WHARF WHARTON WHARVES WHAT WHATEVER WHATLEY WHATSOEVER WHEAT WHEATEN WHEATLAND WHEATON WHEATSTONE WHEEL WHEELED WHEELER WHEELERS WHEELING WHEELINGS WHEELOCK WHEELS WHELAN WHELLER WHELP WHEN WHENCE WHENEVER WHERE WHEREABOUTS WHEREAS WHEREBY WHEREIN WHEREUPON WHEREVER WHETHER WHICH WHICHEVER WHILE WHIM WHIMPER WHIMPERED WHIMPERING WHIMPERS WHIMS WHIMSICAL WHIMSICALLY WHIMSIES WHIMSY WHINE WHINED WHINES WHINING WHIP WHIPPANY WHIPPED WHIPPER WHIPPERS WHIPPING WHIPPINGS WHIPPLE WHIPS WHIRL WHIRLED WHIRLING WHIRLPOOL WHIRLPOOLS WHIRLS WHIRLWIND WHIRR WHIRRING WHISK WHISKED WHISKER WHISKERS WHISKEY WHISKING WHISKS WHISPER WHISPERED WHISPERING WHISPERINGS WHISPERS WHISTLE WHISTLED WHISTLER WHISTLERS WHISTLES WHISTLING WHIT WHITAKER WHITCOMB WHITE WHITEHALL WHITEHORSE WHITELEAF WHITELEY WHITELY WHITEN WHITENED WHITENER WHITENERS WHITENESS WHITENING WHITENS WHITER WHITES WHITESPACE WHITEST WHITEWASH WHITEWASHED WHITEWATER WHITFIELD WHITING WHITLOCK WHITMAN WHITMANIZE WHITMANIZES WHITNEY WHITTAKER WHITTIER WHITTLE WHITTLED WHITTLES WHITTLING WHIZ WHIZZED WHIZZES WHIZZING WHO WHOEVER WHOLE WHOLEHEARTED WHOLEHEARTEDLY WHOLENESS WHOLES WHOLESALE WHOLESALER WHOLESALERS WHOLESOME WHOLESOMENESS WHOLLY WHOM WHOMEVER WHOOP WHOOPED WHOOPING WHOOPS WHORE WHORES WHORL WHORLS WHOSE WHY WICHITA WICK WICKED WICKEDLY WICKEDNESS WICKER WICKS WIDE WIDEBAND WIDELY WIDEN WIDENED WIDENER WIDENING WIDENS WIDER WIDESPREAD WIDEST WIDGET WIDOW WIDOWED WIDOWER WIDOWERS WIDOWS WIDTH WIDTHS WIELAND WIELD WIELDED WIELDER WIELDING WIELDS WIER WIFE WIFELY WIG WIGGINS WIGHTMAN WIGS WIGWAM WILBUR WILCOX WILD WILDCAT WILDCATS WILDER WILDERNESS WILDEST WILDLY WILDNESS WILE WILES WILEY WILFRED WILHELM WILHELMINA WILINESS WILKES WILKIE WILKINS WILKINSON WILL WILLA WILLAMETTE WILLARD WILLCOX WILLED WILLEM WILLFUL WILLFULLY WILLIAM WILLIAMS WILLIAMSBURG WILLIAMSON WILLIE WILLIED WILLIES WILLING WILLINGLY WILLINGNESS WILLIS WILLISSON WILLOUGHBY WILLOW WILLOWS WILLS WILLY WILMA WILMETTE WILMINGTON WILSHIRE WILSON WILSONIAN WILT WILTED WILTING WILTS WILTSHIRE WILY WIN WINCE WINCED WINCES WINCHELL WINCHESTER WINCING WIND WINDED WINDER WINDERS WINDING WINDMILL WINDMILLS WINDOW WINDOWS WINDS WINDSOR WINDY WINE WINED WINEHEAD WINER WINERS WINES WINFIELD WING WINGED WINGING WINGS WINIFRED WINING WINK WINKED WINKER WINKING WINKS WINNEBAGO WINNER WINNERS WINNETKA WINNIE WINNING WINNINGLY WINNINGS WINNIPEG WINNIPESAUKEE WINOGRAD WINOOSKI WINS WINSBOROUGH WINSETT WINSLOW WINSTON WINTER WINTERED WINTERING WINTERS WINTHROP WINTRY WIPE WIPED WIPER WIPERS WIPES WIPING WIRE WIRED WIRELESS WIRES WIRETAP WIRETAPPERS WIRETAPPING WIRETAPS WIRINESS WIRING WIRY WISCONSIN WISDOM WISDOMS WISE WISED WISELY WISENHEIMER WISER WISEST WISH WISHED WISHER WISHERS WISHES WISHFUL WISHING WISP WISPS WISTFUL WISTFULLY WISTFULNESS WIT WITCH WITCHCRAFT WITCHES WITCHING WITH WITHAL WITHDRAW WITHDRAWAL WITHDRAWALS WITHDRAWING WITHDRAWN WITHDRAWS WITHDREW WITHER WITHERS WITHERSPOON WITHHELD WITHHOLD WITHHOLDER WITHHOLDERS WITHHOLDING WITHHOLDINGS WITHHOLDS WITHIN WITHOUT WITHSTAND WITHSTANDING WITHSTANDS WITHSTOOD WITNESS WITNESSED WITNESSES WITNESSING WITS WITT WITTGENSTEIN WITTY WIVES WIZARD WIZARDS WOE WOEFUL WOEFULLY WOKE WOLCOTT WOLF WOLFE WOLFF WOLFGANG WOLVERTON WOLVES WOMAN WOMANHOOD WOMANLY WOMB WOMBS WOMEN WON WONDER WONDERED WONDERFUL WONDERFULLY WONDERFULNESS WONDERING WONDERINGLY WONDERMENT WONDERS WONDROUS WONDROUSLY WONG WONT WONTED WOO WOOD WOODARD WOODBERRY WOODBURY WOODCHUCK WOODCHUCKS WOODCOCK WOODCOCKS WOODED WOODEN WOODENLY WOODENNESS WOODLAND WOODLAWN WOODMAN WOODPECKER WOODPECKERS WOODROW WOODS WOODSTOCK WOODWARD WOODWARDS WOODWORK WOODWORKING WOODY WOOED WOOER WOOF WOOFED WOOFER WOOFERS WOOFING WOOFS WOOING WOOL WOOLEN WOOLLY WOOLS WOOLWORTH WOONSOCKET WOOS WOOSTER WORCESTER WORCESTERSHIRE WORD WORDED WORDILY WORDINESS WORDING WORDS WORDSWORTH WORDY WORE WORK WORKABLE WORKABLY WORKBENCH WORKBENCHES WORKBOOK WORKBOOKS WORKED WORKER WORKERS WORKHORSE WORKHORSES WORKING WORKINGMAN WORKINGS WORKLOAD WORKMAN WORKMANSHIP WORKMEN WORKS WORKSHOP WORKSHOPS WORKSPACE WORKSTATION WORKSTATIONS WORLD WORLDLINESS WORLDLY WORLDS WORLDWIDE WORM WORMED WORMING WORMS WORN WORRIED WORRIER WORRIERS WORRIES WORRISOME WORRY WORRYING WORRYINGLY WORSE WORSHIP WORSHIPED WORSHIPER WORSHIPFUL WORSHIPING WORSHIPS WORST WORSTED WORTH WORTHIEST WORTHINESS WORTHINGTON WORTHLESS WORTHLESSNESS WORTHS WORTHWHILE WORTHWHILENESS WORTHY WOTAN WOULD WOUND WOUNDED WOUNDING WOUNDS WOVE WOVEN WRANGLE WRANGLED WRANGLER WRAP WRAPAROUND WRAPPED WRAPPER WRAPPERS WRAPPING WRAPPINGS WRAPS WRATH WREAK WREAKS WREATH WREATHED WREATHES WRECK WRECKAGE WRECKED WRECKER WRECKERS WRECKING WRECKS WREN WRENCH WRENCHED WRENCHES WRENCHING WRENS WREST WRESTLE WRESTLER WRESTLES WRESTLING WRESTLINGS WRETCH WRETCHED WRETCHEDNESS WRETCHES WRIGGLE WRIGGLED WRIGGLER WRIGGLES WRIGGLING WRIGLEY WRING WRINGER WRINGS WRINKLE WRINKLED WRINKLES WRIST WRISTS WRISTWATCH WRISTWATCHES WRIT WRITABLE WRITE WRITER WRITERS WRITES WRITHE WRITHED WRITHES WRITHING WRITING WRITINGS WRITS WRITTEN WRONG WRONGED WRONGING WRONGLY WRONGS WRONSKIAN WROTE WROUGHT WRUNG WUHAN WYANDOTTE WYATT WYETH WYLIE WYMAN WYNER WYNN WYOMING XANTHUS XAVIER XEBEC XENAKIS XENIA XENIX XEROX XEROXED XEROXES XEROXING XERXES XHOSA YAGI YAKIMA YALE YALIES YALTA YAMAHA YANK YANKED YANKEE YANKEES YANKING YANKS YANKTON YAOUNDE YAQUI YARD YARDS YARDSTICK YARDSTICKS YARMOUTH YARN YARNS YATES YAUNDE YAWN YAWNER YAWNING YEA YEAGER YEAR YEARLY YEARN YEARNED YEARNING YEARNINGS YEARS YEAS YEAST YEASTS YEATS YELL YELLED YELLER YELLING YELLOW YELLOWED YELLOWER YELLOWEST YELLOWING YELLOWISH YELLOWKNIFE YELLOWNESS YELLOWS YELLOWSTONE YELP YELPED YELPING YELPS YEMEN YENTL YEOMAN YEOMEN YERKES YES YESTERDAY YESTERDAYS YET YIDDISH YIELD YIELDED YIELDING YIELDS YODER YOKE YOKES YOKNAPATAWPHA YOKOHAMA YOKUTS YON YONDER YONKERS YORICK YORK YORKER YORKERS YORKSHIRE YORKTOWN YOSEMITE YOST YOU YOUNG YOUNGER YOUNGEST YOUNGLY YOUNGSTER YOUNGSTERS YOUNGSTOWN YOUR YOURS YOURSELF YOURSELVES YOUTH YOUTHES YOUTHFUL YOUTHFULLY YOUTHFULNESS YPSILANTI YUBA YUCATAN YUGOSLAV YUGOSLAVIA YUGOSLAVIAN YUGOSLAVIANS YUH YUKI YUKON YURI YVES YVETTE ZACHARY ZAGREB ZAIRE ZAMBIA ZAN ZANZIBAR ZEAL ZEALAND ZEALOUS ZEALOUSLY ZEALOUSNESS ZEBRA ZEBRAS ZEFFIRELLI ZEISS ZELLERBACH ZEN ZENITH ZENNIST ZERO ZEROED ZEROES ZEROING ZEROS ZEROTH ZEST ZEUS ZIEGFELD ZIEGFELDS ZIEGLER ZIGGY ZIGZAG ZILLIONS ZIMMERMAN ZINC ZION ZIONISM ZIONIST ZIONISTS ZIONS ZODIAC ZOE ZOMBA ZONAL ZONALLY ZONE ZONED ZONES ZONING ZOO ZOOLOGICAL ZOOLOGICALLY ZOOM ZOOMS ZOOS ZORN ZOROASTER ZOROASTRIAN ZULU ZULUS ZURICH
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# The objective of this GitHub Action is to update the DIRECTORY.md file (if needed) # when doing a git push name: directory_writer on: [push] jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v1 # v1, NOT v2 - uses: actions/setup-python@v2 - name: Write DIRECTORY.md run: | scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md git config --global user.name github-actions git config --global user.email '${GITHUB_ACTOR}@users.noreply.github.com' git remote set-url origin https://x-access-token:${{ secrets.GITHUB_TOKEN }}@github.com/$GITHUB_REPOSITORY - name: Update DIRECTORY.md run: | git add DIRECTORY.md git commit -am "updating DIRECTORY.md" || true git push --force origin HEAD:$GITHUB_REF || true
# The objective of this GitHub Action is to update the DIRECTORY.md file (if needed) # when doing a git push name: directory_writer on: [push] jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v1 # v1, NOT v2 - uses: actions/setup-python@v2 - name: Write DIRECTORY.md run: | scripts/build_directory_md.py 2>&1 | tee DIRECTORY.md git config --global user.name github-actions git config --global user.email '${GITHUB_ACTOR}@users.noreply.github.com' git remote set-url origin https://x-access-token:${{ secrets.GITHUB_TOKEN }}@github.com/$GITHUB_REPOSITORY - name: Update DIRECTORY.md run: | git add DIRECTORY.md git commit -am "updating DIRECTORY.md" || true git push --force origin HEAD:$GITHUB_REF || true
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
63,13,28,75,0,23,14,8,0,76,22,89,12,4,13,14,69,16,24,69,29,4,18,23,69,69,59,14,69,11,14,4,29,18
63,13,28,75,0,23,14,8,0,76,22,89,12,4,13,14,69,16,24,69,29,4,18,23,69,69,59,14,69,11,14,4,29,18
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"MARY","PATRICIA","LINDA","BARBARA","ELIZABETH","JENNIFER","MARIA","SUSAN","MARGARET","DOROTHY","LISA","NANCY","KAREN","BETTY","HELEN","SANDRA","DONNA","CAROL","RUTH","SHARON","MICHELLE","LAURA","SARAH","KIMBERLY","DEBORAH","JESSICA","SHIRLEY","CYNTHIA","ANGELA","MELISSA","BRENDA","AMY","ANNA","REBECCA","VIRGINIA","KATHLEEN","PAMELA","MARTHA","DEBRA","AMANDA","STEPHANIE","CAROLYN","CHRISTINE","MARIE","JANET","CATHERINE","FRANCES","ANN","JOYCE","DIANE","ALICE","JULIE","HEATHER","TERESA","DORIS","GLORIA","EVELYN","JEAN","CHERYL","MILDRED","KATHERINE","JOAN","ASHLEY","JUDITH","ROSE","JANICE","KELLY","NICOLE","JUDY","CHRISTINA","KATHY","THERESA","BEVERLY","DENISE","TAMMY","IRENE","JANE","LORI","RACHEL","MARILYN","ANDREA","KATHRYN","LOUISE","SARA","ANNE","JACQUELINE","WANDA","BONNIE","JULIA","RUBY","LOIS","TINA","PHYLLIS","NORMA","PAULA","DIANA","ANNIE","LILLIAN","EMILY","ROBIN","PEGGY","CRYSTAL","GLADYS","RITA","DAWN","CONNIE","FLORENCE","TRACY","EDNA","TIFFANY","CARMEN","ROSA","CINDY","GRACE","WENDY","VICTORIA","EDITH","KIM","SHERRY","SYLVIA","JOSEPHINE","THELMA","SHANNON","SHEILA","ETHEL","ELLEN","ELAINE","MARJORIE","CARRIE","CHARLOTTE","MONICA","ESTHER","PAULINE","EMMA","JUANITA","ANITA","RHONDA","HAZEL","AMBER","EVA","DEBBIE","APRIL","LESLIE","CLARA","LUCILLE","JAMIE","JOANNE","ELEANOR","VALERIE","DANIELLE","MEGAN","ALICIA","SUZANNE","MICHELE","GAIL","BERTHA","DARLENE","VERONICA","JILL","ERIN","GERALDINE","LAUREN","CATHY","JOANN","LORRAINE","LYNN","SALLY","REGINA","ERICA","BEATRICE","DOLORES","BERNICE","AUDREY","YVONNE","ANNETTE","JUNE","SAMANTHA","MARION","DANA","STACY","ANA","RENEE","IDA","VIVIAN","ROBERTA","HOLLY","BRITTANY","MELANIE","LORETTA","YOLANDA","JEANETTE","LAURIE","KATIE","KRISTEN","VANESSA","ALMA","SUE","ELSIE","BETH","JEANNE","VICKI","CARLA","TARA","ROSEMARY","EILEEN","TERRI","GERTRUDE","LUCY","TONYA","ELLA","STACEY","WILMA","GINA","KRISTIN","JESSIE","NATALIE","AGNES","VERA","WILLIE","CHARLENE","BESSIE","DELORES","MELINDA","PEARL","ARLENE","MAUREEN","COLLEEN","ALLISON","TAMARA","JOY","GEORGIA","CONSTANCE","LILLIE","CLAUDIA","JACKIE","MARCIA","TANYA","NELLIE","MINNIE","MARLENE","HEIDI","GLENDA","LYDIA","VIOLA","COURTNEY","MARIAN","STELLA","CAROLINE","DORA","JO","VICKIE","MATTIE","TERRY","MAXINE","IRMA","MABEL","MARSHA","MYRTLE","LENA","CHRISTY","DEANNA","PATSY","HILDA","GWENDOLYN","JENNIE","NORA","MARGIE","NINA","CASSANDRA","LEAH","PENNY","KAY","PRISCILLA","NAOMI","CAROLE","BRANDY","OLGA","BILLIE","DIANNE","TRACEY","LEONA","JENNY","FELICIA","SONIA","MIRIAM","VELMA","BECKY","BOBBIE","VIOLET","KRISTINA","TONI","MISTY","MAE","SHELLY","DAISY","RAMONA","SHERRI","ERIKA","KATRINA","CLAIRE","LINDSEY","LINDSAY","GENEVA","GUADALUPE","BELINDA","MARGARITA","SHERYL","CORA","FAYE","ADA","NATASHA","SABRINA","ISABEL","MARGUERITE","HATTIE","HARRIET","MOLLY","CECILIA","KRISTI","BRANDI","BLANCHE","SANDY","ROSIE","JOANNA","IRIS","EUNICE","ANGIE","INEZ","LYNDA","MADELINE","AMELIA","ALBERTA","GENEVIEVE","MONIQUE","JODI","JANIE","MAGGIE","KAYLA","SONYA","JAN","LEE","KRISTINE","CANDACE","FANNIE","MARYANN","OPAL","ALISON","YVETTE","MELODY","LUZ","SUSIE","OLIVIA","FLORA","SHELLEY","KRISTY","MAMIE","LULA","LOLA","VERNA","BEULAH","ANTOINETTE","CANDICE","JUANA","JEANNETTE","PAM","KELLI","HANNAH","WHITNEY","BRIDGET","KARLA","CELIA","LATOYA","PATTY","SHELIA","GAYLE","DELLA","VICKY","LYNNE","SHERI","MARIANNE","KARA","JACQUELYN","ERMA","BLANCA","MYRA","LETICIA","PAT","KRISTA","ROXANNE","ANGELICA","JOHNNIE","ROBYN","FRANCIS","ADRIENNE","ROSALIE","ALEXANDRA","BROOKE","BETHANY","SADIE","BERNADETTE","TRACI","JODY","KENDRA","JASMINE","NICHOLE","RACHAEL","CHELSEA","MABLE","ERNESTINE","MURIEL","MARCELLA","ELENA","KRYSTAL","ANGELINA","NADINE","KARI","ESTELLE","DIANNA","PAULETTE","LORA","MONA","DOREEN","ROSEMARIE","ANGEL","DESIREE","ANTONIA","HOPE","GINGER","JANIS","BETSY","CHRISTIE","FREDA","MERCEDES","MEREDITH","LYNETTE","TERI","CRISTINA","EULA","LEIGH","MEGHAN","SOPHIA","ELOISE","ROCHELLE","GRETCHEN","CECELIA","RAQUEL","HENRIETTA","ALYSSA","JANA","KELLEY","GWEN","KERRY","JENNA","TRICIA","LAVERNE","OLIVE","ALEXIS","TASHA","SILVIA","ELVIRA","CASEY","DELIA","SOPHIE","KATE","PATTI","LORENA","KELLIE","SONJA","LILA","LANA","DARLA","MAY","MINDY","ESSIE","MANDY","LORENE","ELSA","JOSEFINA","JEANNIE","MIRANDA","DIXIE","LUCIA","MARTA","FAITH","LELA","JOHANNA","SHARI","CAMILLE","TAMI","SHAWNA","ELISA","EBONY","MELBA","ORA","NETTIE","TABITHA","OLLIE","JAIME","WINIFRED","KRISTIE","MARINA","ALISHA","AIMEE","RENA","MYRNA","MARLA","TAMMIE","LATASHA","BONITA","PATRICE","RONDA","SHERRIE","ADDIE","FRANCINE","DELORIS","STACIE","ADRIANA","CHERI","SHELBY","ABIGAIL","CELESTE","JEWEL","CARA","ADELE","REBEKAH","LUCINDA","DORTHY","CHRIS","EFFIE","TRINA","REBA","SHAWN","SALLIE","AURORA","LENORA","ETTA","LOTTIE","KERRI","TRISHA","NIKKI","ESTELLA","FRANCISCA","JOSIE","TRACIE","MARISSA","KARIN","BRITTNEY","JANELLE","LOURDES","LAUREL","HELENE","FERN","ELVA","CORINNE","KELSEY","INA","BETTIE","ELISABETH","AIDA","CAITLIN","INGRID","IVA","EUGENIA","CHRISTA","GOLDIE","CASSIE","MAUDE","JENIFER","THERESE","FRANKIE","DENA","LORNA","JANETTE","LATONYA","CANDY","MORGAN","CONSUELO","TAMIKA","ROSETTA","DEBORA","CHERIE","POLLY","DINA","JEWELL","FAY","JILLIAN","DOROTHEA","NELL","TRUDY","ESPERANZA","PATRICA","KIMBERLEY","SHANNA","HELENA","CAROLINA","CLEO","STEFANIE","ROSARIO","OLA","JANINE","MOLLIE","LUPE","ALISA","LOU","MARIBEL","SUSANNE","BETTE","SUSANA","ELISE","CECILE","ISABELLE","LESLEY","JOCELYN","PAIGE","JONI","RACHELLE","LEOLA","DAPHNE","ALTA","ESTER","PETRA","GRACIELA","IMOGENE","JOLENE","KEISHA","LACEY","GLENNA","GABRIELA","KERI","URSULA","LIZZIE","KIRSTEN","SHANA","ADELINE","MAYRA","JAYNE","JACLYN","GRACIE","SONDRA","CARMELA","MARISA","ROSALIND","CHARITY","TONIA","BEATRIZ","MARISOL","CLARICE","JEANINE","SHEENA","ANGELINE","FRIEDA","LILY","ROBBIE","SHAUNA","MILLIE","CLAUDETTE","CATHLEEN","ANGELIA","GABRIELLE","AUTUMN","KATHARINE","SUMMER","JODIE","STACI","LEA","CHRISTI","JIMMIE","JUSTINE","ELMA","LUELLA","MARGRET","DOMINIQUE","SOCORRO","RENE","MARTINA","MARGO","MAVIS","CALLIE","BOBBI","MARITZA","LUCILE","LEANNE","JEANNINE","DEANA","AILEEN","LORIE","LADONNA","WILLA","MANUELA","GALE","SELMA","DOLLY","SYBIL","ABBY","LARA","DALE","IVY","DEE","WINNIE","MARCY","LUISA","JERI","MAGDALENA","OFELIA","MEAGAN","AUDRA","MATILDA","LEILA","CORNELIA","BIANCA","SIMONE","BETTYE","RANDI","VIRGIE","LATISHA","BARBRA","GEORGINA","ELIZA","LEANN","BRIDGETTE","RHODA","HALEY","ADELA","NOLA","BERNADINE","FLOSSIE","ILA","GRETA","RUTHIE","NELDA","MINERVA","LILLY","TERRIE","LETHA","HILARY","ESTELA","VALARIE","BRIANNA","ROSALYN","EARLINE","CATALINA","AVA","MIA","CLARISSA","LIDIA","CORRINE","ALEXANDRIA","CONCEPCION","TIA","SHARRON","RAE","DONA","ERICKA","JAMI","ELNORA","CHANDRA","LENORE","NEVA","MARYLOU","MELISA","TABATHA","SERENA","AVIS","ALLIE","SOFIA","JEANIE","ODESSA","NANNIE","HARRIETT","LORAINE","PENELOPE","MILAGROS","EMILIA","BENITA","ALLYSON","ASHLEE","TANIA","TOMMIE","ESMERALDA","KARINA","EVE","PEARLIE","ZELMA","MALINDA","NOREEN","TAMEKA","SAUNDRA","HILLARY","AMIE","ALTHEA","ROSALINDA","JORDAN","LILIA","ALANA","GAY","CLARE","ALEJANDRA","ELINOR","MICHAEL","LORRIE","JERRI","DARCY","EARNESTINE","CARMELLA","TAYLOR","NOEMI","MARCIE","LIZA","ANNABELLE","LOUISA","EARLENE","MALLORY","CARLENE","NITA","SELENA","TANISHA","KATY","JULIANNE","JOHN","LAKISHA","EDWINA","MARICELA","MARGERY","KENYA","DOLLIE","ROXIE","ROSLYN","KATHRINE","NANETTE","CHARMAINE","LAVONNE","ILENE","KRIS","TAMMI","SUZETTE","CORINE","KAYE","JERRY","MERLE","CHRYSTAL","LINA","DEANNE","LILIAN","JULIANA","ALINE","LUANN","KASEY","MARYANNE","EVANGELINE","COLETTE","MELVA","LAWANDA","YESENIA","NADIA","MADGE","KATHIE","EDDIE","OPHELIA","VALERIA","NONA","MITZI","MARI","GEORGETTE","CLAUDINE","FRAN","ALISSA","ROSEANN","LAKEISHA","SUSANNA","REVA","DEIDRE","CHASITY","SHEREE","CARLY","JAMES","ELVIA","ALYCE","DEIRDRE","GENA","BRIANA","ARACELI","KATELYN","ROSANNE","WENDI","TESSA","BERTA","MARVA","IMELDA","MARIETTA","MARCI","LEONOR","ARLINE","SASHA","MADELYN","JANNA","JULIETTE","DEENA","AURELIA","JOSEFA","AUGUSTA","LILIANA","YOUNG","CHRISTIAN","LESSIE","AMALIA","SAVANNAH","ANASTASIA","VILMA","NATALIA","ROSELLA","LYNNETTE","CORINA","ALFREDA","LEANNA","CAREY","AMPARO","COLEEN","TAMRA","AISHA","WILDA","KARYN","CHERRY","QUEEN","MAURA","MAI","EVANGELINA","ROSANNA","HALLIE","ERNA","ENID","MARIANA","LACY","JULIET","JACKLYN","FREIDA","MADELEINE","MARA","HESTER","CATHRYN","LELIA","CASANDRA","BRIDGETT","ANGELITA","JANNIE","DIONNE","ANNMARIE","KATINA","BERYL","PHOEBE","MILLICENT","KATHERYN","DIANN","CARISSA","MARYELLEN","LIZ","LAURI","HELGA","GILDA","ADRIAN","RHEA","MARQUITA","HOLLIE","TISHA","TAMERA","ANGELIQUE","FRANCESCA","BRITNEY","KAITLIN","LOLITA","FLORINE","ROWENA","REYNA","TWILA","FANNY","JANELL","INES","CONCETTA","BERTIE","ALBA","BRIGITTE","ALYSON","VONDA","PANSY","ELBA","NOELLE","LETITIA","KITTY","DEANN","BRANDIE","LOUELLA","LETA","FELECIA","SHARLENE","LESA","BEVERLEY","ROBERT","ISABELLA","HERMINIA","TERRA","CELINA","TORI","OCTAVIA","JADE","DENICE","GERMAINE","SIERRA","MICHELL","CORTNEY","NELLY","DORETHA","SYDNEY","DEIDRA","MONIKA","LASHONDA","JUDI","CHELSEY","ANTIONETTE","MARGOT","BOBBY","ADELAIDE","NAN","LEEANN","ELISHA","DESSIE","LIBBY","KATHI","GAYLA","LATANYA","MINA","MELLISA","KIMBERLEE","JASMIN","RENAE","ZELDA","ELDA","MA","JUSTINA","GUSSIE","EMILIE","CAMILLA","ABBIE","ROCIO","KAITLYN","JESSE","EDYTHE","ASHLEIGH","SELINA","LAKESHA","GERI","ALLENE","PAMALA","MICHAELA","DAYNA","CARYN","ROSALIA","SUN","JACQULINE","REBECA","MARYBETH","KRYSTLE","IOLA","DOTTIE","BENNIE","BELLE","AUBREY","GRISELDA","ERNESTINA","ELIDA","ADRIANNE","DEMETRIA","DELMA","CHONG","JAQUELINE","DESTINY","ARLEEN","VIRGINA","RETHA","FATIMA","TILLIE","ELEANORE","CARI","TREVA","BIRDIE","WILHELMINA","ROSALEE","MAURINE","LATRICE","YONG","JENA","TARYN","ELIA","DEBBY","MAUDIE","JEANNA","DELILAH","CATRINA","SHONDA","HORTENCIA","THEODORA","TERESITA","ROBBIN","DANETTE","MARYJANE","FREDDIE","DELPHINE","BRIANNE","NILDA","DANNA","CINDI","BESS","IONA","HANNA","ARIEL","WINONA","VIDA","ROSITA","MARIANNA","WILLIAM","RACHEAL","GUILLERMINA","ELOISA","CELESTINE","CAREN","MALISSA","LONA","CHANTEL","SHELLIE","MARISELA","LEORA","AGATHA","SOLEDAD","MIGDALIA","IVETTE","CHRISTEN","ATHENA","JANEL","CHLOE","VEDA","PATTIE","TESSIE","TERA","MARILYNN","LUCRETIA","KARRIE","DINAH","DANIELA","ALECIA","ADELINA","VERNICE","SHIELA","PORTIA","MERRY","LASHAWN","DEVON","DARA","TAWANA","OMA","VERDA","CHRISTIN","ALENE","ZELLA","SANDI","RAFAELA","MAYA","KIRA","CANDIDA","ALVINA","SUZAN","SHAYLA","LYN","LETTIE","ALVA","SAMATHA","ORALIA","MATILDE","MADONNA","LARISSA","VESTA","RENITA","INDIA","DELOIS","SHANDA","PHILLIS","LORRI","ERLINDA","CRUZ","CATHRINE","BARB","ZOE","ISABELL","IONE","GISELA","CHARLIE","VALENCIA","ROXANNA","MAYME","KISHA","ELLIE","MELLISSA","DORRIS","DALIA","BELLA","ANNETTA","ZOILA","RETA","REINA","LAURETTA","KYLIE","CHRISTAL","PILAR","CHARLA","ELISSA","TIFFANI","TANA","PAULINA","LEOTA","BREANNA","JAYME","CARMEL","VERNELL","TOMASA","MANDI","DOMINGA","SANTA","MELODIE","LURA","ALEXA","TAMELA","RYAN","MIRNA","KERRIE","VENUS","NOEL","FELICITA","CRISTY","CARMELITA","BERNIECE","ANNEMARIE","TIARA","ROSEANNE","MISSY","CORI","ROXANA","PRICILLA","KRISTAL","JUNG","ELYSE","HAYDEE","ALETHA","BETTINA","MARGE","GILLIAN","FILOMENA","CHARLES","ZENAIDA","HARRIETTE","CARIDAD","VADA","UNA","ARETHA","PEARLINE","MARJORY","MARCELA","FLOR","EVETTE","ELOUISE","ALINA","TRINIDAD","DAVID","DAMARIS","CATHARINE","CARROLL","BELVA","NAKIA","MARLENA","LUANNE","LORINE","KARON","DORENE","DANITA","BRENNA","TATIANA","SAMMIE","LOUANN","LOREN","JULIANNA","ANDRIA","PHILOMENA","LUCILA","LEONORA","DOVIE","ROMONA","MIMI","JACQUELIN","GAYE","TONJA","MISTI","JOE","GENE","CHASTITY","STACIA","ROXANN","MICAELA","NIKITA","MEI","VELDA","MARLYS","JOHNNA","AURA","LAVERN","IVONNE","HAYLEY","NICKI","MAJORIE","HERLINDA","GEORGE","ALPHA","YADIRA","PERLA","GREGORIA","DANIEL","ANTONETTE","SHELLI","MOZELLE","MARIAH","JOELLE","CORDELIA","JOSETTE","CHIQUITA","TRISTA","LOUIS","LAQUITA","GEORGIANA","CANDI","SHANON","LONNIE","HILDEGARD","CECIL","VALENTINA","STEPHANY","MAGDA","KAROL","GERRY","GABRIELLA","TIANA","ROMA","RICHELLE","RAY","PRINCESS","OLETA","JACQUE","IDELLA","ALAINA","SUZANNA","JOVITA","BLAIR","TOSHA","RAVEN","NEREIDA","MARLYN","KYLA","JOSEPH","DELFINA","TENA","STEPHENIE","SABINA","NATHALIE","MARCELLE","GERTIE","DARLEEN","THEA","SHARONDA","SHANTEL","BELEN","VENESSA","ROSALINA","ONA","GENOVEVA","COREY","CLEMENTINE","ROSALBA","RENATE","RENATA","MI","IVORY","GEORGIANNA","FLOY","DORCAS","ARIANA","TYRA","THEDA","MARIAM","JULI","JESICA","DONNIE","VIKKI","VERLA","ROSELYN","MELVINA","JANNETTE","GINNY","DEBRAH","CORRIE","ASIA","VIOLETA","MYRTIS","LATRICIA","COLLETTE","CHARLEEN","ANISSA","VIVIANA","TWYLA","PRECIOUS","NEDRA","LATONIA","LAN","HELLEN","FABIOLA","ANNAMARIE","ADELL","SHARYN","CHANTAL","NIKI","MAUD","LIZETTE","LINDY","KIA","KESHA","JEANA","DANELLE","CHARLINE","CHANEL","CARROL","VALORIE","LIA","DORTHA","CRISTAL","SUNNY","LEONE","LEILANI","GERRI","DEBI","ANDRA","KESHIA","IMA","EULALIA","EASTER","DULCE","NATIVIDAD","LINNIE","KAMI","GEORGIE","CATINA","BROOK","ALDA","WINNIFRED","SHARLA","RUTHANN","MEAGHAN","MAGDALENE","LISSETTE","ADELAIDA","VENITA","TRENA","SHIRLENE","SHAMEKA","ELIZEBETH","DIAN","SHANTA","MICKEY","LATOSHA","CARLOTTA","WINDY","SOON","ROSINA","MARIANN","LEISA","JONNIE","DAWNA","CATHIE","BILLY","ASTRID","SIDNEY","LAUREEN","JANEEN","HOLLI","FAWN","VICKEY","TERESSA","SHANTE","RUBYE","MARCELINA","CHANDA","CARY","TERESE","SCARLETT","MARTY","MARNIE","LULU","LISETTE","JENIFFER","ELENOR","DORINDA","DONITA","CARMAN","BERNITA","ALTAGRACIA","ALETA","ADRIANNA","ZORAIDA","RONNIE","NICOLA","LYNDSEY","KENDALL","JANINA","CHRISSY","AMI","STARLA","PHYLIS","PHUONG","KYRA","CHARISSE","BLANCH","SANJUANITA","RONA","NANCI","MARILEE","MARANDA","CORY","BRIGETTE","SANJUANA","MARITA","KASSANDRA","JOYCELYN","IRA","FELIPA","CHELSIE","BONNY","MIREYA","LORENZA","KYONG","ILEANA","CANDELARIA","TONY","TOBY","SHERIE","OK","MARK","LUCIE","LEATRICE","LAKESHIA","GERDA","EDIE","BAMBI","MARYLIN","LAVON","HORTENSE","GARNET","EVIE","TRESSA","SHAYNA","LAVINA","KYUNG","JEANETTA","SHERRILL","SHARA","PHYLISS","MITTIE","ANABEL","ALESIA","THUY","TAWANDA","RICHARD","JOANIE","TIFFANIE","LASHANDA","KARISSA","ENRIQUETA","DARIA","DANIELLA","CORINNA","ALANNA","ABBEY","ROXANE","ROSEANNA","MAGNOLIA","LIDA","KYLE","JOELLEN","ERA","CORAL","CARLEEN","TRESA","PEGGIE","NOVELLA","NILA","MAYBELLE","JENELLE","CARINA","NOVA","MELINA","MARQUERITE","MARGARETTE","JOSEPHINA","EVONNE","DEVIN","CINTHIA","ALBINA","TOYA","TAWNYA","SHERITA","SANTOS","MYRIAM","LIZABETH","LISE","KEELY","JENNI","GISELLE","CHERYLE","ARDITH","ARDIS","ALESHA","ADRIANE","SHAINA","LINNEA","KAROLYN","HONG","FLORIDA","FELISHA","DORI","DARCI","ARTIE","ARMIDA","ZOLA","XIOMARA","VERGIE","SHAMIKA","NENA","NANNETTE","MAXIE","LOVIE","JEANE","JAIMIE","INGE","FARRAH","ELAINA","CAITLYN","STARR","FELICITAS","CHERLY","CARYL","YOLONDA","YASMIN","TEENA","PRUDENCE","PENNIE","NYDIA","MACKENZIE","ORPHA","MARVEL","LIZBETH","LAURETTE","JERRIE","HERMELINDA","CAROLEE","TIERRA","MIRIAN","META","MELONY","KORI","JENNETTE","JAMILA","ENA","ANH","YOSHIKO","SUSANNAH","SALINA","RHIANNON","JOLEEN","CRISTINE","ASHTON","ARACELY","TOMEKA","SHALONDA","MARTI","LACIE","KALA","JADA","ILSE","HAILEY","BRITTANI","ZONA","SYBLE","SHERRYL","RANDY","NIDIA","MARLO","KANDICE","KANDI","DEB","DEAN","AMERICA","ALYCIA","TOMMY","RONNA","NORENE","MERCY","JOSE","INGEBORG","GIOVANNA","GEMMA","CHRISTEL","AUDRY","ZORA","VITA","VAN","TRISH","STEPHAINE","SHIRLEE","SHANIKA","MELONIE","MAZIE","JAZMIN","INGA","HOA","HETTIE","GERALYN","FONDA","ESTRELLA","ADELLA","SU","SARITA","RINA","MILISSA","MARIBETH","GOLDA","EVON","ETHELYN","ENEDINA","CHERISE","CHANA","VELVA","TAWANNA","SADE","MIRTA","LI","KARIE","JACINTA","ELNA","DAVINA","CIERRA","ASHLIE","ALBERTHA","TANESHA","STEPHANI","NELLE","MINDI","LU","LORINDA","LARUE","FLORENE","DEMETRA","DEDRA","CIARA","CHANTELLE","ASHLY","SUZY","ROSALVA","NOELIA","LYDA","LEATHA","KRYSTYNA","KRISTAN","KARRI","DARLINE","DARCIE","CINDA","CHEYENNE","CHERRIE","AWILDA","ALMEDA","ROLANDA","LANETTE","JERILYN","GISELE","EVALYN","CYNDI","CLETA","CARIN","ZINA","ZENA","VELIA","TANIKA","PAUL","CHARISSA","THOMAS","TALIA","MARGARETE","LAVONDA","KAYLEE","KATHLENE","JONNA","IRENA","ILONA","IDALIA","CANDIS","CANDANCE","BRANDEE","ANITRA","ALIDA","SIGRID","NICOLETTE","MARYJO","LINETTE","HEDWIG","CHRISTIANA","CASSIDY","ALEXIA","TRESSIE","MODESTA","LUPITA","LITA","GLADIS","EVELIA","DAVIDA","CHERRI","CECILY","ASHELY","ANNABEL","AGUSTINA","WANITA","SHIRLY","ROSAURA","HULDA","EUN","BAILEY","YETTA","VERONA","THOMASINA","SIBYL","SHANNAN","MECHELLE","LUE","LEANDRA","LANI","KYLEE","KANDY","JOLYNN","FERNE","EBONI","CORENE","ALYSIA","ZULA","NADA","MOIRA","LYNDSAY","LORRETTA","JUAN","JAMMIE","HORTENSIA","GAYNELL","CAMERON","ADRIA","VINA","VICENTA","TANGELA","STEPHINE","NORINE","NELLA","LIANA","LESLEE","KIMBERELY","ILIANA","GLORY","FELICA","EMOGENE","ELFRIEDE","EDEN","EARTHA","CARMA","BEA","OCIE","MARRY","LENNIE","KIARA","JACALYN","CARLOTA","ARIELLE","YU","STAR","OTILIA","KIRSTIN","KACEY","JOHNETTA","JOEY","JOETTA","JERALDINE","JAUNITA","ELANA","DORTHEA","CAMI","AMADA","ADELIA","VERNITA","TAMAR","SIOBHAN","RENEA","RASHIDA","OUIDA","ODELL","NILSA","MERYL","KRISTYN","JULIETA","DANICA","BREANNE","AUREA","ANGLEA","SHERRON","ODETTE","MALIA","LORELEI","LIN","LEESA","KENNA","KATHLYN","FIONA","CHARLETTE","SUZIE","SHANTELL","SABRA","RACQUEL","MYONG","MIRA","MARTINE","LUCIENNE","LAVADA","JULIANN","JOHNIE","ELVERA","DELPHIA","CLAIR","CHRISTIANE","CHAROLETTE","CARRI","AUGUSTINE","ASHA","ANGELLA","PAOLA","NINFA","LEDA","LAI","EDA","SUNSHINE","STEFANI","SHANELL","PALMA","MACHELLE","LISSA","KECIA","KATHRYNE","KARLENE","JULISSA","JETTIE","JENNIFFER","HUI","CORRINA","CHRISTOPHER","CAROLANN","ALENA","TESS","ROSARIA","MYRTICE","MARYLEE","LIANE","KENYATTA","JUDIE","JANEY","IN","ELMIRA","ELDORA","DENNA","CRISTI","CATHI","ZAIDA","VONNIE","VIVA","VERNIE","ROSALINE","MARIELA","LUCIANA","LESLI","KARAN","FELICE","DENEEN","ADINA","WYNONA","TARSHA","SHERON","SHASTA","SHANITA","SHANI","SHANDRA","RANDA","PINKIE","PARIS","NELIDA","MARILOU","LYLA","LAURENE","LACI","JOI","JANENE","DOROTHA","DANIELE","DANI","CAROLYNN","CARLYN","BERENICE","AYESHA","ANNELIESE","ALETHEA","THERSA","TAMIKO","RUFINA","OLIVA","MOZELL","MARYLYN","MADISON","KRISTIAN","KATHYRN","KASANDRA","KANDACE","JANAE","GABRIEL","DOMENICA","DEBBRA","DANNIELLE","CHUN","BUFFY","BARBIE","ARCELIA","AJA","ZENOBIA","SHAREN","SHAREE","PATRICK","PAGE","MY","LAVINIA","KUM","KACIE","JACKELINE","HUONG","FELISA","EMELIA","ELEANORA","CYTHIA","CRISTIN","CLYDE","CLARIBEL","CARON","ANASTACIA","ZULMA","ZANDRA","YOKO","TENISHA","SUSANN","SHERILYN","SHAY","SHAWANDA","SABINE","ROMANA","MATHILDA","LINSEY","KEIKO","JOANA","ISELA","GRETTA","GEORGETTA","EUGENIE","DUSTY","DESIRAE","DELORA","CORAZON","ANTONINA","ANIKA","WILLENE","TRACEE","TAMATHA","REGAN","NICHELLE","MICKIE","MAEGAN","LUANA","LANITA","KELSIE","EDELMIRA","BREE","AFTON","TEODORA","TAMIE","SHENA","MEG","LINH","KELI","KACI","DANYELLE","BRITT","ARLETTE","ALBERTINE","ADELLE","TIFFINY","STORMY","SIMONA","NUMBERS","NICOLASA","NICHOL","NIA","NAKISHA","MEE","MAIRA","LOREEN","KIZZY","JOHNNY","JAY","FALLON","CHRISTENE","BOBBYE","ANTHONY","YING","VINCENZA","TANJA","RUBIE","RONI","QUEENIE","MARGARETT","KIMBERLI","IRMGARD","IDELL","HILMA","EVELINA","ESTA","EMILEE","DENNISE","DANIA","CARL","CARIE","ANTONIO","WAI","SANG","RISA","RIKKI","PARTICIA","MUI","MASAKO","MARIO","LUVENIA","LOREE","LONI","LIEN","KEVIN","GIGI","FLORENCIA","DORIAN","DENITA","DALLAS","CHI","BILLYE","ALEXANDER","TOMIKA","SHARITA","RANA","NIKOLE","NEOMA","MARGARITE","MADALYN","LUCINA","LAILA","KALI","JENETTE","GABRIELE","EVELYNE","ELENORA","CLEMENTINA","ALEJANDRINA","ZULEMA","VIOLETTE","VANNESSA","THRESA","RETTA","PIA","PATIENCE","NOELLA","NICKIE","JONELL","DELTA","CHUNG","CHAYA","CAMELIA","BETHEL","ANYA","ANDREW","THANH","SUZANN","SPRING","SHU","MILA","LILLA","LAVERNA","KEESHA","KATTIE","GIA","GEORGENE","EVELINE","ESTELL","ELIZBETH","VIVIENNE","VALLIE","TRUDIE","STEPHANE","MICHEL","MAGALY","MADIE","KENYETTA","KARREN","JANETTA","HERMINE","HARMONY","DRUCILLA","DEBBI","CELESTINA","CANDIE","BRITNI","BECKIE","AMINA","ZITA","YUN","YOLANDE","VIVIEN","VERNETTA","TRUDI","SOMMER","PEARLE","PATRINA","OSSIE","NICOLLE","LOYCE","LETTY","LARISA","KATHARINA","JOSELYN","JONELLE","JENELL","IESHA","HEIDE","FLORINDA","FLORENTINA","FLO","ELODIA","DORINE","BRUNILDA","BRIGID","ASHLI","ARDELLA","TWANA","THU","TARAH","SUNG","SHEA","SHAVON","SHANE","SERINA","RAYNA","RAMONITA","NGA","MARGURITE","LUCRECIA","KOURTNEY","KATI","JESUS","JESENIA","DIAMOND","CRISTA","AYANA","ALICA","ALIA","VINNIE","SUELLEN","ROMELIA","RACHELL","PIPER","OLYMPIA","MICHIKO","KATHALEEN","JOLIE","JESSI","JANESSA","HANA","HA","ELEASE","CARLETTA","BRITANY","SHONA","SALOME","ROSAMOND","REGENA","RAINA","NGOC","NELIA","LOUVENIA","LESIA","LATRINA","LATICIA","LARHONDA","JINA","JACKI","HOLLIS","HOLLEY","EMMY","DEEANN","CORETTA","ARNETTA","VELVET","THALIA","SHANICE","NETA","MIKKI","MICKI","LONNA","LEANA","LASHUNDA","KILEY","JOYE","JACQULYN","IGNACIA","HYUN","HIROKO","HENRY","HENRIETTE","ELAYNE","DELINDA","DARNELL","DAHLIA","COREEN","CONSUELA","CONCHITA","CELINE","BABETTE","AYANNA","ANETTE","ALBERTINA","SKYE","SHAWNEE","SHANEKA","QUIANA","PAMELIA","MIN","MERRI","MERLENE","MARGIT","KIESHA","KIERA","KAYLENE","JODEE","JENISE","ERLENE","EMMIE","ELSE","DARYL","DALILA","DAISEY","CODY","CASIE","BELIA","BABARA","VERSIE","VANESA","SHELBA","SHAWNDA","SAM","NORMAN","NIKIA","NAOMA","MARNA","MARGERET","MADALINE","LAWANA","KINDRA","JUTTA","JAZMINE","JANETT","HANNELORE","GLENDORA","GERTRUD","GARNETT","FREEDA","FREDERICA","FLORANCE","FLAVIA","DENNIS","CARLINE","BEVERLEE","ANJANETTE","VALDA","TRINITY","TAMALA","STEVIE","SHONNA","SHA","SARINA","ONEIDA","MICAH","MERILYN","MARLEEN","LURLINE","LENNA","KATHERIN","JIN","JENI","HAE","GRACIA","GLADY","FARAH","ERIC","ENOLA","EMA","DOMINQUE","DEVONA","DELANA","CECILA","CAPRICE","ALYSHA","ALI","ALETHIA","VENA","THERESIA","TAWNY","SONG","SHAKIRA","SAMARA","SACHIKO","RACHELE","PAMELLA","NICKY","MARNI","MARIEL","MAREN","MALISA","LIGIA","LERA","LATORIA","LARAE","KIMBER","KATHERN","KAREY","JENNEFER","JANETH","HALINA","FREDIA","DELISA","DEBROAH","CIERA","CHIN","ANGELIKA","ANDREE","ALTHA","YEN","VIVAN","TERRESA","TANNA","SUK","SUDIE","SOO","SIGNE","SALENA","RONNI","REBBECCA","MYRTIE","MCKENZIE","MALIKA","MAIDA","LOAN","LEONARDA","KAYLEIGH","FRANCE","ETHYL","ELLYN","DAYLE","CAMMIE","BRITTNI","BIRGIT","AVELINA","ASUNCION","ARIANNA","AKIKO","VENICE","TYESHA","TONIE","TIESHA","TAKISHA","STEFFANIE","SINDY","SANTANA","MEGHANN","MANDA","MACIE","LADY","KELLYE","KELLEE","JOSLYN","JASON","INGER","INDIRA","GLINDA","GLENNIS","FERNANDA","FAUSTINA","ENEIDA","ELICIA","DOT","DIGNA","DELL","ARLETTA","ANDRE","WILLIA","TAMMARA","TABETHA","SHERRELL","SARI","REFUGIO","REBBECA","PAULETTA","NIEVES","NATOSHA","NAKITA","MAMMIE","KENISHA","KAZUKO","KASSIE","GARY","EARLEAN","DAPHINE","CORLISS","CLOTILDE","CAROLYNE","BERNETTA","AUGUSTINA","AUDREA","ANNIS","ANNABELL","YAN","TENNILLE","TAMICA","SELENE","SEAN","ROSANA","REGENIA","QIANA","MARKITA","MACY","LEEANNE","LAURINE","KYM","JESSENIA","JANITA","GEORGINE","GENIE","EMIKO","ELVIE","DEANDRA","DAGMAR","CORIE","COLLEN","CHERISH","ROMAINE","PORSHA","PEARLENE","MICHELINE","MERNA","MARGORIE","MARGARETTA","LORE","KENNETH","JENINE","HERMINA","FREDERICKA","ELKE","DRUSILLA","DORATHY","DIONE","DESIRE","CELENA","BRIGIDA","ANGELES","ALLEGRA","THEO","TAMEKIA","SYNTHIA","STEPHEN","SOOK","SLYVIA","ROSANN","REATHA","RAYE","MARQUETTA","MARGART","LING","LAYLA","KYMBERLY","KIANA","KAYLEEN","KATLYN","KARMEN","JOELLA","IRINA","EMELDA","ELENI","DETRA","CLEMMIE","CHERYLL","CHANTELL","CATHEY","ARNITA","ARLA","ANGLE","ANGELIC","ALYSE","ZOFIA","THOMASINE","TENNIE","SON","SHERLY","SHERLEY","SHARYL","REMEDIOS","PETRINA","NICKOLE","MYUNG","MYRLE","MOZELLA","LOUANNE","LISHA","LATIA","LANE","KRYSTA","JULIENNE","JOEL","JEANENE","JACQUALINE","ISAURA","GWENDA","EARLEEN","DONALD","CLEOPATRA","CARLIE","AUDIE","ANTONIETTA","ALISE","ALEX","VERDELL","VAL","TYLER","TOMOKO","THAO","TALISHA","STEVEN","SO","SHEMIKA","SHAUN","SCARLET","SAVANNA","SANTINA","ROSIA","RAEANN","ODILIA","NANA","MINNA","MAGAN","LYNELLE","LE","KARMA","JOEANN","IVANA","INELL","ILANA","HYE","HONEY","HEE","GUDRUN","FRANK","DREAMA","CRISSY","CHANTE","CARMELINA","ARVILLA","ARTHUR","ANNAMAE","ALVERA","ALEIDA","AARON","YEE","YANIRA","VANDA","TIANNA","TAM","STEFANIA","SHIRA","PERRY","NICOL","NANCIE","MONSERRATE","MINH","MELYNDA","MELANY","MATTHEW","LOVELLA","LAURE","KIRBY","KACY","JACQUELYNN","HYON","GERTHA","FRANCISCO","ELIANA","CHRISTENA","CHRISTEEN","CHARISE","CATERINA","CARLEY","CANDYCE","ARLENA","AMMIE","YANG","WILLETTE","VANITA","TUYET","TINY","SYREETA","SILVA","SCOTT","RONALD","PENNEY","NYLA","MICHAL","MAURICE","MARYAM","MARYA","MAGEN","LUDIE","LOMA","LIVIA","LANELL","KIMBERLIE","JULEE","DONETTA","DIEDRA","DENISHA","DEANE","DAWNE","CLARINE","CHERRYL","BRONWYN","BRANDON","ALLA","VALERY","TONDA","SUEANN","SORAYA","SHOSHANA","SHELA","SHARLEEN","SHANELLE","NERISSA","MICHEAL","MERIDITH","MELLIE","MAYE","MAPLE","MAGARET","LUIS","LILI","LEONILA","LEONIE","LEEANNA","LAVONIA","LAVERA","KRISTEL","KATHEY","KATHE","JUSTIN","JULIAN","JIMMY","JANN","ILDA","HILDRED","HILDEGARDE","GENIA","FUMIKO","EVELIN","ERMELINDA","ELLY","DUNG","DOLORIS","DIONNA","DANAE","BERNEICE","ANNICE","ALIX","VERENA","VERDIE","TRISTAN","SHAWNNA","SHAWANA","SHAUNNA","ROZELLA","RANDEE","RANAE","MILAGRO","LYNELL","LUISE","LOUIE","LOIDA","LISBETH","KARLEEN","JUNITA","JONA","ISIS","HYACINTH","HEDY","GWENN","ETHELENE","ERLINE","EDWARD","DONYA","DOMONIQUE","DELICIA","DANNETTE","CICELY","BRANDA","BLYTHE","BETHANN","ASHLYN","ANNALEE","ALLINE","YUKO","VELLA","TRANG","TOWANDA","TESHA","SHERLYN","NARCISA","MIGUELINA","MERI","MAYBELL","MARLANA","MARGUERITA","MADLYN","LUNA","LORY","LORIANN","LIBERTY","LEONORE","LEIGHANN","LAURICE","LATESHA","LARONDA","KATRICE","KASIE","KARL","KALEY","JADWIGA","GLENNIE","GEARLDINE","FRANCINA","EPIFANIA","DYAN","DORIE","DIEDRE","DENESE","DEMETRICE","DELENA","DARBY","CRISTIE","CLEORA","CATARINA","CARISA","BERNIE","BARBERA","ALMETA","TRULA","TEREASA","SOLANGE","SHEILAH","SHAVONNE","SANORA","ROCHELL","MATHILDE","MARGARETA","MAIA","LYNSEY","LAWANNA","LAUNA","KENA","KEENA","KATIA","JAMEY","GLYNDA","GAYLENE","ELVINA","ELANOR","DANUTA","DANIKA","CRISTEN","CORDIE","COLETTA","CLARITA","CARMON","BRYNN","AZUCENA","AUNDREA","ANGELE","YI","WALTER","VERLIE","VERLENE","TAMESHA","SILVANA","SEBRINA","SAMIRA","REDA","RAYLENE","PENNI","PANDORA","NORAH","NOMA","MIREILLE","MELISSIA","MARYALICE","LARAINE","KIMBERY","KARYL","KARINE","KAM","JOLANDA","JOHANA","JESUSA","JALEESA","JAE","JACQUELYNE","IRISH","ILUMINADA","HILARIA","HANH","GENNIE","FRANCIE","FLORETTA","EXIE","EDDA","DREMA","DELPHA","BEV","BARBAR","ASSUNTA","ARDELL","ANNALISA","ALISIA","YUKIKO","YOLANDO","WONDA","WEI","WALTRAUD","VETA","TEQUILA","TEMEKA","TAMEIKA","SHIRLEEN","SHENITA","PIEDAD","OZELLA","MIRTHA","MARILU","KIMIKO","JULIANE","JENICE","JEN","JANAY","JACQUILINE","HILDE","FE","FAE","EVAN","EUGENE","ELOIS","ECHO","DEVORAH","CHAU","BRINDA","BETSEY","ARMINDA","ARACELIS","APRYL","ANNETT","ALISHIA","VEOLA","USHA","TOSHIKO","THEOLA","TASHIA","TALITHA","SHERY","RUDY","RENETTA","REIKO","RASHEEDA","OMEGA","OBDULIA","MIKA","MELAINE","MEGGAN","MARTIN","MARLEN","MARGET","MARCELINE","MANA","MAGDALEN","LIBRADA","LEZLIE","LEXIE","LATASHIA","LASANDRA","KELLE","ISIDRA","ISA","INOCENCIA","GWYN","FRANCOISE","ERMINIA","ERINN","DIMPLE","DEVORA","CRISELDA","ARMANDA","ARIE","ARIANE","ANGELO","ANGELENA","ALLEN","ALIZA","ADRIENE","ADALINE","XOCHITL","TWANNA","TRAN","TOMIKO","TAMISHA","TAISHA","SUSY","SIU","RUTHA","ROXY","RHONA","RAYMOND","OTHA","NORIKO","NATASHIA","MERRIE","MELVIN","MARINDA","MARIKO","MARGERT","LORIS","LIZZETTE","LEISHA","KAILA","KA","JOANNIE","JERRICA","JENE","JANNET","JANEE","JACINDA","HERTA","ELENORE","DORETTA","DELAINE","DANIELL","CLAUDIE","CHINA","BRITTA","APOLONIA","AMBERLY","ALEASE","YURI","YUK","WEN","WANETA","UTE","TOMI","SHARRI","SANDIE","ROSELLE","REYNALDA","RAGUEL","PHYLICIA","PATRIA","OLIMPIA","ODELIA","MITZIE","MITCHELL","MISS","MINDA","MIGNON","MICA","MENDY","MARIVEL","MAILE","LYNETTA","LAVETTE","LAURYN","LATRISHA","LAKIESHA","KIERSTEN","KARY","JOSPHINE","JOLYN","JETTA","JANISE","JACQUIE","IVELISSE","GLYNIS","GIANNA","GAYNELLE","EMERALD","DEMETRIUS","DANYELL","DANILLE","DACIA","CORALEE","CHER","CEOLA","BRETT","BELL","ARIANNE","ALESHIA","YUNG","WILLIEMAE","TROY","TRINH","THORA","TAI","SVETLANA","SHERIKA","SHEMEKA","SHAUNDA","ROSELINE","RICKI","MELDA","MALLIE","LAVONNA","LATINA","LARRY","LAQUANDA","LALA","LACHELLE","KLARA","KANDIS","JOHNA","JEANMARIE","JAYE","HANG","GRAYCE","GERTUDE","EMERITA","EBONIE","CLORINDA","CHING","CHERY","CAROLA","BREANN","BLOSSOM","BERNARDINE","BECKI","ARLETHA","ARGELIA","ARA","ALITA","YULANDA","YON","YESSENIA","TOBI","TASIA","SYLVIE","SHIRL","SHIRELY","SHERIDAN","SHELLA","SHANTELLE","SACHA","ROYCE","REBECKA","REAGAN","PROVIDENCIA","PAULENE","MISHA","MIKI","MARLINE","MARICA","LORITA","LATOYIA","LASONYA","KERSTIN","KENDA","KEITHA","KATHRIN","JAYMIE","JACK","GRICELDA","GINETTE","ERYN","ELINA","ELFRIEDA","DANYEL","CHEREE","CHANELLE","BARRIE","AVERY","AURORE","ANNAMARIA","ALLEEN","AILENE","AIDE","YASMINE","VASHTI","VALENTINE","TREASA","TORY","TIFFANEY","SHERYLL","SHARIE","SHANAE","SAU","RAISA","PA","NEDA","MITSUKO","MIRELLA","MILDA","MARYANNA","MARAGRET","MABELLE","LUETTA","LORINA","LETISHA","LATARSHA","LANELLE","LAJUANA","KRISSY","KARLY","KARENA","JON","JESSIKA","JERICA","JEANELLE","JANUARY","JALISA","JACELYN","IZOLA","IVEY","GREGORY","EUNA","ETHA","DREW","DOMITILA","DOMINICA","DAINA","CREOLA","CARLI","CAMIE","BUNNY","BRITTNY","ASHANTI","ANISHA","ALEEN","ADAH","YASUKO","WINTER","VIKI","VALRIE","TONA","TINISHA","THI","TERISA","TATUM","TANEKA","SIMONNE","SHALANDA","SERITA","RESSIE","REFUGIA","PAZ","OLENE","NA","MERRILL","MARGHERITA","MANDIE","MAN","MAIRE","LYNDIA","LUCI","LORRIANE","LORETA","LEONIA","LAVONA","LASHAWNDA","LAKIA","KYOKO","KRYSTINA","KRYSTEN","KENIA","KELSI","JUDE","JEANICE","ISOBEL","GEORGIANN","GENNY","FELICIDAD","EILENE","DEON","DELOISE","DEEDEE","DANNIE","CONCEPTION","CLORA","CHERILYN","CHANG","CALANDRA","BERRY","ARMANDINA","ANISA","ULA","TIMOTHY","TIERA","THERESSA","STEPHANIA","SIMA","SHYLA","SHONTA","SHERA","SHAQUITA","SHALA","SAMMY","ROSSANA","NOHEMI","NERY","MORIAH","MELITA","MELIDA","MELANI","MARYLYNN","MARISHA","MARIETTE","MALORIE","MADELENE","LUDIVINA","LORIA","LORETTE","LORALEE","LIANNE","LEON","LAVENIA","LAURINDA","LASHON","KIT","KIMI","KEILA","KATELYNN","KAI","JONE","JOANE","JI","JAYNA","JANELLA","JA","HUE","HERTHA","FRANCENE","ELINORE","DESPINA","DELSIE","DEEDRA","CLEMENCIA","CARRY","CAROLIN","CARLOS","BULAH","BRITTANIE","BOK","BLONDELL","BIBI","BEAULAH","BEATA","ANNITA","AGRIPINA","VIRGEN","VALENE","UN","TWANDA","TOMMYE","TOI","TARRA","TARI","TAMMERA","SHAKIA","SADYE","RUTHANNE","ROCHEL","RIVKA","PURA","NENITA","NATISHA","MING","MERRILEE","MELODEE","MARVIS","LUCILLA","LEENA","LAVETA","LARITA","LANIE","KEREN","ILEEN","GEORGEANN","GENNA","GENESIS","FRIDA","EWA","EUFEMIA","EMELY","ELA","EDYTH","DEONNA","DEADRA","DARLENA","CHANELL","CHAN","CATHERN","CASSONDRA","CASSAUNDRA","BERNARDA","BERNA","ARLINDA","ANAMARIA","ALBERT","WESLEY","VERTIE","VALERI","TORRI","TATYANA","STASIA","SHERISE","SHERILL","SEASON","SCOTTIE","SANDA","RUTHE","ROSY","ROBERTO","ROBBI","RANEE","QUYEN","PEARLY","PALMIRA","ONITA","NISHA","NIESHA","NIDA","NEVADA","NAM","MERLYN","MAYOLA","MARYLOUISE","MARYLAND","MARX","MARTH","MARGENE","MADELAINE","LONDA","LEONTINE","LEOMA","LEIA","LAWRENCE","LAURALEE","LANORA","LAKITA","KIYOKO","KETURAH","KATELIN","KAREEN","JONIE","JOHNETTE","JENEE","JEANETT","IZETTA","HIEDI","HEIKE","HASSIE","HAROLD","GIUSEPPINA","GEORGANN","FIDELA","FERNANDE","ELWANDA","ELLAMAE","ELIZ","DUSTI","DOTTY","CYNDY","CORALIE","CELESTA","ARGENTINA","ALVERTA","XENIA","WAVA","VANETTA","TORRIE","TASHINA","TANDY","TAMBRA","TAMA","STEPANIE","SHILA","SHAUNTA","SHARAN","SHANIQUA","SHAE","SETSUKO","SERAFINA","SANDEE","ROSAMARIA","PRISCILA","OLINDA","NADENE","MUOI","MICHELINA","MERCEDEZ","MARYROSE","MARIN","MARCENE","MAO","MAGALI","MAFALDA","LOGAN","LINN","LANNIE","KAYCE","KAROLINE","KAMILAH","KAMALA","JUSTA","JOLINE","JENNINE","JACQUETTA","IRAIDA","GERALD","GEORGEANNA","FRANCHESCA","FAIRY","EMELINE","ELANE","EHTEL","EARLIE","DULCIE","DALENE","CRIS","CLASSIE","CHERE","CHARIS","CAROYLN","CARMINA","CARITA","BRIAN","BETHANIE","AYAKO","ARICA","AN","ALYSA","ALESSANDRA","AKILAH","ADRIEN","ZETTA","YOULANDA","YELENA","YAHAIRA","XUAN","WENDOLYN","VICTOR","TIJUANA","TERRELL","TERINA","TERESIA","SUZI","SUNDAY","SHERELL","SHAVONDA","SHAUNTE","SHARDA","SHAKITA","SENA","RYANN","RUBI","RIVA","REGINIA","REA","RACHAL","PARTHENIA","PAMULA","MONNIE","MONET","MICHAELE","MELIA","MARINE","MALKA","MAISHA","LISANDRA","LEO","LEKISHA","LEAN","LAURENCE","LAKENDRA","KRYSTIN","KORTNEY","KIZZIE","KITTIE","KERA","KENDAL","KEMBERLY","KANISHA","JULENE","JULE","JOSHUA","JOHANNE","JEFFREY","JAMEE","HAN","HALLEY","GIDGET","GALINA","FREDRICKA","FLETA","FATIMAH","EUSEBIA","ELZA","ELEONORE","DORTHEY","DORIA","DONELLA","DINORAH","DELORSE","CLARETHA","CHRISTINIA","CHARLYN","BONG","BELKIS","AZZIE","ANDERA","AIKO","ADENA","YER","YAJAIRA","WAN","VANIA","ULRIKE","TOSHIA","TIFANY","STEFANY","SHIZUE","SHENIKA","SHAWANNA","SHAROLYN","SHARILYN","SHAQUANA","SHANTAY","SEE","ROZANNE","ROSELEE","RICKIE","REMONA","REANNA","RAELENE","QUINN","PHUNG","PETRONILA","NATACHA","NANCEY","MYRL","MIYOKO","MIESHA","MERIDETH","MARVELLA","MARQUITTA","MARHTA","MARCHELLE","LIZETH","LIBBIE","LAHOMA","LADAWN","KINA","KATHELEEN","KATHARYN","KARISA","KALEIGH","JUNIE","JULIEANN","JOHNSIE","JANEAN","JAIMEE","JACKQUELINE","HISAKO","HERMA","HELAINE","GWYNETH","GLENN","GITA","EUSTOLIA","EMELINA","ELIN","EDRIS","DONNETTE","DONNETTA","DIERDRE","DENAE","DARCEL","CLAUDE","CLARISA","CINDERELLA","CHIA","CHARLESETTA","CHARITA","CELSA","CASSY","CASSI","CARLEE","BRUNA","BRITTANEY","BRANDE","BILLI","BAO","ANTONETTA","ANGLA","ANGELYN","ANALISA","ALANE","WENONA","WENDIE","VERONIQUE","VANNESA","TOBIE","TEMPIE","SUMIKO","SULEMA","SPARKLE","SOMER","SHEBA","SHAYNE","SHARICE","SHANEL","SHALON","SAGE","ROY","ROSIO","ROSELIA","RENAY","REMA","REENA","PORSCHE","PING","PEG","OZIE","ORETHA","ORALEE","ODA","NU","NGAN","NAKESHA","MILLY","MARYBELLE","MARLIN","MARIS","MARGRETT","MARAGARET","MANIE","LURLENE","LILLIA","LIESELOTTE","LAVELLE","LASHAUNDA","LAKEESHA","KEITH","KAYCEE","KALYN","JOYA","JOETTE","JENAE","JANIECE","ILLA","GRISEL","GLAYDS","GENEVIE","GALA","FREDDA","FRED","ELMER","ELEONOR","DEBERA","DEANDREA","DAN","CORRINNE","CORDIA","CONTESSA","COLENE","CLEOTILDE","CHARLOTT","CHANTAY","CECILLE","BEATRIS","AZALEE","ARLEAN","ARDATH","ANJELICA","ANJA","ALFREDIA","ALEISHA","ADAM","ZADA","YUONNE","XIAO","WILLODEAN","WHITLEY","VENNIE","VANNA","TYISHA","TOVA","TORIE","TONISHA","TILDA","TIEN","TEMPLE","SIRENA","SHERRIL","SHANTI","SHAN","SENAIDA","SAMELLA","ROBBYN","RENDA","REITA","PHEBE","PAULITA","NOBUKO","NGUYET","NEOMI","MOON","MIKAELA","MELANIA","MAXIMINA","MARG","MAISIE","LYNNA","LILLI","LAYNE","LASHAUN","LAKENYA","LAEL","KIRSTIE","KATHLINE","KASHA","KARLYN","KARIMA","JOVAN","JOSEFINE","JENNELL","JACQUI","JACKELYN","HYO","HIEN","GRAZYNA","FLORRIE","FLORIA","ELEONORA","DWANA","DORLA","DONG","DELMY","DEJA","DEDE","DANN","CRYSTA","CLELIA","CLARIS","CLARENCE","CHIEKO","CHERLYN","CHERELLE","CHARMAIN","CHARA","CAMMY","BEE","ARNETTE","ARDELLE","ANNIKA","AMIEE","AMEE","ALLENA","YVONE","YUKI","YOSHIE","YEVETTE","YAEL","WILLETTA","VONCILE","VENETTA","TULA","TONETTE","TIMIKA","TEMIKA","TELMA","TEISHA","TAREN","TA","STACEE","SHIN","SHAWNTA","SATURNINA","RICARDA","POK","PASTY","ONIE","NUBIA","MORA","MIKE","MARIELLE","MARIELLA","MARIANELA","MARDELL","MANY","LUANNA","LOISE","LISABETH","LINDSY","LILLIANA","LILLIAM","LELAH","LEIGHA","LEANORA","LANG","KRISTEEN","KHALILAH","KEELEY","KANDRA","JUNKO","JOAQUINA","JERLENE","JANI","JAMIKA","JAME","HSIU","HERMILA","GOLDEN","GENEVIVE","EVIA","EUGENA","EMMALINE","ELFREDA","ELENE","DONETTE","DELCIE","DEEANNA","DARCEY","CUC","CLARINDA","CIRA","CHAE","CELINDA","CATHERYN","CATHERIN","CASIMIRA","CARMELIA","CAMELLIA","BREANA","BOBETTE","BERNARDINA","BEBE","BASILIA","ARLYNE","AMAL","ALAYNA","ZONIA","ZENIA","YURIKO","YAEKO","WYNELL","WILLOW","WILLENA","VERNIA","TU","TRAVIS","TORA","TERRILYN","TERICA","TENESHA","TAWNA","TAJUANA","TAINA","STEPHNIE","SONA","SOL","SINA","SHONDRA","SHIZUKO","SHERLENE","SHERICE","SHARIKA","ROSSIE","ROSENA","RORY","RIMA","RIA","RHEBA","RENNA","PETER","NATALYA","NANCEE","MELODI","MEDA","MAXIMA","MATHA","MARKETTA","MARICRUZ","MARCELENE","MALVINA","LUBA","LOUETTA","LEIDA","LECIA","LAURAN","LASHAWNA","LAINE","KHADIJAH","KATERINE","KASI","KALLIE","JULIETTA","JESUSITA","JESTINE","JESSIA","JEREMY","JEFFIE","JANYCE","ISADORA","GEORGIANNE","FIDELIA","EVITA","EURA","EULAH","ESTEFANA","ELSY","ELIZABET","ELADIA","DODIE","DION","DIA","DENISSE","DELORAS","DELILA","DAYSI","DAKOTA","CURTIS","CRYSTLE","CONCHA","COLBY","CLARETTA","CHU","CHRISTIA","CHARLSIE","CHARLENA","CARYLON","BETTYANN","ASLEY","ASHLEA","AMIRA","AI","AGUEDA","AGNUS","YUETTE","VINITA","VICTORINA","TYNISHA","TREENA","TOCCARA","TISH","THOMASENA","TEGAN","SOILA","SHILOH","SHENNA","SHARMAINE","SHANTAE","SHANDI","SEPTEMBER","SARAN","SARAI","SANA","SAMUEL","SALLEY","ROSETTE","ROLANDE","REGINE","OTELIA","OSCAR","OLEVIA","NICHOLLE","NECOLE","NAIDA","MYRTA","MYESHA","MITSUE","MINTA","MERTIE","MARGY","MAHALIA","MADALENE","LOVE","LOURA","LOREAN","LEWIS","LESHA","LEONIDA","LENITA","LAVONE","LASHELL","LASHANDRA","LAMONICA","KIMBRA","KATHERINA","KARRY","KANESHA","JULIO","JONG","JENEVA","JAQUELYN","HWA","GILMA","GHISLAINE","GERTRUDIS","FRANSISCA","FERMINA","ETTIE","ETSUKO","ELLIS","ELLAN","ELIDIA","EDRA","DORETHEA","DOREATHA","DENYSE","DENNY","DEETTA","DAINE","CYRSTAL","CORRIN","CAYLA","CARLITA","CAMILA","BURMA","BULA","BUENA","BLAKE","BARABARA","AVRIL","AUSTIN","ALAINE","ZANA","WILHEMINA","WANETTA","VIRGIL","VI","VERONIKA","VERNON","VERLINE","VASILIKI","TONITA","TISA","TEOFILA","TAYNA","TAUNYA","TANDRA","TAKAKO","SUNNI","SUANNE","SIXTA","SHARELL","SEEMA","RUSSELL","ROSENDA","ROBENA","RAYMONDE","PEI","PAMILA","OZELL","NEIDA","NEELY","MISTIE","MICHA","MERISSA","MAURITA","MARYLN","MARYETTA","MARSHALL","MARCELL","MALENA","MAKEDA","MADDIE","LOVETTA","LOURIE","LORRINE","LORILEE","LESTER","LAURENA","LASHAY","LARRAINE","LAREE","LACRESHA","KRISTLE","KRISHNA","KEVA","KEIRA","KAROLE","JOIE","JINNY","JEANNETTA","JAMA","HEIDY","GILBERTE","GEMA","FAVIOLA","EVELYNN","ENDA","ELLI","ELLENA","DIVINA","DAGNY","COLLENE","CODI","CINDIE","CHASSIDY","CHASIDY","CATRICE","CATHERINA","CASSEY","CAROLL","CARLENA","CANDRA","CALISTA","BRYANNA","BRITTENY","BEULA","BARI","AUDRIE","AUDRIA","ARDELIA","ANNELLE","ANGILA","ALONA","ALLYN","DOUGLAS","ROGER","JONATHAN","RALPH","NICHOLAS","BENJAMIN","BRUCE","HARRY","WAYNE","STEVE","HOWARD","ERNEST","PHILLIP","TODD","CRAIG","ALAN","PHILIP","EARL","DANNY","BRYAN","STANLEY","LEONARD","NATHAN","MANUEL","RODNEY","MARVIN","VINCENT","JEFFERY","JEFF","CHAD","JACOB","ALFRED","BRADLEY","HERBERT","FREDERICK","EDWIN","DON","RICKY","RANDALL","BARRY","BERNARD","LEROY","MARCUS","THEODORE","CLIFFORD","MIGUEL","JIM","TOM","CALVIN","BILL","LLOYD","DEREK","WARREN","DARRELL","JEROME","FLOYD","ALVIN","TIM","GORDON","GREG","JORGE","DUSTIN","PEDRO","DERRICK","ZACHARY","HERMAN","GLEN","HECTOR","RICARDO","RICK","BRENT","RAMON","GILBERT","MARC","REGINALD","RUBEN","NATHANIEL","RAFAEL","EDGAR","MILTON","RAUL","BEN","CHESTER","DUANE","FRANKLIN","BRAD","RON","ROLAND","ARNOLD","HARVEY","JARED","ERIK","DARRYL","NEIL","JAVIER","FERNANDO","CLINTON","TED","MATHEW","TYRONE","DARREN","LANCE","KURT","ALLAN","NELSON","GUY","CLAYTON","HUGH","MAX","DWAYNE","DWIGHT","ARMANDO","FELIX","EVERETT","IAN","WALLACE","KEN","BOB","ALFREDO","ALBERTO","DAVE","IVAN","BYRON","ISAAC","MORRIS","CLIFTON","WILLARD","ROSS","ANDY","SALVADOR","KIRK","SERGIO","SETH","KENT","TERRANCE","EDUARDO","TERRENCE","ENRIQUE","WADE","STUART","FREDRICK","ARTURO","ALEJANDRO","NICK","LUTHER","WENDELL","JEREMIAH","JULIUS","OTIS","TREVOR","OLIVER","LUKE","HOMER","GERARD","DOUG","KENNY","HUBERT","LYLE","MATT","ALFONSO","ORLANDO","REX","CARLTON","ERNESTO","NEAL","PABLO","LORENZO","OMAR","WILBUR","GRANT","HORACE","RODERICK","ABRAHAM","WILLIS","RICKEY","ANDRES","CESAR","JOHNATHAN","MALCOLM","RUDOLPH","DAMON","KELVIN","PRESTON","ALTON","ARCHIE","MARCO","WM","PETE","RANDOLPH","GARRY","GEOFFREY","JONATHON","FELIPE","GERARDO","ED","DOMINIC","DELBERT","COLIN","GUILLERMO","EARNEST","LUCAS","BENNY","SPENCER","RODOLFO","MYRON","EDMUND","GARRETT","SALVATORE","CEDRIC","LOWELL","GREGG","SHERMAN","WILSON","SYLVESTER","ROOSEVELT","ISRAEL","JERMAINE","FORREST","WILBERT","LELAND","SIMON","CLARK","IRVING","BRYANT","OWEN","RUFUS","WOODROW","KRISTOPHER","MACK","LEVI","MARCOS","GUSTAVO","JAKE","LIONEL","GILBERTO","CLINT","NICOLAS","ISMAEL","ORVILLE","ERVIN","DEWEY","AL","WILFRED","JOSH","HUGO","IGNACIO","CALEB","TOMAS","SHELDON","ERICK","STEWART","DOYLE","DARREL","ROGELIO","TERENCE","SANTIAGO","ALONZO","ELIAS","BERT","ELBERT","RAMIRO","CONRAD","NOAH","GRADY","PHIL","CORNELIUS","LAMAR","ROLANDO","CLAY","PERCY","DEXTER","BRADFORD","DARIN","AMOS","MOSES","IRVIN","SAUL","ROMAN","RANDAL","TIMMY","DARRIN","WINSTON","BRENDAN","ABEL","DOMINICK","BOYD","EMILIO","ELIJAH","DOMINGO","EMMETT","MARLON","EMANUEL","JERALD","EDMOND","EMIL","DEWAYNE","WILL","OTTO","TEDDY","REYNALDO","BRET","JESS","TRENT","HUMBERTO","EMMANUEL","STEPHAN","VICENTE","LAMONT","GARLAND","MILES","EFRAIN","HEATH","RODGER","HARLEY","ETHAN","ELDON","ROCKY","PIERRE","JUNIOR","FREDDY","ELI","BRYCE","ANTOINE","STERLING","CHASE","GROVER","ELTON","CLEVELAND","DYLAN","CHUCK","DAMIAN","REUBEN","STAN","AUGUST","LEONARDO","JASPER","RUSSEL","ERWIN","BENITO","HANS","MONTE","BLAINE","ERNIE","CURT","QUENTIN","AGUSTIN","MURRAY","JAMAL","ADOLFO","HARRISON","TYSON","BURTON","BRADY","ELLIOTT","WILFREDO","BART","JARROD","VANCE","DENIS","DAMIEN","JOAQUIN","HARLAN","DESMOND","ELLIOT","DARWIN","GREGORIO","BUDDY","XAVIER","KERMIT","ROSCOE","ESTEBAN","ANTON","SOLOMON","SCOTTY","NORBERT","ELVIN","WILLIAMS","NOLAN","ROD","QUINTON","HAL","BRAIN","ROB","ELWOOD","KENDRICK","DARIUS","MOISES","FIDEL","THADDEUS","CLIFF","MARCEL","JACKSON","RAPHAEL","BRYON","ARMAND","ALVARO","JEFFRY","DANE","JOESPH","THURMAN","NED","RUSTY","MONTY","FABIAN","REGGIE","MASON","GRAHAM","ISAIAH","VAUGHN","GUS","LOYD","DIEGO","ADOLPH","NORRIS","MILLARD","ROCCO","GONZALO","DERICK","RODRIGO","WILEY","RIGOBERTO","ALPHONSO","TY","NOE","VERN","REED","JEFFERSON","ELVIS","BERNARDO","MAURICIO","HIRAM","DONOVAN","BASIL","RILEY","NICKOLAS","MAYNARD","SCOT","VINCE","QUINCY","EDDY","SEBASTIAN","FEDERICO","ULYSSES","HERIBERTO","DONNELL","COLE","DAVIS","GAVIN","EMERY","WARD","ROMEO","JAYSON","DANTE","CLEMENT","COY","MAXWELL","JARVIS","BRUNO","ISSAC","DUDLEY","BROCK","SANFORD","CARMELO","BARNEY","NESTOR","STEFAN","DONNY","ART","LINWOOD","BEAU","WELDON","GALEN","ISIDRO","TRUMAN","DELMAR","JOHNATHON","SILAS","FREDERIC","DICK","IRWIN","MERLIN","CHARLEY","MARCELINO","HARRIS","CARLO","TRENTON","KURTIS","HUNTER","AURELIO","WINFRED","VITO","COLLIN","DENVER","CARTER","LEONEL","EMORY","PASQUALE","MOHAMMAD","MARIANO","DANIAL","LANDON","DIRK","BRANDEN","ADAN","BUFORD","GERMAN","WILMER","EMERSON","ZACHERY","FLETCHER","JACQUES","ERROL","DALTON","MONROE","JOSUE","EDWARDO","BOOKER","WILFORD","SONNY","SHELTON","CARSON","THERON","RAYMUNDO","DAREN","HOUSTON","ROBBY","LINCOLN","GENARO","BENNETT","OCTAVIO","CORNELL","HUNG","ARRON","ANTONY","HERSCHEL","GIOVANNI","GARTH","CYRUS","CYRIL","RONNY","LON","FREEMAN","DUNCAN","KENNITH","CARMINE","ERICH","CHADWICK","WILBURN","RUSS","REID","MYLES","ANDERSON","MORTON","JONAS","FOREST","MITCHEL","MERVIN","ZANE","RICH","JAMEL","LAZARO","ALPHONSE","RANDELL","MAJOR","JARRETT","BROOKS","ABDUL","LUCIANO","SEYMOUR","EUGENIO","MOHAMMED","VALENTIN","CHANCE","ARNULFO","LUCIEN","FERDINAND","THAD","EZRA","ALDO","RUBIN","ROYAL","MITCH","EARLE","ABE","WYATT","MARQUIS","LANNY","KAREEM","JAMAR","BORIS","ISIAH","EMILE","ELMO","ARON","LEOPOLDO","EVERETTE","JOSEF","ELOY","RODRICK","REINALDO","LUCIO","JERROD","WESTON","HERSHEL","BARTON","PARKER","LEMUEL","BURT","JULES","GIL","ELISEO","AHMAD","NIGEL","EFREN","ANTWAN","ALDEN","MARGARITO","COLEMAN","DINO","OSVALDO","LES","DEANDRE","NORMAND","KIETH","TREY","NORBERTO","NAPOLEON","JEROLD","FRITZ","ROSENDO","MILFORD","CHRISTOPER","ALFONZO","LYMAN","JOSIAH","BRANT","WILTON","RICO","JAMAAL","DEWITT","BRENTON","OLIN","FOSTER","FAUSTINO","CLAUDIO","JUDSON","GINO","EDGARDO","ALEC","TANNER","JARRED","DONN","TAD","PRINCE","PORFIRIO","ODIS","LENARD","CHAUNCEY","TOD","MEL","MARCELO","KORY","AUGUSTUS","KEVEN","HILARIO","BUD","SAL","ORVAL","MAURO","ZACHARIAH","OLEN","ANIBAL","MILO","JED","DILLON","AMADO","NEWTON","LENNY","RICHIE","HORACIO","BRICE","MOHAMED","DELMER","DARIO","REYES","MAC","JONAH","JERROLD","ROBT","HANK","RUPERT","ROLLAND","KENTON","DAMION","ANTONE","WALDO","FREDRIC","BRADLY","KIP","BURL","WALKER","TYREE","JEFFEREY","AHMED","WILLY","STANFORD","OREN","NOBLE","MOSHE","MIKEL","ENOCH","BRENDON","QUINTIN","JAMISON","FLORENCIO","DARRICK","TOBIAS","HASSAN","GIUSEPPE","DEMARCUS","CLETUS","TYRELL","LYNDON","KEENAN","WERNER","GERALDO","COLUMBUS","CHET","BERTRAM","MARKUS","HUEY","HILTON","DWAIN","DONTE","TYRON","OMER","ISAIAS","HIPOLITO","FERMIN","ADALBERTO","BO","BARRETT","TEODORO","MCKINLEY","MAXIMO","GARFIELD","RALEIGH","LAWERENCE","ABRAM","RASHAD","KING","EMMITT","DARON","SAMUAL","MIQUEL","EUSEBIO","DOMENIC","DARRON","BUSTER","WILBER","RENATO","JC","HOYT","HAYWOOD","EZEKIEL","CHAS","FLORENTINO","ELROY","CLEMENTE","ARDEN","NEVILLE","EDISON","DESHAWN","NATHANIAL","JORDON","DANILO","CLAUD","SHERWOOD","RAYMON","RAYFORD","CRISTOBAL","AMBROSE","TITUS","HYMAN","FELTON","EZEQUIEL","ERASMO","STANTON","LONNY","LEN","IKE","MILAN","LINO","JAROD","HERB","ANDREAS","WALTON","RHETT","PALMER","DOUGLASS","CORDELL","OSWALDO","ELLSWORTH","VIRGILIO","TONEY","NATHANAEL","DEL","BENEDICT","MOSE","JOHNSON","ISREAL","GARRET","FAUSTO","ASA","ARLEN","ZACK","WARNER","MODESTO","FRANCESCO","MANUAL","GAYLORD","GASTON","FILIBERTO","DEANGELO","MICHALE","GRANVILLE","WES","MALIK","ZACKARY","TUAN","ELDRIDGE","CRISTOPHER","CORTEZ","ANTIONE","MALCOM","LONG","KOREY","JOSPEH","COLTON","WAYLON","VON","HOSEA","SHAD","SANTO","RUDOLF","ROLF","REY","RENALDO","MARCELLUS","LUCIUS","KRISTOFER","BOYCE","BENTON","HAYDEN","HARLAND","ARNOLDO","RUEBEN","LEANDRO","KRAIG","JERRELL","JEROMY","HOBERT","CEDRICK","ARLIE","WINFORD","WALLY","LUIGI","KENETH","JACINTO","GRAIG","FRANKLYN","EDMUNDO","SID","PORTER","LEIF","JERAMY","BUCK","WILLIAN","VINCENZO","SHON","LYNWOOD","JERE","HAI","ELDEN","DORSEY","DARELL","BRODERICK","ALONSO"
"MARY","PATRICIA","LINDA","BARBARA","ELIZABETH","JENNIFER","MARIA","SUSAN","MARGARET","DOROTHY","LISA","NANCY","KAREN","BETTY","HELEN","SANDRA","DONNA","CAROL","RUTH","SHARON","MICHELLE","LAURA","SARAH","KIMBERLY","DEBORAH","JESSICA","SHIRLEY","CYNTHIA","ANGELA","MELISSA","BRENDA","AMY","ANNA","REBECCA","VIRGINIA","KATHLEEN","PAMELA","MARTHA","DEBRA","AMANDA","STEPHANIE","CAROLYN","CHRISTINE","MARIE","JANET","CATHERINE","FRANCES","ANN","JOYCE","DIANE","ALICE","JULIE","HEATHER","TERESA","DORIS","GLORIA","EVELYN","JEAN","CHERYL","MILDRED","KATHERINE","JOAN","ASHLEY","JUDITH","ROSE","JANICE","KELLY","NICOLE","JUDY","CHRISTINA","KATHY","THERESA","BEVERLY","DENISE","TAMMY","IRENE","JANE","LORI","RACHEL","MARILYN","ANDREA","KATHRYN","LOUISE","SARA","ANNE","JACQUELINE","WANDA","BONNIE","JULIA","RUBY","LOIS","TINA","PHYLLIS","NORMA","PAULA","DIANA","ANNIE","LILLIAN","EMILY","ROBIN","PEGGY","CRYSTAL","GLADYS","RITA","DAWN","CONNIE","FLORENCE","TRACY","EDNA","TIFFANY","CARMEN","ROSA","CINDY","GRACE","WENDY","VICTORIA","EDITH","KIM","SHERRY","SYLVIA","JOSEPHINE","THELMA","SHANNON","SHEILA","ETHEL","ELLEN","ELAINE","MARJORIE","CARRIE","CHARLOTTE","MONICA","ESTHER","PAULINE","EMMA","JUANITA","ANITA","RHONDA","HAZEL","AMBER","EVA","DEBBIE","APRIL","LESLIE","CLARA","LUCILLE","JAMIE","JOANNE","ELEANOR","VALERIE","DANIELLE","MEGAN","ALICIA","SUZANNE","MICHELE","GAIL","BERTHA","DARLENE","VERONICA","JILL","ERIN","GERALDINE","LAUREN","CATHY","JOANN","LORRAINE","LYNN","SALLY","REGINA","ERICA","BEATRICE","DOLORES","BERNICE","AUDREY","YVONNE","ANNETTE","JUNE","SAMANTHA","MARION","DANA","STACY","ANA","RENEE","IDA","VIVIAN","ROBERTA","HOLLY","BRITTANY","MELANIE","LORETTA","YOLANDA","JEANETTE","LAURIE","KATIE","KRISTEN","VANESSA","ALMA","SUE","ELSIE","BETH","JEANNE","VICKI","CARLA","TARA","ROSEMARY","EILEEN","TERRI","GERTRUDE","LUCY","TONYA","ELLA","STACEY","WILMA","GINA","KRISTIN","JESSIE","NATALIE","AGNES","VERA","WILLIE","CHARLENE","BESSIE","DELORES","MELINDA","PEARL","ARLENE","MAUREEN","COLLEEN","ALLISON","TAMARA","JOY","GEORGIA","CONSTANCE","LILLIE","CLAUDIA","JACKIE","MARCIA","TANYA","NELLIE","MINNIE","MARLENE","HEIDI","GLENDA","LYDIA","VIOLA","COURTNEY","MARIAN","STELLA","CAROLINE","DORA","JO","VICKIE","MATTIE","TERRY","MAXINE","IRMA","MABEL","MARSHA","MYRTLE","LENA","CHRISTY","DEANNA","PATSY","HILDA","GWENDOLYN","JENNIE","NORA","MARGIE","NINA","CASSANDRA","LEAH","PENNY","KAY","PRISCILLA","NAOMI","CAROLE","BRANDY","OLGA","BILLIE","DIANNE","TRACEY","LEONA","JENNY","FELICIA","SONIA","MIRIAM","VELMA","BECKY","BOBBIE","VIOLET","KRISTINA","TONI","MISTY","MAE","SHELLY","DAISY","RAMONA","SHERRI","ERIKA","KATRINA","CLAIRE","LINDSEY","LINDSAY","GENEVA","GUADALUPE","BELINDA","MARGARITA","SHERYL","CORA","FAYE","ADA","NATASHA","SABRINA","ISABEL","MARGUERITE","HATTIE","HARRIET","MOLLY","CECILIA","KRISTI","BRANDI","BLANCHE","SANDY","ROSIE","JOANNA","IRIS","EUNICE","ANGIE","INEZ","LYNDA","MADELINE","AMELIA","ALBERTA","GENEVIEVE","MONIQUE","JODI","JANIE","MAGGIE","KAYLA","SONYA","JAN","LEE","KRISTINE","CANDACE","FANNIE","MARYANN","OPAL","ALISON","YVETTE","MELODY","LUZ","SUSIE","OLIVIA","FLORA","SHELLEY","KRISTY","MAMIE","LULA","LOLA","VERNA","BEULAH","ANTOINETTE","CANDICE","JUANA","JEANNETTE","PAM","KELLI","HANNAH","WHITNEY","BRIDGET","KARLA","CELIA","LATOYA","PATTY","SHELIA","GAYLE","DELLA","VICKY","LYNNE","SHERI","MARIANNE","KARA","JACQUELYN","ERMA","BLANCA","MYRA","LETICIA","PAT","KRISTA","ROXANNE","ANGELICA","JOHNNIE","ROBYN","FRANCIS","ADRIENNE","ROSALIE","ALEXANDRA","BROOKE","BETHANY","SADIE","BERNADETTE","TRACI","JODY","KENDRA","JASMINE","NICHOLE","RACHAEL","CHELSEA","MABLE","ERNESTINE","MURIEL","MARCELLA","ELENA","KRYSTAL","ANGELINA","NADINE","KARI","ESTELLE","DIANNA","PAULETTE","LORA","MONA","DOREEN","ROSEMARIE","ANGEL","DESIREE","ANTONIA","HOPE","GINGER","JANIS","BETSY","CHRISTIE","FREDA","MERCEDES","MEREDITH","LYNETTE","TERI","CRISTINA","EULA","LEIGH","MEGHAN","SOPHIA","ELOISE","ROCHELLE","GRETCHEN","CECELIA","RAQUEL","HENRIETTA","ALYSSA","JANA","KELLEY","GWEN","KERRY","JENNA","TRICIA","LAVERNE","OLIVE","ALEXIS","TASHA","SILVIA","ELVIRA","CASEY","DELIA","SOPHIE","KATE","PATTI","LORENA","KELLIE","SONJA","LILA","LANA","DARLA","MAY","MINDY","ESSIE","MANDY","LORENE","ELSA","JOSEFINA","JEANNIE","MIRANDA","DIXIE","LUCIA","MARTA","FAITH","LELA","JOHANNA","SHARI","CAMILLE","TAMI","SHAWNA","ELISA","EBONY","MELBA","ORA","NETTIE","TABITHA","OLLIE","JAIME","WINIFRED","KRISTIE","MARINA","ALISHA","AIMEE","RENA","MYRNA","MARLA","TAMMIE","LATASHA","BONITA","PATRICE","RONDA","SHERRIE","ADDIE","FRANCINE","DELORIS","STACIE","ADRIANA","CHERI","SHELBY","ABIGAIL","CELESTE","JEWEL","CARA","ADELE","REBEKAH","LUCINDA","DORTHY","CHRIS","EFFIE","TRINA","REBA","SHAWN","SALLIE","AURORA","LENORA","ETTA","LOTTIE","KERRI","TRISHA","NIKKI","ESTELLA","FRANCISCA","JOSIE","TRACIE","MARISSA","KARIN","BRITTNEY","JANELLE","LOURDES","LAUREL","HELENE","FERN","ELVA","CORINNE","KELSEY","INA","BETTIE","ELISABETH","AIDA","CAITLIN","INGRID","IVA","EUGENIA","CHRISTA","GOLDIE","CASSIE","MAUDE","JENIFER","THERESE","FRANKIE","DENA","LORNA","JANETTE","LATONYA","CANDY","MORGAN","CONSUELO","TAMIKA","ROSETTA","DEBORA","CHERIE","POLLY","DINA","JEWELL","FAY","JILLIAN","DOROTHEA","NELL","TRUDY","ESPERANZA","PATRICA","KIMBERLEY","SHANNA","HELENA","CAROLINA","CLEO","STEFANIE","ROSARIO","OLA","JANINE","MOLLIE","LUPE","ALISA","LOU","MARIBEL","SUSANNE","BETTE","SUSANA","ELISE","CECILE","ISABELLE","LESLEY","JOCELYN","PAIGE","JONI","RACHELLE","LEOLA","DAPHNE","ALTA","ESTER","PETRA","GRACIELA","IMOGENE","JOLENE","KEISHA","LACEY","GLENNA","GABRIELA","KERI","URSULA","LIZZIE","KIRSTEN","SHANA","ADELINE","MAYRA","JAYNE","JACLYN","GRACIE","SONDRA","CARMELA","MARISA","ROSALIND","CHARITY","TONIA","BEATRIZ","MARISOL","CLARICE","JEANINE","SHEENA","ANGELINE","FRIEDA","LILY","ROBBIE","SHAUNA","MILLIE","CLAUDETTE","CATHLEEN","ANGELIA","GABRIELLE","AUTUMN","KATHARINE","SUMMER","JODIE","STACI","LEA","CHRISTI","JIMMIE","JUSTINE","ELMA","LUELLA","MARGRET","DOMINIQUE","SOCORRO","RENE","MARTINA","MARGO","MAVIS","CALLIE","BOBBI","MARITZA","LUCILE","LEANNE","JEANNINE","DEANA","AILEEN","LORIE","LADONNA","WILLA","MANUELA","GALE","SELMA","DOLLY","SYBIL","ABBY","LARA","DALE","IVY","DEE","WINNIE","MARCY","LUISA","JERI","MAGDALENA","OFELIA","MEAGAN","AUDRA","MATILDA","LEILA","CORNELIA","BIANCA","SIMONE","BETTYE","RANDI","VIRGIE","LATISHA","BARBRA","GEORGINA","ELIZA","LEANN","BRIDGETTE","RHODA","HALEY","ADELA","NOLA","BERNADINE","FLOSSIE","ILA","GRETA","RUTHIE","NELDA","MINERVA","LILLY","TERRIE","LETHA","HILARY","ESTELA","VALARIE","BRIANNA","ROSALYN","EARLINE","CATALINA","AVA","MIA","CLARISSA","LIDIA","CORRINE","ALEXANDRIA","CONCEPCION","TIA","SHARRON","RAE","DONA","ERICKA","JAMI","ELNORA","CHANDRA","LENORE","NEVA","MARYLOU","MELISA","TABATHA","SERENA","AVIS","ALLIE","SOFIA","JEANIE","ODESSA","NANNIE","HARRIETT","LORAINE","PENELOPE","MILAGROS","EMILIA","BENITA","ALLYSON","ASHLEE","TANIA","TOMMIE","ESMERALDA","KARINA","EVE","PEARLIE","ZELMA","MALINDA","NOREEN","TAMEKA","SAUNDRA","HILLARY","AMIE","ALTHEA","ROSALINDA","JORDAN","LILIA","ALANA","GAY","CLARE","ALEJANDRA","ELINOR","MICHAEL","LORRIE","JERRI","DARCY","EARNESTINE","CARMELLA","TAYLOR","NOEMI","MARCIE","LIZA","ANNABELLE","LOUISA","EARLENE","MALLORY","CARLENE","NITA","SELENA","TANISHA","KATY","JULIANNE","JOHN","LAKISHA","EDWINA","MARICELA","MARGERY","KENYA","DOLLIE","ROXIE","ROSLYN","KATHRINE","NANETTE","CHARMAINE","LAVONNE","ILENE","KRIS","TAMMI","SUZETTE","CORINE","KAYE","JERRY","MERLE","CHRYSTAL","LINA","DEANNE","LILIAN","JULIANA","ALINE","LUANN","KASEY","MARYANNE","EVANGELINE","COLETTE","MELVA","LAWANDA","YESENIA","NADIA","MADGE","KATHIE","EDDIE","OPHELIA","VALERIA","NONA","MITZI","MARI","GEORGETTE","CLAUDINE","FRAN","ALISSA","ROSEANN","LAKEISHA","SUSANNA","REVA","DEIDRE","CHASITY","SHEREE","CARLY","JAMES","ELVIA","ALYCE","DEIRDRE","GENA","BRIANA","ARACELI","KATELYN","ROSANNE","WENDI","TESSA","BERTA","MARVA","IMELDA","MARIETTA","MARCI","LEONOR","ARLINE","SASHA","MADELYN","JANNA","JULIETTE","DEENA","AURELIA","JOSEFA","AUGUSTA","LILIANA","YOUNG","CHRISTIAN","LESSIE","AMALIA","SAVANNAH","ANASTASIA","VILMA","NATALIA","ROSELLA","LYNNETTE","CORINA","ALFREDA","LEANNA","CAREY","AMPARO","COLEEN","TAMRA","AISHA","WILDA","KARYN","CHERRY","QUEEN","MAURA","MAI","EVANGELINA","ROSANNA","HALLIE","ERNA","ENID","MARIANA","LACY","JULIET","JACKLYN","FREIDA","MADELEINE","MARA","HESTER","CATHRYN","LELIA","CASANDRA","BRIDGETT","ANGELITA","JANNIE","DIONNE","ANNMARIE","KATINA","BERYL","PHOEBE","MILLICENT","KATHERYN","DIANN","CARISSA","MARYELLEN","LIZ","LAURI","HELGA","GILDA","ADRIAN","RHEA","MARQUITA","HOLLIE","TISHA","TAMERA","ANGELIQUE","FRANCESCA","BRITNEY","KAITLIN","LOLITA","FLORINE","ROWENA","REYNA","TWILA","FANNY","JANELL","INES","CONCETTA","BERTIE","ALBA","BRIGITTE","ALYSON","VONDA","PANSY","ELBA","NOELLE","LETITIA","KITTY","DEANN","BRANDIE","LOUELLA","LETA","FELECIA","SHARLENE","LESA","BEVERLEY","ROBERT","ISABELLA","HERMINIA","TERRA","CELINA","TORI","OCTAVIA","JADE","DENICE","GERMAINE","SIERRA","MICHELL","CORTNEY","NELLY","DORETHA","SYDNEY","DEIDRA","MONIKA","LASHONDA","JUDI","CHELSEY","ANTIONETTE","MARGOT","BOBBY","ADELAIDE","NAN","LEEANN","ELISHA","DESSIE","LIBBY","KATHI","GAYLA","LATANYA","MINA","MELLISA","KIMBERLEE","JASMIN","RENAE","ZELDA","ELDA","MA","JUSTINA","GUSSIE","EMILIE","CAMILLA","ABBIE","ROCIO","KAITLYN","JESSE","EDYTHE","ASHLEIGH","SELINA","LAKESHA","GERI","ALLENE","PAMALA","MICHAELA","DAYNA","CARYN","ROSALIA","SUN","JACQULINE","REBECA","MARYBETH","KRYSTLE","IOLA","DOTTIE","BENNIE","BELLE","AUBREY","GRISELDA","ERNESTINA","ELIDA","ADRIANNE","DEMETRIA","DELMA","CHONG","JAQUELINE","DESTINY","ARLEEN","VIRGINA","RETHA","FATIMA","TILLIE","ELEANORE","CARI","TREVA","BIRDIE","WILHELMINA","ROSALEE","MAURINE","LATRICE","YONG","JENA","TARYN","ELIA","DEBBY","MAUDIE","JEANNA","DELILAH","CATRINA","SHONDA","HORTENCIA","THEODORA","TERESITA","ROBBIN","DANETTE","MARYJANE","FREDDIE","DELPHINE","BRIANNE","NILDA","DANNA","CINDI","BESS","IONA","HANNA","ARIEL","WINONA","VIDA","ROSITA","MARIANNA","WILLIAM","RACHEAL","GUILLERMINA","ELOISA","CELESTINE","CAREN","MALISSA","LONA","CHANTEL","SHELLIE","MARISELA","LEORA","AGATHA","SOLEDAD","MIGDALIA","IVETTE","CHRISTEN","ATHENA","JANEL","CHLOE","VEDA","PATTIE","TESSIE","TERA","MARILYNN","LUCRETIA","KARRIE","DINAH","DANIELA","ALECIA","ADELINA","VERNICE","SHIELA","PORTIA","MERRY","LASHAWN","DEVON","DARA","TAWANA","OMA","VERDA","CHRISTIN","ALENE","ZELLA","SANDI","RAFAELA","MAYA","KIRA","CANDIDA","ALVINA","SUZAN","SHAYLA","LYN","LETTIE","ALVA","SAMATHA","ORALIA","MATILDE","MADONNA","LARISSA","VESTA","RENITA","INDIA","DELOIS","SHANDA","PHILLIS","LORRI","ERLINDA","CRUZ","CATHRINE","BARB","ZOE","ISABELL","IONE","GISELA","CHARLIE","VALENCIA","ROXANNA","MAYME","KISHA","ELLIE","MELLISSA","DORRIS","DALIA","BELLA","ANNETTA","ZOILA","RETA","REINA","LAURETTA","KYLIE","CHRISTAL","PILAR","CHARLA","ELISSA","TIFFANI","TANA","PAULINA","LEOTA","BREANNA","JAYME","CARMEL","VERNELL","TOMASA","MANDI","DOMINGA","SANTA","MELODIE","LURA","ALEXA","TAMELA","RYAN","MIRNA","KERRIE","VENUS","NOEL","FELICITA","CRISTY","CARMELITA","BERNIECE","ANNEMARIE","TIARA","ROSEANNE","MISSY","CORI","ROXANA","PRICILLA","KRISTAL","JUNG","ELYSE","HAYDEE","ALETHA","BETTINA","MARGE","GILLIAN","FILOMENA","CHARLES","ZENAIDA","HARRIETTE","CARIDAD","VADA","UNA","ARETHA","PEARLINE","MARJORY","MARCELA","FLOR","EVETTE","ELOUISE","ALINA","TRINIDAD","DAVID","DAMARIS","CATHARINE","CARROLL","BELVA","NAKIA","MARLENA","LUANNE","LORINE","KARON","DORENE","DANITA","BRENNA","TATIANA","SAMMIE","LOUANN","LOREN","JULIANNA","ANDRIA","PHILOMENA","LUCILA","LEONORA","DOVIE","ROMONA","MIMI","JACQUELIN","GAYE","TONJA","MISTI","JOE","GENE","CHASTITY","STACIA","ROXANN","MICAELA","NIKITA","MEI","VELDA","MARLYS","JOHNNA","AURA","LAVERN","IVONNE","HAYLEY","NICKI","MAJORIE","HERLINDA","GEORGE","ALPHA","YADIRA","PERLA","GREGORIA","DANIEL","ANTONETTE","SHELLI","MOZELLE","MARIAH","JOELLE","CORDELIA","JOSETTE","CHIQUITA","TRISTA","LOUIS","LAQUITA","GEORGIANA","CANDI","SHANON","LONNIE","HILDEGARD","CECIL","VALENTINA","STEPHANY","MAGDA","KAROL","GERRY","GABRIELLA","TIANA","ROMA","RICHELLE","RAY","PRINCESS","OLETA","JACQUE","IDELLA","ALAINA","SUZANNA","JOVITA","BLAIR","TOSHA","RAVEN","NEREIDA","MARLYN","KYLA","JOSEPH","DELFINA","TENA","STEPHENIE","SABINA","NATHALIE","MARCELLE","GERTIE","DARLEEN","THEA","SHARONDA","SHANTEL","BELEN","VENESSA","ROSALINA","ONA","GENOVEVA","COREY","CLEMENTINE","ROSALBA","RENATE","RENATA","MI","IVORY","GEORGIANNA","FLOY","DORCAS","ARIANA","TYRA","THEDA","MARIAM","JULI","JESICA","DONNIE","VIKKI","VERLA","ROSELYN","MELVINA","JANNETTE","GINNY","DEBRAH","CORRIE","ASIA","VIOLETA","MYRTIS","LATRICIA","COLLETTE","CHARLEEN","ANISSA","VIVIANA","TWYLA","PRECIOUS","NEDRA","LATONIA","LAN","HELLEN","FABIOLA","ANNAMARIE","ADELL","SHARYN","CHANTAL","NIKI","MAUD","LIZETTE","LINDY","KIA","KESHA","JEANA","DANELLE","CHARLINE","CHANEL","CARROL","VALORIE","LIA","DORTHA","CRISTAL","SUNNY","LEONE","LEILANI","GERRI","DEBI","ANDRA","KESHIA","IMA","EULALIA","EASTER","DULCE","NATIVIDAD","LINNIE","KAMI","GEORGIE","CATINA","BROOK","ALDA","WINNIFRED","SHARLA","RUTHANN","MEAGHAN","MAGDALENE","LISSETTE","ADELAIDA","VENITA","TRENA","SHIRLENE","SHAMEKA","ELIZEBETH","DIAN","SHANTA","MICKEY","LATOSHA","CARLOTTA","WINDY","SOON","ROSINA","MARIANN","LEISA","JONNIE","DAWNA","CATHIE","BILLY","ASTRID","SIDNEY","LAUREEN","JANEEN","HOLLI","FAWN","VICKEY","TERESSA","SHANTE","RUBYE","MARCELINA","CHANDA","CARY","TERESE","SCARLETT","MARTY","MARNIE","LULU","LISETTE","JENIFFER","ELENOR","DORINDA","DONITA","CARMAN","BERNITA","ALTAGRACIA","ALETA","ADRIANNA","ZORAIDA","RONNIE","NICOLA","LYNDSEY","KENDALL","JANINA","CHRISSY","AMI","STARLA","PHYLIS","PHUONG","KYRA","CHARISSE","BLANCH","SANJUANITA","RONA","NANCI","MARILEE","MARANDA","CORY","BRIGETTE","SANJUANA","MARITA","KASSANDRA","JOYCELYN","IRA","FELIPA","CHELSIE","BONNY","MIREYA","LORENZA","KYONG","ILEANA","CANDELARIA","TONY","TOBY","SHERIE","OK","MARK","LUCIE","LEATRICE","LAKESHIA","GERDA","EDIE","BAMBI","MARYLIN","LAVON","HORTENSE","GARNET","EVIE","TRESSA","SHAYNA","LAVINA","KYUNG","JEANETTA","SHERRILL","SHARA","PHYLISS","MITTIE","ANABEL","ALESIA","THUY","TAWANDA","RICHARD","JOANIE","TIFFANIE","LASHANDA","KARISSA","ENRIQUETA","DARIA","DANIELLA","CORINNA","ALANNA","ABBEY","ROXANE","ROSEANNA","MAGNOLIA","LIDA","KYLE","JOELLEN","ERA","CORAL","CARLEEN","TRESA","PEGGIE","NOVELLA","NILA","MAYBELLE","JENELLE","CARINA","NOVA","MELINA","MARQUERITE","MARGARETTE","JOSEPHINA","EVONNE","DEVIN","CINTHIA","ALBINA","TOYA","TAWNYA","SHERITA","SANTOS","MYRIAM","LIZABETH","LISE","KEELY","JENNI","GISELLE","CHERYLE","ARDITH","ARDIS","ALESHA","ADRIANE","SHAINA","LINNEA","KAROLYN","HONG","FLORIDA","FELISHA","DORI","DARCI","ARTIE","ARMIDA","ZOLA","XIOMARA","VERGIE","SHAMIKA","NENA","NANNETTE","MAXIE","LOVIE","JEANE","JAIMIE","INGE","FARRAH","ELAINA","CAITLYN","STARR","FELICITAS","CHERLY","CARYL","YOLONDA","YASMIN","TEENA","PRUDENCE","PENNIE","NYDIA","MACKENZIE","ORPHA","MARVEL","LIZBETH","LAURETTE","JERRIE","HERMELINDA","CAROLEE","TIERRA","MIRIAN","META","MELONY","KORI","JENNETTE","JAMILA","ENA","ANH","YOSHIKO","SUSANNAH","SALINA","RHIANNON","JOLEEN","CRISTINE","ASHTON","ARACELY","TOMEKA","SHALONDA","MARTI","LACIE","KALA","JADA","ILSE","HAILEY","BRITTANI","ZONA","SYBLE","SHERRYL","RANDY","NIDIA","MARLO","KANDICE","KANDI","DEB","DEAN","AMERICA","ALYCIA","TOMMY","RONNA","NORENE","MERCY","JOSE","INGEBORG","GIOVANNA","GEMMA","CHRISTEL","AUDRY","ZORA","VITA","VAN","TRISH","STEPHAINE","SHIRLEE","SHANIKA","MELONIE","MAZIE","JAZMIN","INGA","HOA","HETTIE","GERALYN","FONDA","ESTRELLA","ADELLA","SU","SARITA","RINA","MILISSA","MARIBETH","GOLDA","EVON","ETHELYN","ENEDINA","CHERISE","CHANA","VELVA","TAWANNA","SADE","MIRTA","LI","KARIE","JACINTA","ELNA","DAVINA","CIERRA","ASHLIE","ALBERTHA","TANESHA","STEPHANI","NELLE","MINDI","LU","LORINDA","LARUE","FLORENE","DEMETRA","DEDRA","CIARA","CHANTELLE","ASHLY","SUZY","ROSALVA","NOELIA","LYDA","LEATHA","KRYSTYNA","KRISTAN","KARRI","DARLINE","DARCIE","CINDA","CHEYENNE","CHERRIE","AWILDA","ALMEDA","ROLANDA","LANETTE","JERILYN","GISELE","EVALYN","CYNDI","CLETA","CARIN","ZINA","ZENA","VELIA","TANIKA","PAUL","CHARISSA","THOMAS","TALIA","MARGARETE","LAVONDA","KAYLEE","KATHLENE","JONNA","IRENA","ILONA","IDALIA","CANDIS","CANDANCE","BRANDEE","ANITRA","ALIDA","SIGRID","NICOLETTE","MARYJO","LINETTE","HEDWIG","CHRISTIANA","CASSIDY","ALEXIA","TRESSIE","MODESTA","LUPITA","LITA","GLADIS","EVELIA","DAVIDA","CHERRI","CECILY","ASHELY","ANNABEL","AGUSTINA","WANITA","SHIRLY","ROSAURA","HULDA","EUN","BAILEY","YETTA","VERONA","THOMASINA","SIBYL","SHANNAN","MECHELLE","LUE","LEANDRA","LANI","KYLEE","KANDY","JOLYNN","FERNE","EBONI","CORENE","ALYSIA","ZULA","NADA","MOIRA","LYNDSAY","LORRETTA","JUAN","JAMMIE","HORTENSIA","GAYNELL","CAMERON","ADRIA","VINA","VICENTA","TANGELA","STEPHINE","NORINE","NELLA","LIANA","LESLEE","KIMBERELY","ILIANA","GLORY","FELICA","EMOGENE","ELFRIEDE","EDEN","EARTHA","CARMA","BEA","OCIE","MARRY","LENNIE","KIARA","JACALYN","CARLOTA","ARIELLE","YU","STAR","OTILIA","KIRSTIN","KACEY","JOHNETTA","JOEY","JOETTA","JERALDINE","JAUNITA","ELANA","DORTHEA","CAMI","AMADA","ADELIA","VERNITA","TAMAR","SIOBHAN","RENEA","RASHIDA","OUIDA","ODELL","NILSA","MERYL","KRISTYN","JULIETA","DANICA","BREANNE","AUREA","ANGLEA","SHERRON","ODETTE","MALIA","LORELEI","LIN","LEESA","KENNA","KATHLYN","FIONA","CHARLETTE","SUZIE","SHANTELL","SABRA","RACQUEL","MYONG","MIRA","MARTINE","LUCIENNE","LAVADA","JULIANN","JOHNIE","ELVERA","DELPHIA","CLAIR","CHRISTIANE","CHAROLETTE","CARRI","AUGUSTINE","ASHA","ANGELLA","PAOLA","NINFA","LEDA","LAI","EDA","SUNSHINE","STEFANI","SHANELL","PALMA","MACHELLE","LISSA","KECIA","KATHRYNE","KARLENE","JULISSA","JETTIE","JENNIFFER","HUI","CORRINA","CHRISTOPHER","CAROLANN","ALENA","TESS","ROSARIA","MYRTICE","MARYLEE","LIANE","KENYATTA","JUDIE","JANEY","IN","ELMIRA","ELDORA","DENNA","CRISTI","CATHI","ZAIDA","VONNIE","VIVA","VERNIE","ROSALINE","MARIELA","LUCIANA","LESLI","KARAN","FELICE","DENEEN","ADINA","WYNONA","TARSHA","SHERON","SHASTA","SHANITA","SHANI","SHANDRA","RANDA","PINKIE","PARIS","NELIDA","MARILOU","LYLA","LAURENE","LACI","JOI","JANENE","DOROTHA","DANIELE","DANI","CAROLYNN","CARLYN","BERENICE","AYESHA","ANNELIESE","ALETHEA","THERSA","TAMIKO","RUFINA","OLIVA","MOZELL","MARYLYN","MADISON","KRISTIAN","KATHYRN","KASANDRA","KANDACE","JANAE","GABRIEL","DOMENICA","DEBBRA","DANNIELLE","CHUN","BUFFY","BARBIE","ARCELIA","AJA","ZENOBIA","SHAREN","SHAREE","PATRICK","PAGE","MY","LAVINIA","KUM","KACIE","JACKELINE","HUONG","FELISA","EMELIA","ELEANORA","CYTHIA","CRISTIN","CLYDE","CLARIBEL","CARON","ANASTACIA","ZULMA","ZANDRA","YOKO","TENISHA","SUSANN","SHERILYN","SHAY","SHAWANDA","SABINE","ROMANA","MATHILDA","LINSEY","KEIKO","JOANA","ISELA","GRETTA","GEORGETTA","EUGENIE","DUSTY","DESIRAE","DELORA","CORAZON","ANTONINA","ANIKA","WILLENE","TRACEE","TAMATHA","REGAN","NICHELLE","MICKIE","MAEGAN","LUANA","LANITA","KELSIE","EDELMIRA","BREE","AFTON","TEODORA","TAMIE","SHENA","MEG","LINH","KELI","KACI","DANYELLE","BRITT","ARLETTE","ALBERTINE","ADELLE","TIFFINY","STORMY","SIMONA","NUMBERS","NICOLASA","NICHOL","NIA","NAKISHA","MEE","MAIRA","LOREEN","KIZZY","JOHNNY","JAY","FALLON","CHRISTENE","BOBBYE","ANTHONY","YING","VINCENZA","TANJA","RUBIE","RONI","QUEENIE","MARGARETT","KIMBERLI","IRMGARD","IDELL","HILMA","EVELINA","ESTA","EMILEE","DENNISE","DANIA","CARL","CARIE","ANTONIO","WAI","SANG","RISA","RIKKI","PARTICIA","MUI","MASAKO","MARIO","LUVENIA","LOREE","LONI","LIEN","KEVIN","GIGI","FLORENCIA","DORIAN","DENITA","DALLAS","CHI","BILLYE","ALEXANDER","TOMIKA","SHARITA","RANA","NIKOLE","NEOMA","MARGARITE","MADALYN","LUCINA","LAILA","KALI","JENETTE","GABRIELE","EVELYNE","ELENORA","CLEMENTINA","ALEJANDRINA","ZULEMA","VIOLETTE","VANNESSA","THRESA","RETTA","PIA","PATIENCE","NOELLA","NICKIE","JONELL","DELTA","CHUNG","CHAYA","CAMELIA","BETHEL","ANYA","ANDREW","THANH","SUZANN","SPRING","SHU","MILA","LILLA","LAVERNA","KEESHA","KATTIE","GIA","GEORGENE","EVELINE","ESTELL","ELIZBETH","VIVIENNE","VALLIE","TRUDIE","STEPHANE","MICHEL","MAGALY","MADIE","KENYETTA","KARREN","JANETTA","HERMINE","HARMONY","DRUCILLA","DEBBI","CELESTINA","CANDIE","BRITNI","BECKIE","AMINA","ZITA","YUN","YOLANDE","VIVIEN","VERNETTA","TRUDI","SOMMER","PEARLE","PATRINA","OSSIE","NICOLLE","LOYCE","LETTY","LARISA","KATHARINA","JOSELYN","JONELLE","JENELL","IESHA","HEIDE","FLORINDA","FLORENTINA","FLO","ELODIA","DORINE","BRUNILDA","BRIGID","ASHLI","ARDELLA","TWANA","THU","TARAH","SUNG","SHEA","SHAVON","SHANE","SERINA","RAYNA","RAMONITA","NGA","MARGURITE","LUCRECIA","KOURTNEY","KATI","JESUS","JESENIA","DIAMOND","CRISTA","AYANA","ALICA","ALIA","VINNIE","SUELLEN","ROMELIA","RACHELL","PIPER","OLYMPIA","MICHIKO","KATHALEEN","JOLIE","JESSI","JANESSA","HANA","HA","ELEASE","CARLETTA","BRITANY","SHONA","SALOME","ROSAMOND","REGENA","RAINA","NGOC","NELIA","LOUVENIA","LESIA","LATRINA","LATICIA","LARHONDA","JINA","JACKI","HOLLIS","HOLLEY","EMMY","DEEANN","CORETTA","ARNETTA","VELVET","THALIA","SHANICE","NETA","MIKKI","MICKI","LONNA","LEANA","LASHUNDA","KILEY","JOYE","JACQULYN","IGNACIA","HYUN","HIROKO","HENRY","HENRIETTE","ELAYNE","DELINDA","DARNELL","DAHLIA","COREEN","CONSUELA","CONCHITA","CELINE","BABETTE","AYANNA","ANETTE","ALBERTINA","SKYE","SHAWNEE","SHANEKA","QUIANA","PAMELIA","MIN","MERRI","MERLENE","MARGIT","KIESHA","KIERA","KAYLENE","JODEE","JENISE","ERLENE","EMMIE","ELSE","DARYL","DALILA","DAISEY","CODY","CASIE","BELIA","BABARA","VERSIE","VANESA","SHELBA","SHAWNDA","SAM","NORMAN","NIKIA","NAOMA","MARNA","MARGERET","MADALINE","LAWANA","KINDRA","JUTTA","JAZMINE","JANETT","HANNELORE","GLENDORA","GERTRUD","GARNETT","FREEDA","FREDERICA","FLORANCE","FLAVIA","DENNIS","CARLINE","BEVERLEE","ANJANETTE","VALDA","TRINITY","TAMALA","STEVIE","SHONNA","SHA","SARINA","ONEIDA","MICAH","MERILYN","MARLEEN","LURLINE","LENNA","KATHERIN","JIN","JENI","HAE","GRACIA","GLADY","FARAH","ERIC","ENOLA","EMA","DOMINQUE","DEVONA","DELANA","CECILA","CAPRICE","ALYSHA","ALI","ALETHIA","VENA","THERESIA","TAWNY","SONG","SHAKIRA","SAMARA","SACHIKO","RACHELE","PAMELLA","NICKY","MARNI","MARIEL","MAREN","MALISA","LIGIA","LERA","LATORIA","LARAE","KIMBER","KATHERN","KAREY","JENNEFER","JANETH","HALINA","FREDIA","DELISA","DEBROAH","CIERA","CHIN","ANGELIKA","ANDREE","ALTHA","YEN","VIVAN","TERRESA","TANNA","SUK","SUDIE","SOO","SIGNE","SALENA","RONNI","REBBECCA","MYRTIE","MCKENZIE","MALIKA","MAIDA","LOAN","LEONARDA","KAYLEIGH","FRANCE","ETHYL","ELLYN","DAYLE","CAMMIE","BRITTNI","BIRGIT","AVELINA","ASUNCION","ARIANNA","AKIKO","VENICE","TYESHA","TONIE","TIESHA","TAKISHA","STEFFANIE","SINDY","SANTANA","MEGHANN","MANDA","MACIE","LADY","KELLYE","KELLEE","JOSLYN","JASON","INGER","INDIRA","GLINDA","GLENNIS","FERNANDA","FAUSTINA","ENEIDA","ELICIA","DOT","DIGNA","DELL","ARLETTA","ANDRE","WILLIA","TAMMARA","TABETHA","SHERRELL","SARI","REFUGIO","REBBECA","PAULETTA","NIEVES","NATOSHA","NAKITA","MAMMIE","KENISHA","KAZUKO","KASSIE","GARY","EARLEAN","DAPHINE","CORLISS","CLOTILDE","CAROLYNE","BERNETTA","AUGUSTINA","AUDREA","ANNIS","ANNABELL","YAN","TENNILLE","TAMICA","SELENE","SEAN","ROSANA","REGENIA","QIANA","MARKITA","MACY","LEEANNE","LAURINE","KYM","JESSENIA","JANITA","GEORGINE","GENIE","EMIKO","ELVIE","DEANDRA","DAGMAR","CORIE","COLLEN","CHERISH","ROMAINE","PORSHA","PEARLENE","MICHELINE","MERNA","MARGORIE","MARGARETTA","LORE","KENNETH","JENINE","HERMINA","FREDERICKA","ELKE","DRUSILLA","DORATHY","DIONE","DESIRE","CELENA","BRIGIDA","ANGELES","ALLEGRA","THEO","TAMEKIA","SYNTHIA","STEPHEN","SOOK","SLYVIA","ROSANN","REATHA","RAYE","MARQUETTA","MARGART","LING","LAYLA","KYMBERLY","KIANA","KAYLEEN","KATLYN","KARMEN","JOELLA","IRINA","EMELDA","ELENI","DETRA","CLEMMIE","CHERYLL","CHANTELL","CATHEY","ARNITA","ARLA","ANGLE","ANGELIC","ALYSE","ZOFIA","THOMASINE","TENNIE","SON","SHERLY","SHERLEY","SHARYL","REMEDIOS","PETRINA","NICKOLE","MYUNG","MYRLE","MOZELLA","LOUANNE","LISHA","LATIA","LANE","KRYSTA","JULIENNE","JOEL","JEANENE","JACQUALINE","ISAURA","GWENDA","EARLEEN","DONALD","CLEOPATRA","CARLIE","AUDIE","ANTONIETTA","ALISE","ALEX","VERDELL","VAL","TYLER","TOMOKO","THAO","TALISHA","STEVEN","SO","SHEMIKA","SHAUN","SCARLET","SAVANNA","SANTINA","ROSIA","RAEANN","ODILIA","NANA","MINNA","MAGAN","LYNELLE","LE","KARMA","JOEANN","IVANA","INELL","ILANA","HYE","HONEY","HEE","GUDRUN","FRANK","DREAMA","CRISSY","CHANTE","CARMELINA","ARVILLA","ARTHUR","ANNAMAE","ALVERA","ALEIDA","AARON","YEE","YANIRA","VANDA","TIANNA","TAM","STEFANIA","SHIRA","PERRY","NICOL","NANCIE","MONSERRATE","MINH","MELYNDA","MELANY","MATTHEW","LOVELLA","LAURE","KIRBY","KACY","JACQUELYNN","HYON","GERTHA","FRANCISCO","ELIANA","CHRISTENA","CHRISTEEN","CHARISE","CATERINA","CARLEY","CANDYCE","ARLENA","AMMIE","YANG","WILLETTE","VANITA","TUYET","TINY","SYREETA","SILVA","SCOTT","RONALD","PENNEY","NYLA","MICHAL","MAURICE","MARYAM","MARYA","MAGEN","LUDIE","LOMA","LIVIA","LANELL","KIMBERLIE","JULEE","DONETTA","DIEDRA","DENISHA","DEANE","DAWNE","CLARINE","CHERRYL","BRONWYN","BRANDON","ALLA","VALERY","TONDA","SUEANN","SORAYA","SHOSHANA","SHELA","SHARLEEN","SHANELLE","NERISSA","MICHEAL","MERIDITH","MELLIE","MAYE","MAPLE","MAGARET","LUIS","LILI","LEONILA","LEONIE","LEEANNA","LAVONIA","LAVERA","KRISTEL","KATHEY","KATHE","JUSTIN","JULIAN","JIMMY","JANN","ILDA","HILDRED","HILDEGARDE","GENIA","FUMIKO","EVELIN","ERMELINDA","ELLY","DUNG","DOLORIS","DIONNA","DANAE","BERNEICE","ANNICE","ALIX","VERENA","VERDIE","TRISTAN","SHAWNNA","SHAWANA","SHAUNNA","ROZELLA","RANDEE","RANAE","MILAGRO","LYNELL","LUISE","LOUIE","LOIDA","LISBETH","KARLEEN","JUNITA","JONA","ISIS","HYACINTH","HEDY","GWENN","ETHELENE","ERLINE","EDWARD","DONYA","DOMONIQUE","DELICIA","DANNETTE","CICELY","BRANDA","BLYTHE","BETHANN","ASHLYN","ANNALEE","ALLINE","YUKO","VELLA","TRANG","TOWANDA","TESHA","SHERLYN","NARCISA","MIGUELINA","MERI","MAYBELL","MARLANA","MARGUERITA","MADLYN","LUNA","LORY","LORIANN","LIBERTY","LEONORE","LEIGHANN","LAURICE","LATESHA","LARONDA","KATRICE","KASIE","KARL","KALEY","JADWIGA","GLENNIE","GEARLDINE","FRANCINA","EPIFANIA","DYAN","DORIE","DIEDRE","DENESE","DEMETRICE","DELENA","DARBY","CRISTIE","CLEORA","CATARINA","CARISA","BERNIE","BARBERA","ALMETA","TRULA","TEREASA","SOLANGE","SHEILAH","SHAVONNE","SANORA","ROCHELL","MATHILDE","MARGARETA","MAIA","LYNSEY","LAWANNA","LAUNA","KENA","KEENA","KATIA","JAMEY","GLYNDA","GAYLENE","ELVINA","ELANOR","DANUTA","DANIKA","CRISTEN","CORDIE","COLETTA","CLARITA","CARMON","BRYNN","AZUCENA","AUNDREA","ANGELE","YI","WALTER","VERLIE","VERLENE","TAMESHA","SILVANA","SEBRINA","SAMIRA","REDA","RAYLENE","PENNI","PANDORA","NORAH","NOMA","MIREILLE","MELISSIA","MARYALICE","LARAINE","KIMBERY","KARYL","KARINE","KAM","JOLANDA","JOHANA","JESUSA","JALEESA","JAE","JACQUELYNE","IRISH","ILUMINADA","HILARIA","HANH","GENNIE","FRANCIE","FLORETTA","EXIE","EDDA","DREMA","DELPHA","BEV","BARBAR","ASSUNTA","ARDELL","ANNALISA","ALISIA","YUKIKO","YOLANDO","WONDA","WEI","WALTRAUD","VETA","TEQUILA","TEMEKA","TAMEIKA","SHIRLEEN","SHENITA","PIEDAD","OZELLA","MIRTHA","MARILU","KIMIKO","JULIANE","JENICE","JEN","JANAY","JACQUILINE","HILDE","FE","FAE","EVAN","EUGENE","ELOIS","ECHO","DEVORAH","CHAU","BRINDA","BETSEY","ARMINDA","ARACELIS","APRYL","ANNETT","ALISHIA","VEOLA","USHA","TOSHIKO","THEOLA","TASHIA","TALITHA","SHERY","RUDY","RENETTA","REIKO","RASHEEDA","OMEGA","OBDULIA","MIKA","MELAINE","MEGGAN","MARTIN","MARLEN","MARGET","MARCELINE","MANA","MAGDALEN","LIBRADA","LEZLIE","LEXIE","LATASHIA","LASANDRA","KELLE","ISIDRA","ISA","INOCENCIA","GWYN","FRANCOISE","ERMINIA","ERINN","DIMPLE","DEVORA","CRISELDA","ARMANDA","ARIE","ARIANE","ANGELO","ANGELENA","ALLEN","ALIZA","ADRIENE","ADALINE","XOCHITL","TWANNA","TRAN","TOMIKO","TAMISHA","TAISHA","SUSY","SIU","RUTHA","ROXY","RHONA","RAYMOND","OTHA","NORIKO","NATASHIA","MERRIE","MELVIN","MARINDA","MARIKO","MARGERT","LORIS","LIZZETTE","LEISHA","KAILA","KA","JOANNIE","JERRICA","JENE","JANNET","JANEE","JACINDA","HERTA","ELENORE","DORETTA","DELAINE","DANIELL","CLAUDIE","CHINA","BRITTA","APOLONIA","AMBERLY","ALEASE","YURI","YUK","WEN","WANETA","UTE","TOMI","SHARRI","SANDIE","ROSELLE","REYNALDA","RAGUEL","PHYLICIA","PATRIA","OLIMPIA","ODELIA","MITZIE","MITCHELL","MISS","MINDA","MIGNON","MICA","MENDY","MARIVEL","MAILE","LYNETTA","LAVETTE","LAURYN","LATRISHA","LAKIESHA","KIERSTEN","KARY","JOSPHINE","JOLYN","JETTA","JANISE","JACQUIE","IVELISSE","GLYNIS","GIANNA","GAYNELLE","EMERALD","DEMETRIUS","DANYELL","DANILLE","DACIA","CORALEE","CHER","CEOLA","BRETT","BELL","ARIANNE","ALESHIA","YUNG","WILLIEMAE","TROY","TRINH","THORA","TAI","SVETLANA","SHERIKA","SHEMEKA","SHAUNDA","ROSELINE","RICKI","MELDA","MALLIE","LAVONNA","LATINA","LARRY","LAQUANDA","LALA","LACHELLE","KLARA","KANDIS","JOHNA","JEANMARIE","JAYE","HANG","GRAYCE","GERTUDE","EMERITA","EBONIE","CLORINDA","CHING","CHERY","CAROLA","BREANN","BLOSSOM","BERNARDINE","BECKI","ARLETHA","ARGELIA","ARA","ALITA","YULANDA","YON","YESSENIA","TOBI","TASIA","SYLVIE","SHIRL","SHIRELY","SHERIDAN","SHELLA","SHANTELLE","SACHA","ROYCE","REBECKA","REAGAN","PROVIDENCIA","PAULENE","MISHA","MIKI","MARLINE","MARICA","LORITA","LATOYIA","LASONYA","KERSTIN","KENDA","KEITHA","KATHRIN","JAYMIE","JACK","GRICELDA","GINETTE","ERYN","ELINA","ELFRIEDA","DANYEL","CHEREE","CHANELLE","BARRIE","AVERY","AURORE","ANNAMARIA","ALLEEN","AILENE","AIDE","YASMINE","VASHTI","VALENTINE","TREASA","TORY","TIFFANEY","SHERYLL","SHARIE","SHANAE","SAU","RAISA","PA","NEDA","MITSUKO","MIRELLA","MILDA","MARYANNA","MARAGRET","MABELLE","LUETTA","LORINA","LETISHA","LATARSHA","LANELLE","LAJUANA","KRISSY","KARLY","KARENA","JON","JESSIKA","JERICA","JEANELLE","JANUARY","JALISA","JACELYN","IZOLA","IVEY","GREGORY","EUNA","ETHA","DREW","DOMITILA","DOMINICA","DAINA","CREOLA","CARLI","CAMIE","BUNNY","BRITTNY","ASHANTI","ANISHA","ALEEN","ADAH","YASUKO","WINTER","VIKI","VALRIE","TONA","TINISHA","THI","TERISA","TATUM","TANEKA","SIMONNE","SHALANDA","SERITA","RESSIE","REFUGIA","PAZ","OLENE","NA","MERRILL","MARGHERITA","MANDIE","MAN","MAIRE","LYNDIA","LUCI","LORRIANE","LORETA","LEONIA","LAVONA","LASHAWNDA","LAKIA","KYOKO","KRYSTINA","KRYSTEN","KENIA","KELSI","JUDE","JEANICE","ISOBEL","GEORGIANN","GENNY","FELICIDAD","EILENE","DEON","DELOISE","DEEDEE","DANNIE","CONCEPTION","CLORA","CHERILYN","CHANG","CALANDRA","BERRY","ARMANDINA","ANISA","ULA","TIMOTHY","TIERA","THERESSA","STEPHANIA","SIMA","SHYLA","SHONTA","SHERA","SHAQUITA","SHALA","SAMMY","ROSSANA","NOHEMI","NERY","MORIAH","MELITA","MELIDA","MELANI","MARYLYNN","MARISHA","MARIETTE","MALORIE","MADELENE","LUDIVINA","LORIA","LORETTE","LORALEE","LIANNE","LEON","LAVENIA","LAURINDA","LASHON","KIT","KIMI","KEILA","KATELYNN","KAI","JONE","JOANE","JI","JAYNA","JANELLA","JA","HUE","HERTHA","FRANCENE","ELINORE","DESPINA","DELSIE","DEEDRA","CLEMENCIA","CARRY","CAROLIN","CARLOS","BULAH","BRITTANIE","BOK","BLONDELL","BIBI","BEAULAH","BEATA","ANNITA","AGRIPINA","VIRGEN","VALENE","UN","TWANDA","TOMMYE","TOI","TARRA","TARI","TAMMERA","SHAKIA","SADYE","RUTHANNE","ROCHEL","RIVKA","PURA","NENITA","NATISHA","MING","MERRILEE","MELODEE","MARVIS","LUCILLA","LEENA","LAVETA","LARITA","LANIE","KEREN","ILEEN","GEORGEANN","GENNA","GENESIS","FRIDA","EWA","EUFEMIA","EMELY","ELA","EDYTH","DEONNA","DEADRA","DARLENA","CHANELL","CHAN","CATHERN","CASSONDRA","CASSAUNDRA","BERNARDA","BERNA","ARLINDA","ANAMARIA","ALBERT","WESLEY","VERTIE","VALERI","TORRI","TATYANA","STASIA","SHERISE","SHERILL","SEASON","SCOTTIE","SANDA","RUTHE","ROSY","ROBERTO","ROBBI","RANEE","QUYEN","PEARLY","PALMIRA","ONITA","NISHA","NIESHA","NIDA","NEVADA","NAM","MERLYN","MAYOLA","MARYLOUISE","MARYLAND","MARX","MARTH","MARGENE","MADELAINE","LONDA","LEONTINE","LEOMA","LEIA","LAWRENCE","LAURALEE","LANORA","LAKITA","KIYOKO","KETURAH","KATELIN","KAREEN","JONIE","JOHNETTE","JENEE","JEANETT","IZETTA","HIEDI","HEIKE","HASSIE","HAROLD","GIUSEPPINA","GEORGANN","FIDELA","FERNANDE","ELWANDA","ELLAMAE","ELIZ","DUSTI","DOTTY","CYNDY","CORALIE","CELESTA","ARGENTINA","ALVERTA","XENIA","WAVA","VANETTA","TORRIE","TASHINA","TANDY","TAMBRA","TAMA","STEPANIE","SHILA","SHAUNTA","SHARAN","SHANIQUA","SHAE","SETSUKO","SERAFINA","SANDEE","ROSAMARIA","PRISCILA","OLINDA","NADENE","MUOI","MICHELINA","MERCEDEZ","MARYROSE","MARIN","MARCENE","MAO","MAGALI","MAFALDA","LOGAN","LINN","LANNIE","KAYCE","KAROLINE","KAMILAH","KAMALA","JUSTA","JOLINE","JENNINE","JACQUETTA","IRAIDA","GERALD","GEORGEANNA","FRANCHESCA","FAIRY","EMELINE","ELANE","EHTEL","EARLIE","DULCIE","DALENE","CRIS","CLASSIE","CHERE","CHARIS","CAROYLN","CARMINA","CARITA","BRIAN","BETHANIE","AYAKO","ARICA","AN","ALYSA","ALESSANDRA","AKILAH","ADRIEN","ZETTA","YOULANDA","YELENA","YAHAIRA","XUAN","WENDOLYN","VICTOR","TIJUANA","TERRELL","TERINA","TERESIA","SUZI","SUNDAY","SHERELL","SHAVONDA","SHAUNTE","SHARDA","SHAKITA","SENA","RYANN","RUBI","RIVA","REGINIA","REA","RACHAL","PARTHENIA","PAMULA","MONNIE","MONET","MICHAELE","MELIA","MARINE","MALKA","MAISHA","LISANDRA","LEO","LEKISHA","LEAN","LAURENCE","LAKENDRA","KRYSTIN","KORTNEY","KIZZIE","KITTIE","KERA","KENDAL","KEMBERLY","KANISHA","JULENE","JULE","JOSHUA","JOHANNE","JEFFREY","JAMEE","HAN","HALLEY","GIDGET","GALINA","FREDRICKA","FLETA","FATIMAH","EUSEBIA","ELZA","ELEONORE","DORTHEY","DORIA","DONELLA","DINORAH","DELORSE","CLARETHA","CHRISTINIA","CHARLYN","BONG","BELKIS","AZZIE","ANDERA","AIKO","ADENA","YER","YAJAIRA","WAN","VANIA","ULRIKE","TOSHIA","TIFANY","STEFANY","SHIZUE","SHENIKA","SHAWANNA","SHAROLYN","SHARILYN","SHAQUANA","SHANTAY","SEE","ROZANNE","ROSELEE","RICKIE","REMONA","REANNA","RAELENE","QUINN","PHUNG","PETRONILA","NATACHA","NANCEY","MYRL","MIYOKO","MIESHA","MERIDETH","MARVELLA","MARQUITTA","MARHTA","MARCHELLE","LIZETH","LIBBIE","LAHOMA","LADAWN","KINA","KATHELEEN","KATHARYN","KARISA","KALEIGH","JUNIE","JULIEANN","JOHNSIE","JANEAN","JAIMEE","JACKQUELINE","HISAKO","HERMA","HELAINE","GWYNETH","GLENN","GITA","EUSTOLIA","EMELINA","ELIN","EDRIS","DONNETTE","DONNETTA","DIERDRE","DENAE","DARCEL","CLAUDE","CLARISA","CINDERELLA","CHIA","CHARLESETTA","CHARITA","CELSA","CASSY","CASSI","CARLEE","BRUNA","BRITTANEY","BRANDE","BILLI","BAO","ANTONETTA","ANGLA","ANGELYN","ANALISA","ALANE","WENONA","WENDIE","VERONIQUE","VANNESA","TOBIE","TEMPIE","SUMIKO","SULEMA","SPARKLE","SOMER","SHEBA","SHAYNE","SHARICE","SHANEL","SHALON","SAGE","ROY","ROSIO","ROSELIA","RENAY","REMA","REENA","PORSCHE","PING","PEG","OZIE","ORETHA","ORALEE","ODA","NU","NGAN","NAKESHA","MILLY","MARYBELLE","MARLIN","MARIS","MARGRETT","MARAGARET","MANIE","LURLENE","LILLIA","LIESELOTTE","LAVELLE","LASHAUNDA","LAKEESHA","KEITH","KAYCEE","KALYN","JOYA","JOETTE","JENAE","JANIECE","ILLA","GRISEL","GLAYDS","GENEVIE","GALA","FREDDA","FRED","ELMER","ELEONOR","DEBERA","DEANDREA","DAN","CORRINNE","CORDIA","CONTESSA","COLENE","CLEOTILDE","CHARLOTT","CHANTAY","CECILLE","BEATRIS","AZALEE","ARLEAN","ARDATH","ANJELICA","ANJA","ALFREDIA","ALEISHA","ADAM","ZADA","YUONNE","XIAO","WILLODEAN","WHITLEY","VENNIE","VANNA","TYISHA","TOVA","TORIE","TONISHA","TILDA","TIEN","TEMPLE","SIRENA","SHERRIL","SHANTI","SHAN","SENAIDA","SAMELLA","ROBBYN","RENDA","REITA","PHEBE","PAULITA","NOBUKO","NGUYET","NEOMI","MOON","MIKAELA","MELANIA","MAXIMINA","MARG","MAISIE","LYNNA","LILLI","LAYNE","LASHAUN","LAKENYA","LAEL","KIRSTIE","KATHLINE","KASHA","KARLYN","KARIMA","JOVAN","JOSEFINE","JENNELL","JACQUI","JACKELYN","HYO","HIEN","GRAZYNA","FLORRIE","FLORIA","ELEONORA","DWANA","DORLA","DONG","DELMY","DEJA","DEDE","DANN","CRYSTA","CLELIA","CLARIS","CLARENCE","CHIEKO","CHERLYN","CHERELLE","CHARMAIN","CHARA","CAMMY","BEE","ARNETTE","ARDELLE","ANNIKA","AMIEE","AMEE","ALLENA","YVONE","YUKI","YOSHIE","YEVETTE","YAEL","WILLETTA","VONCILE","VENETTA","TULA","TONETTE","TIMIKA","TEMIKA","TELMA","TEISHA","TAREN","TA","STACEE","SHIN","SHAWNTA","SATURNINA","RICARDA","POK","PASTY","ONIE","NUBIA","MORA","MIKE","MARIELLE","MARIELLA","MARIANELA","MARDELL","MANY","LUANNA","LOISE","LISABETH","LINDSY","LILLIANA","LILLIAM","LELAH","LEIGHA","LEANORA","LANG","KRISTEEN","KHALILAH","KEELEY","KANDRA","JUNKO","JOAQUINA","JERLENE","JANI","JAMIKA","JAME","HSIU","HERMILA","GOLDEN","GENEVIVE","EVIA","EUGENA","EMMALINE","ELFREDA","ELENE","DONETTE","DELCIE","DEEANNA","DARCEY","CUC","CLARINDA","CIRA","CHAE","CELINDA","CATHERYN","CATHERIN","CASIMIRA","CARMELIA","CAMELLIA","BREANA","BOBETTE","BERNARDINA","BEBE","BASILIA","ARLYNE","AMAL","ALAYNA","ZONIA","ZENIA","YURIKO","YAEKO","WYNELL","WILLOW","WILLENA","VERNIA","TU","TRAVIS","TORA","TERRILYN","TERICA","TENESHA","TAWNA","TAJUANA","TAINA","STEPHNIE","SONA","SOL","SINA","SHONDRA","SHIZUKO","SHERLENE","SHERICE","SHARIKA","ROSSIE","ROSENA","RORY","RIMA","RIA","RHEBA","RENNA","PETER","NATALYA","NANCEE","MELODI","MEDA","MAXIMA","MATHA","MARKETTA","MARICRUZ","MARCELENE","MALVINA","LUBA","LOUETTA","LEIDA","LECIA","LAURAN","LASHAWNA","LAINE","KHADIJAH","KATERINE","KASI","KALLIE","JULIETTA","JESUSITA","JESTINE","JESSIA","JEREMY","JEFFIE","JANYCE","ISADORA","GEORGIANNE","FIDELIA","EVITA","EURA","EULAH","ESTEFANA","ELSY","ELIZABET","ELADIA","DODIE","DION","DIA","DENISSE","DELORAS","DELILA","DAYSI","DAKOTA","CURTIS","CRYSTLE","CONCHA","COLBY","CLARETTA","CHU","CHRISTIA","CHARLSIE","CHARLENA","CARYLON","BETTYANN","ASLEY","ASHLEA","AMIRA","AI","AGUEDA","AGNUS","YUETTE","VINITA","VICTORINA","TYNISHA","TREENA","TOCCARA","TISH","THOMASENA","TEGAN","SOILA","SHILOH","SHENNA","SHARMAINE","SHANTAE","SHANDI","SEPTEMBER","SARAN","SARAI","SANA","SAMUEL","SALLEY","ROSETTE","ROLANDE","REGINE","OTELIA","OSCAR","OLEVIA","NICHOLLE","NECOLE","NAIDA","MYRTA","MYESHA","MITSUE","MINTA","MERTIE","MARGY","MAHALIA","MADALENE","LOVE","LOURA","LOREAN","LEWIS","LESHA","LEONIDA","LENITA","LAVONE","LASHELL","LASHANDRA","LAMONICA","KIMBRA","KATHERINA","KARRY","KANESHA","JULIO","JONG","JENEVA","JAQUELYN","HWA","GILMA","GHISLAINE","GERTRUDIS","FRANSISCA","FERMINA","ETTIE","ETSUKO","ELLIS","ELLAN","ELIDIA","EDRA","DORETHEA","DOREATHA","DENYSE","DENNY","DEETTA","DAINE","CYRSTAL","CORRIN","CAYLA","CARLITA","CAMILA","BURMA","BULA","BUENA","BLAKE","BARABARA","AVRIL","AUSTIN","ALAINE","ZANA","WILHEMINA","WANETTA","VIRGIL","VI","VERONIKA","VERNON","VERLINE","VASILIKI","TONITA","TISA","TEOFILA","TAYNA","TAUNYA","TANDRA","TAKAKO","SUNNI","SUANNE","SIXTA","SHARELL","SEEMA","RUSSELL","ROSENDA","ROBENA","RAYMONDE","PEI","PAMILA","OZELL","NEIDA","NEELY","MISTIE","MICHA","MERISSA","MAURITA","MARYLN","MARYETTA","MARSHALL","MARCELL","MALENA","MAKEDA","MADDIE","LOVETTA","LOURIE","LORRINE","LORILEE","LESTER","LAURENA","LASHAY","LARRAINE","LAREE","LACRESHA","KRISTLE","KRISHNA","KEVA","KEIRA","KAROLE","JOIE","JINNY","JEANNETTA","JAMA","HEIDY","GILBERTE","GEMA","FAVIOLA","EVELYNN","ENDA","ELLI","ELLENA","DIVINA","DAGNY","COLLENE","CODI","CINDIE","CHASSIDY","CHASIDY","CATRICE","CATHERINA","CASSEY","CAROLL","CARLENA","CANDRA","CALISTA","BRYANNA","BRITTENY","BEULA","BARI","AUDRIE","AUDRIA","ARDELIA","ANNELLE","ANGILA","ALONA","ALLYN","DOUGLAS","ROGER","JONATHAN","RALPH","NICHOLAS","BENJAMIN","BRUCE","HARRY","WAYNE","STEVE","HOWARD","ERNEST","PHILLIP","TODD","CRAIG","ALAN","PHILIP","EARL","DANNY","BRYAN","STANLEY","LEONARD","NATHAN","MANUEL","RODNEY","MARVIN","VINCENT","JEFFERY","JEFF","CHAD","JACOB","ALFRED","BRADLEY","HERBERT","FREDERICK","EDWIN","DON","RICKY","RANDALL","BARRY","BERNARD","LEROY","MARCUS","THEODORE","CLIFFORD","MIGUEL","JIM","TOM","CALVIN","BILL","LLOYD","DEREK","WARREN","DARRELL","JEROME","FLOYD","ALVIN","TIM","GORDON","GREG","JORGE","DUSTIN","PEDRO","DERRICK","ZACHARY","HERMAN","GLEN","HECTOR","RICARDO","RICK","BRENT","RAMON","GILBERT","MARC","REGINALD","RUBEN","NATHANIEL","RAFAEL","EDGAR","MILTON","RAUL","BEN","CHESTER","DUANE","FRANKLIN","BRAD","RON","ROLAND","ARNOLD","HARVEY","JARED","ERIK","DARRYL","NEIL","JAVIER","FERNANDO","CLINTON","TED","MATHEW","TYRONE","DARREN","LANCE","KURT","ALLAN","NELSON","GUY","CLAYTON","HUGH","MAX","DWAYNE","DWIGHT","ARMANDO","FELIX","EVERETT","IAN","WALLACE","KEN","BOB","ALFREDO","ALBERTO","DAVE","IVAN","BYRON","ISAAC","MORRIS","CLIFTON","WILLARD","ROSS","ANDY","SALVADOR","KIRK","SERGIO","SETH","KENT","TERRANCE","EDUARDO","TERRENCE","ENRIQUE","WADE","STUART","FREDRICK","ARTURO","ALEJANDRO","NICK","LUTHER","WENDELL","JEREMIAH","JULIUS","OTIS","TREVOR","OLIVER","LUKE","HOMER","GERARD","DOUG","KENNY","HUBERT","LYLE","MATT","ALFONSO","ORLANDO","REX","CARLTON","ERNESTO","NEAL","PABLO","LORENZO","OMAR","WILBUR","GRANT","HORACE","RODERICK","ABRAHAM","WILLIS","RICKEY","ANDRES","CESAR","JOHNATHAN","MALCOLM","RUDOLPH","DAMON","KELVIN","PRESTON","ALTON","ARCHIE","MARCO","WM","PETE","RANDOLPH","GARRY","GEOFFREY","JONATHON","FELIPE","GERARDO","ED","DOMINIC","DELBERT","COLIN","GUILLERMO","EARNEST","LUCAS","BENNY","SPENCER","RODOLFO","MYRON","EDMUND","GARRETT","SALVATORE","CEDRIC","LOWELL","GREGG","SHERMAN","WILSON","SYLVESTER","ROOSEVELT","ISRAEL","JERMAINE","FORREST","WILBERT","LELAND","SIMON","CLARK","IRVING","BRYANT","OWEN","RUFUS","WOODROW","KRISTOPHER","MACK","LEVI","MARCOS","GUSTAVO","JAKE","LIONEL","GILBERTO","CLINT","NICOLAS","ISMAEL","ORVILLE","ERVIN","DEWEY","AL","WILFRED","JOSH","HUGO","IGNACIO","CALEB","TOMAS","SHELDON","ERICK","STEWART","DOYLE","DARREL","ROGELIO","TERENCE","SANTIAGO","ALONZO","ELIAS","BERT","ELBERT","RAMIRO","CONRAD","NOAH","GRADY","PHIL","CORNELIUS","LAMAR","ROLANDO","CLAY","PERCY","DEXTER","BRADFORD","DARIN","AMOS","MOSES","IRVIN","SAUL","ROMAN","RANDAL","TIMMY","DARRIN","WINSTON","BRENDAN","ABEL","DOMINICK","BOYD","EMILIO","ELIJAH","DOMINGO","EMMETT","MARLON","EMANUEL","JERALD","EDMOND","EMIL","DEWAYNE","WILL","OTTO","TEDDY","REYNALDO","BRET","JESS","TRENT","HUMBERTO","EMMANUEL","STEPHAN","VICENTE","LAMONT","GARLAND","MILES","EFRAIN","HEATH","RODGER","HARLEY","ETHAN","ELDON","ROCKY","PIERRE","JUNIOR","FREDDY","ELI","BRYCE","ANTOINE","STERLING","CHASE","GROVER","ELTON","CLEVELAND","DYLAN","CHUCK","DAMIAN","REUBEN","STAN","AUGUST","LEONARDO","JASPER","RUSSEL","ERWIN","BENITO","HANS","MONTE","BLAINE","ERNIE","CURT","QUENTIN","AGUSTIN","MURRAY","JAMAL","ADOLFO","HARRISON","TYSON","BURTON","BRADY","ELLIOTT","WILFREDO","BART","JARROD","VANCE","DENIS","DAMIEN","JOAQUIN","HARLAN","DESMOND","ELLIOT","DARWIN","GREGORIO","BUDDY","XAVIER","KERMIT","ROSCOE","ESTEBAN","ANTON","SOLOMON","SCOTTY","NORBERT","ELVIN","WILLIAMS","NOLAN","ROD","QUINTON","HAL","BRAIN","ROB","ELWOOD","KENDRICK","DARIUS","MOISES","FIDEL","THADDEUS","CLIFF","MARCEL","JACKSON","RAPHAEL","BRYON","ARMAND","ALVARO","JEFFRY","DANE","JOESPH","THURMAN","NED","RUSTY","MONTY","FABIAN","REGGIE","MASON","GRAHAM","ISAIAH","VAUGHN","GUS","LOYD","DIEGO","ADOLPH","NORRIS","MILLARD","ROCCO","GONZALO","DERICK","RODRIGO","WILEY","RIGOBERTO","ALPHONSO","TY","NOE","VERN","REED","JEFFERSON","ELVIS","BERNARDO","MAURICIO","HIRAM","DONOVAN","BASIL","RILEY","NICKOLAS","MAYNARD","SCOT","VINCE","QUINCY","EDDY","SEBASTIAN","FEDERICO","ULYSSES","HERIBERTO","DONNELL","COLE","DAVIS","GAVIN","EMERY","WARD","ROMEO","JAYSON","DANTE","CLEMENT","COY","MAXWELL","JARVIS","BRUNO","ISSAC","DUDLEY","BROCK","SANFORD","CARMELO","BARNEY","NESTOR","STEFAN","DONNY","ART","LINWOOD","BEAU","WELDON","GALEN","ISIDRO","TRUMAN","DELMAR","JOHNATHON","SILAS","FREDERIC","DICK","IRWIN","MERLIN","CHARLEY","MARCELINO","HARRIS","CARLO","TRENTON","KURTIS","HUNTER","AURELIO","WINFRED","VITO","COLLIN","DENVER","CARTER","LEONEL","EMORY","PASQUALE","MOHAMMAD","MARIANO","DANIAL","LANDON","DIRK","BRANDEN","ADAN","BUFORD","GERMAN","WILMER","EMERSON","ZACHERY","FLETCHER","JACQUES","ERROL","DALTON","MONROE","JOSUE","EDWARDO","BOOKER","WILFORD","SONNY","SHELTON","CARSON","THERON","RAYMUNDO","DAREN","HOUSTON","ROBBY","LINCOLN","GENARO","BENNETT","OCTAVIO","CORNELL","HUNG","ARRON","ANTONY","HERSCHEL","GIOVANNI","GARTH","CYRUS","CYRIL","RONNY","LON","FREEMAN","DUNCAN","KENNITH","CARMINE","ERICH","CHADWICK","WILBURN","RUSS","REID","MYLES","ANDERSON","MORTON","JONAS","FOREST","MITCHEL","MERVIN","ZANE","RICH","JAMEL","LAZARO","ALPHONSE","RANDELL","MAJOR","JARRETT","BROOKS","ABDUL","LUCIANO","SEYMOUR","EUGENIO","MOHAMMED","VALENTIN","CHANCE","ARNULFO","LUCIEN","FERDINAND","THAD","EZRA","ALDO","RUBIN","ROYAL","MITCH","EARLE","ABE","WYATT","MARQUIS","LANNY","KAREEM","JAMAR","BORIS","ISIAH","EMILE","ELMO","ARON","LEOPOLDO","EVERETTE","JOSEF","ELOY","RODRICK","REINALDO","LUCIO","JERROD","WESTON","HERSHEL","BARTON","PARKER","LEMUEL","BURT","JULES","GIL","ELISEO","AHMAD","NIGEL","EFREN","ANTWAN","ALDEN","MARGARITO","COLEMAN","DINO","OSVALDO","LES","DEANDRE","NORMAND","KIETH","TREY","NORBERTO","NAPOLEON","JEROLD","FRITZ","ROSENDO","MILFORD","CHRISTOPER","ALFONZO","LYMAN","JOSIAH","BRANT","WILTON","RICO","JAMAAL","DEWITT","BRENTON","OLIN","FOSTER","FAUSTINO","CLAUDIO","JUDSON","GINO","EDGARDO","ALEC","TANNER","JARRED","DONN","TAD","PRINCE","PORFIRIO","ODIS","LENARD","CHAUNCEY","TOD","MEL","MARCELO","KORY","AUGUSTUS","KEVEN","HILARIO","BUD","SAL","ORVAL","MAURO","ZACHARIAH","OLEN","ANIBAL","MILO","JED","DILLON","AMADO","NEWTON","LENNY","RICHIE","HORACIO","BRICE","MOHAMED","DELMER","DARIO","REYES","MAC","JONAH","JERROLD","ROBT","HANK","RUPERT","ROLLAND","KENTON","DAMION","ANTONE","WALDO","FREDRIC","BRADLY","KIP","BURL","WALKER","TYREE","JEFFEREY","AHMED","WILLY","STANFORD","OREN","NOBLE","MOSHE","MIKEL","ENOCH","BRENDON","QUINTIN","JAMISON","FLORENCIO","DARRICK","TOBIAS","HASSAN","GIUSEPPE","DEMARCUS","CLETUS","TYRELL","LYNDON","KEENAN","WERNER","GERALDO","COLUMBUS","CHET","BERTRAM","MARKUS","HUEY","HILTON","DWAIN","DONTE","TYRON","OMER","ISAIAS","HIPOLITO","FERMIN","ADALBERTO","BO","BARRETT","TEODORO","MCKINLEY","MAXIMO","GARFIELD","RALEIGH","LAWERENCE","ABRAM","RASHAD","KING","EMMITT","DARON","SAMUAL","MIQUEL","EUSEBIO","DOMENIC","DARRON","BUSTER","WILBER","RENATO","JC","HOYT","HAYWOOD","EZEKIEL","CHAS","FLORENTINO","ELROY","CLEMENTE","ARDEN","NEVILLE","EDISON","DESHAWN","NATHANIAL","JORDON","DANILO","CLAUD","SHERWOOD","RAYMON","RAYFORD","CRISTOBAL","AMBROSE","TITUS","HYMAN","FELTON","EZEQUIEL","ERASMO","STANTON","LONNY","LEN","IKE","MILAN","LINO","JAROD","HERB","ANDREAS","WALTON","RHETT","PALMER","DOUGLASS","CORDELL","OSWALDO","ELLSWORTH","VIRGILIO","TONEY","NATHANAEL","DEL","BENEDICT","MOSE","JOHNSON","ISREAL","GARRET","FAUSTO","ASA","ARLEN","ZACK","WARNER","MODESTO","FRANCESCO","MANUAL","GAYLORD","GASTON","FILIBERTO","DEANGELO","MICHALE","GRANVILLE","WES","MALIK","ZACKARY","TUAN","ELDRIDGE","CRISTOPHER","CORTEZ","ANTIONE","MALCOM","LONG","KOREY","JOSPEH","COLTON","WAYLON","VON","HOSEA","SHAD","SANTO","RUDOLF","ROLF","REY","RENALDO","MARCELLUS","LUCIUS","KRISTOFER","BOYCE","BENTON","HAYDEN","HARLAND","ARNOLDO","RUEBEN","LEANDRO","KRAIG","JERRELL","JEROMY","HOBERT","CEDRICK","ARLIE","WINFORD","WALLY","LUIGI","KENETH","JACINTO","GRAIG","FRANKLYN","EDMUNDO","SID","PORTER","LEIF","JERAMY","BUCK","WILLIAN","VINCENZO","SHON","LYNWOOD","JERE","HAI","ELDEN","DORSEY","DARELL","BRODERICK","ALONSO"
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Audio Filter Audio filters work on the frequency of an audio signal to attenuate unwanted frequency and amplify wanted ones. They are used within anything related to sound, whether it is radio communication or a hi-fi system. * <https://www.masteringbox.com/filter-types/> * <http://ethanwiner.com/filters.html> * <https://en.wikipedia.org/wiki/Audio_filter> * <https://en.wikipedia.org/wiki/Electronic_filter>
# Audio Filter Audio filters work on the frequency of an audio signal to attenuate unwanted frequency and amplify wanted ones. They are used within anything related to sound, whether it is radio communication or a hi-fi system. * <https://www.masteringbox.com/filter-types/> * <http://ethanwiner.com/filters.html> * <https://en.wikipedia.org/wiki/Audio_filter> * <https://en.wikipedia.org/wiki/Electronic_filter>
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
MMMMDCLXXII MMDCCCLXXXIII MMMDLXVIIII MMMMDXCV DCCCLXXII MMCCCVI MMMCDLXXXVII MMMMCCXXI MMMCCXX MMMMDCCCLXXIII MMMCCXXXVII MMCCCLXXXXIX MDCCCXXIIII MMCXCVI CCXCVIII MMMCCCXXXII MDCCXXX MMMDCCCL MMMMCCLXXXVI MMDCCCXCVI MMMDCII MMMCCXII MMMMDCCCCI MMDCCCXCII MDCXX CMLXXXVII MMMXXI MMMMCCCXIV MLXXII MCCLXXVIIII MMMMCCXXXXI MMDCCCLXXII MMMMXXXI MMMDCCLXXX MMDCCCLXXIX MMMMLXXXV MCXXI MDCCCXXXVII MMCCCLXVII MCDXXXV CCXXXIII CMXX MMMCLXIV MCCCLXXXVI DCCCXCVIII MMMDCCCCXXXIV CDXVIIII MMCCXXXV MDCCCXXXII MMMMD MMDCCLXIX MMMMCCCLXXXXVI MMDCCXLII MMMDCCCVIIII DCCLXXXIIII MDCCCCXXXII MMCXXVII DCCCXXX CCLXIX MMMXI MMMMCMLXXXXVIII MMMMDLXXXVII MMMMDCCCLX MMCCLIV CMIX MMDCCCLXXXIIII CLXXXII MMCCCCXXXXV MMMMDLXXXVIIII MMMDCCCXXI MMDCCCCLXXVI MCCCCLXX MMCDLVIIII MMMDCCCLIX MMMMCCCCXIX MMMDCCCLXXV XXXI CDLXXXIII MMMCXV MMDCCLXIII MMDXXX MMMMCCCLVII MMMDCI MMMMCDLXXXIIII MMMMCCCXVI CCCLXXXVIII MMMMCML MMMMXXIV MMMCCCCXXX DCCX MMMCCLX MMDXXXIII CCCLXIII MMDCCXIII MMMCCCXLIV CLXXXXI CXVI MMMMCXXXIII CLXX DCCCXVIII MLXVII DLXXXX MMDXXI MMMMDLXXXXVIII MXXII LXI DCCCCXLIII MMMMDV MMMMXXXIV MDCCCLVIII MMMCCLXXII MMMMDCCXXXVI MMMMLXXXIX MDCCCLXXXI MMMMDCCCXV MMMMCCCCXI MMMMCCCLIII MDCCCLXXI MMCCCCXI MLXV MMCDLXII MMMMDXXXXII MMMMDCCCXL MMMMCMLVI CCLXXXIV MMMDCCLXXXVI MMCLII MMMCCCCXV MMLXXXIII MMMV MMMV DCCLXII MMDCCCCXVI MMDCXLVIII CCLIIII CCCXXV MMDCCLXXXVIIII MMMMDCLXXVIII MMMMDCCCXCI MMMMCCCXX MMCCXLV MMMDCCCLXIX MMCCLXIIII MMMDCCCXLIX MMMMCCCLXIX CMLXXXXI MCMLXXXIX MMCDLXI MMDCLXXVIII MMMMDCCLXI MCDXXV DL CCCLXXII MXVIIII MCCCCLXVIII CIII MMMDCCLXXIIII MMMDVIII MMMMCCCLXXXXVII MMDXXVII MMDCCLXXXXV MMMMCXLVI MMMDCCLXXXII MMMDXXXVI MCXXII CLI DCLXXXIX MMMCLI MDCLXIII MMMMDCCXCVII MMCCCLXXXV MMMDCXXVIII MMMCDLX MMMCMLII MMMIV MMMMDCCCLVIII MMMDLXXXVIII MCXXIV MMMMLXXVI CLXXIX MMMCCCCXXVIIII DCCLXXXV MMMDCCCVI LI CLXXXVI MMMMCCCLXXVI MCCCLXVI CCXXXIX MMDXXXXI MMDCCCXLI DCCCLXXXVIII MMMMDCCCIV MDCCCCXV MMCMVI MMMMCMLXXXXV MMDCCLVI MMMMCCXLVIII DCCCCIIII MMCCCCIII MMMDCCLXXXVIIII MDCCCLXXXXV DVII MMMV DCXXV MMDCCCXCV DCVIII MMCDLXVI MCXXVIII MDCCXCVIII MMDCLX MMMDCCLXIV MMCDLXXVII MMDLXXXIIII MMMMCCCXXII MMMDCCCXLIIII DCCCCLXVII MMMCLXXXXIII MCCXV MMMMDCXI MMMMDCLXXXXV MMMCCCLII MMCMIX MMDCCXXV MMDLXXXVI MMMMDCXXVIIII DCCCCXXXVIIII MMCCXXXIIII MMDCCLXXVIII MDCCLXVIIII MMCCLXXXV MMMMDCCCLXXXVIII MMCMXCI MDXLII MMMMDCCXIV MMMMLI DXXXXIII MMDCCXI MMMMCCLXXXIII MMMDCCCLXXIII MDCLVII MMCD MCCCXXVII MMMMDCCIIII MMMDCCXLVI MMMCLXXXVII MMMCCVIIII MCCCCLXXIX DL DCCCLXXVI MMDXCI MMMMDCCCCXXXVI MMCII MMMDCCCXXXXV MMMCDXLV MMDCXXXXIV MMD MDCCCLXXXX MMDCXLIII MMCCXXXII MMDCXXXXVIIII DCCCLXXI MDXCVIIII MMMMCCLXXVIII MDCLVIIII MMMCCCLXXXIX MDCLXXXV MDLVIII MMMMCCVII MMMMDCXIV MMMCCCLXIIII MMIIII MMMMCCCLXXIII CCIII MMMCCLV MMMDXIII MMMCCCXC MMMDCCCXXI MMMMCCCCXXXII CCCLVI MMMCCCLXXXVI MXVIIII MMMCCCCXIIII CLXVII MMMCCLXX CCCCLXIV MMXXXXII MMMMCCLXXXX MXL CCXVI CCCCLVIIII MMCCCII MCCCLVIII MMMMCCCX MCDLXXXXIV MDCCCXIII MMDCCCXL MMMMCCCXXIII DXXXIV CVI MMMMDCLXXX DCCCVII MMCMLXIIII MMMDCCCXXXIII DCCC MDIII MMCCCLXVI MMMCCCCLXXI MMDCCCCXVIII CCXXXVII CCCXXV MDCCCXII MMMCMV MMMMCMXV MMMMDCXCI DXXI MMCCXLVIIII MMMMCMLII MDLXXX MMDCLXVI CXXI MMMDCCCLIIII MMMCXXI MCCIII MMDCXXXXI CCXCII MMMMDXXXV MMMCCCLXV MMMMDLXV MMMCCCCXXXII MMMCCCVIII DCCCCLXXXXII MMCLXIV MMMMCXI MLXXXXVII MMMCDXXXVIII MDXXII MLV MMMMDLXVI MMMCXII XXXIII MMMMDCCCXXVI MMMLXVIIII MMMLX MMMCDLXVII MDCCCLVII MMCXXXVII MDCCCCXXX MMDCCCLXIII MMMMDCXLIX MMMMCMXLVIII DCCCLXXVIIII MDCCCLIII MMMCMLXI MMMMCCLXI MMDCCCLIII MMMDCCCVI MMDXXXXIX MMCLXXXXV MMDXXX MMMXIII DCLXXIX DCCLXII MMMMDCCLXVIII MDCCXXXXIII CCXXXII MMMMDCXXV MMMCCCXXVIII MDCVIII MMMCLXXXXIIII CLXXXI MDCCCCXXXIII MMMMDCXXX MMMDCXXIV MMMCCXXXVII MCCCXXXXIIII CXVIII MMDCCCCIV MMMMCDLXXV MMMDLXIV MDXCIII MCCLXXXI MMMDCCCXXIV MCXLIII MMMDCCCI MCCLXXX CCXV MMDCCLXXI MMDLXXXIII MMMMDCXVII MMMCMLXV MCLXVIII MMMMCCLXXVI MMMDCCLXVIIII MMMMDCCCIX DLXXXXIX DCCCXXII MMMMIII MMMMCCCLXXVI DCCCXCIII DXXXI MXXXIIII CCXII MMMDCCLXXXIIII MMMCXX MMMCMXXVII DCCCXXXX MMCDXXXVIIII MMMMDCCXVIII LV MMMDCCCCVI MCCCII MMCMLXVIIII MDCCXI MMMMDLXVII MMCCCCLXI MMDCCV MMMCCCXXXIIII MMMMDI MMMDCCCXCV MMDCCLXXXXI MMMDXXVI MMMDCCCLVI MMDCXXX MCCCVII MMMMCCCLXII MMMMXXV MMCMXXV MMLVI MMDXXX MMMMCVII MDC MCCIII MMMMDCC MMCCLXXV MMDCCCXXXXVI MMMMCCCLXV CDXIIII MLXIIII CCV MMMCMXXXI CCCCLXVI MDXXXII MMMMCCCLVIII MMV MMMCLII MCMLI MMDCCXX MMMMCCCCXXXVI MCCLXXXI MMMCMVI DCCXXX MMMMCCCLXV DCCCXI MMMMDCCCXIV CCCXXI MMDLXXV CCCCLXXXX MCCCLXXXXII MMDCIX DCCXLIIII DXIV MMMMCLII CDLXI MMMCXXVII MMMMDCCCCLXIII MMMDCLIIII MCCCCXXXXII MMCCCLX CCCCLIII MDCCLXXVI MCMXXIII MMMMDLXXVIII MMDCCCCLX MMMCCCLXXXX MMMCDXXVI MMMDLVIII CCCLXI MMMMDCXXII MMDCCCXXI MMDCCXIII MMMMCLXXXVI MDCCCCXXVI MDV MMDCCCCLXXVI MMMMCCXXXVII MMMDCCLXXVIIII MMMCCCCLXVII DCCXLI MMCLXXXVIII MCCXXXVI MMDCXLVIII MMMMCXXXII MMMMDCCLXVI MMMMCMLI MMMMCLXV MMMMDCCCXCIV MCCLXXVII LXXVIIII DCCLII MMMCCCXCVI MMMCLV MMDCCCXXXXVIII DCCCXV MXC MMDCCLXXXXVII MMMMCML MMDCCCLXXVIII DXXI MCCCXLI DCLXXXXI MMCCCLXXXXVIII MDCCCCLXXVIII MMMMDXXV MMMDCXXXVI MMMCMXCVII MMXVIIII MMMDCCLXXIV MMMCXXV DXXXVIII MMMMCLXVI MDXII MMCCCLXX CCLXXI DXIV MMMCLIII DLII MMMCCCXLIX MMCCCCXXVI MMDCXLIII MXXXXII CCCLXXXV MDCLXXVI MDCXII MMMCCCLXXXIII MMDCCCCLXXXII MMMMCCCLXXXV MMDCXXI DCCCXXX MMMDCCCCLII MMMDCCXXII MMMMCDXCVIII MMMCCLXVIIII MMXXV MMMMCDXIX MMMMCCCX MMMCCCCLXVI MMMMDCLXXVIIII MMMMDCXXXXIV MMMCMXII MMMMXXXIII MMMMDLXXXII DCCCLIV MDXVIIII MMMCLXXXXV CCCCXX MMDIX MMCMLXXXVIII DCCXLIII DCCLX D MCCCVII MMMMCCCLXXXIII MDCCCLXXIIII MMMDCCCCLXXXVII MMMMCCCVII MMMDCCLXXXXVI CDXXXIV MCCLXVIII MMMMDLX MMMMDXII MMMMCCCCLIIII MCMLXXXXIII MMMMDCCCIII MMDCLXXXIII MDCCCXXXXIV XXXXVII MMMDCCCXXXII MMMDCCCXLII MCXXXV MDCXXVIIII MMMCXXXXIIII MMMMCDXVII MMMDXXIII MMMMCCCCLXI DCLXXXXVIIII LXXXXI CXXXIII MCDX MCCLVII MDCXXXXII MMMCXXIV MMMMLXXXX MMDCCCCXLV MLXXX MMDCCCCLX MCDLIII MMMCCCLXVII MMMMCCCLXXIV MMMDCVIII DCCCCXXIII MMXCI MMDCCIV MMMMDCCCXXXIV CCCLXXI MCCLXXXII MCMIII CCXXXI DCCXXXVIII MMMMDCCXLVIIII MMMMCMXXXV DCCCLXXV DCCXCI MMMMDVII MMMMDCCCLXVIIII CCCXCV MMMMDCCXX MCCCCII MMMCCCXC MMMCCCII MMDCCLXXVII MMDCLIIII CCXLIII MMMDCXVIII MMMCCCIX MCXV MMCCXXV MLXXIIII MDCCXXVI MMMCCCXX MMDLXX MMCCCCVI MMDCCXX MMMMDCCCCXCV MDCCCXXXII MMMMDCCCCXXXX XCIV MMCCCCLX MMXVII MLXXI MMMDXXVIII MDCCCCII MMMCMLVII MMCLXXXXVIII MDCCCCLV MCCCCLXXIIII MCCCLII MCDXLVI MMMMDXVIII DCCLXXXIX MMMDCCLXIV MDCCCCXLIII CLXXXXV MMMMCCXXXVI MMMDCCCXXI MMMMCDLXXVII MCDLIII MMCCXLVI DCCCLV MCDLXX DCLXXVIII MMDCXXXIX MMMMDCLX MMDCCLI MMCXXXV MMMCCXII MMMMCMLXII MMMMCCV MCCCCLXIX MMMMCCIII CLXVII MCCCLXXXXIIII MMMMDCVIII MMDCCCLXI MMLXXIX CMLXIX MMDCCCXLVIIII DCLXII MMMCCCXLVII MDCCCXXXV MMMMDCCXCVI DCXXX XXVI MMLXIX MMCXI DCXXXVII MMMMCCCXXXXVIII MMMMDCLXI MMMMDCLXXIIII MMMMVIII MMMMDCCCLXII MDCXCI MMCCCXXIIII CCCCXXXXV MMDCCCXXI MCVI MMDCCLXVIII MMMMCXL MLXVIII CMXXVII CCCLV MDCCLXXXIX MMMCCCCLXV MMDCCLXII MDLXVI MMMCCCXVIII MMMMCCLXXXI MMCXXVII MMDCCCLXVIII MMMCXCII MMMMDCLVIII MMMMDCCCXXXXII MMDCCCCLXXXXVI MDCCXL MDCCLVII MMMMDCCCLXXXVI DCCXXXIII MMMMDCCCCLXXXV MMCCXXXXVIII MMMCCLXXVIII MMMDCLXXVIII DCCCI MMMMLXXXXVIIII MMMCCCCLXXII MMCLXXXVII CCLXVI MCDXLIII MMCXXVIII MDXIV CCCXCVIII CLXXVIII MMCXXXXVIIII MMMDCLXXXIV CMLVIII MCDLIX MMMMDCCCXXXII MMMMDCXXXIIII MDCXXI MMMDCXLV MCLXXVIII MCDXXII IV MCDLXXXXIII MMMMDCCLXV CCLI MMMMDCCCXXXVIII DCLXII MCCCLXVII MMMMDCCCXXXVI MMDCCXLI MLXI MMMCDLXVIII MCCCCXCIII XXXIII MMMDCLXIII MMMMDCL DCCCXXXXIIII MMDLVII DXXXVII MCCCCXXIIII MCVII MMMMDCCXL MMMMCXXXXIIII MCCCCXXIV MMCLXVIII MMXCIII MDCCLXXX MCCCLIIII MMDCLXXI MXI MCMLIV MMMCCIIII DCCLXXXVIIII MDCLIV MMMDCXIX CMLXXXI DCCLXXXVII XXV MMMXXXVI MDVIIII CLXIII MMMCDLVIIII MMCCCCVII MMMLXX MXXXXII MMMMCCCLXVIII MMDCCCXXVIII MMMMDCXXXXI MMMMDCCCXXXXV MMMXV MMMMCCXVIIII MMDCCXIIII MMMXXVII MDCCLVIIII MMCXXIIII MCCCLXXIV DCLVIII MMMLVII MMMCXLV MMXCVII MMMCCCLXXXVII MMMMCCXXII DXII MMMDLV MCCCLXXVIII MMMCLIIII MMMMCLXXXX MMMCLXXXIIII MDCXXIII MMMMCCXVI MMMMDLXXXIII MMMDXXXXIII MMMMCCCCLV MMMDLXXXI MMMCCLXXVI MMMMXX MMMMDLVI MCCCCLXXX MMMXXII MMXXII MMDCCCCXXXI MMMDXXV MMMDCLXXXVIIII MMMDLXXXXVII MDLXIIII CMXC MMMXXXVIII MDLXXXVIII MCCCLXXVI MMCDLIX MMDCCCXVIII MDCCCXXXXVI MMMMCMIV MMMMDCIIII MMCCXXXV XXXXVI MMMMCCXVII MMCCXXIV MCMLVIIII MLXXXIX MMMMLXXXIX CLXXXXIX MMMDCCCCLVIII MMMMCCLXXIII MCCCC DCCCLIX MMMCCCLXXXII MMMCCLXVIIII MCLXXXV CDLXXXVII DCVI MMX MMCCXIII MMMMDCXX MMMMXXVIII DCCCLXII MMMMCCCXLIII MMMMCLXV DXCI MMMMCLXXX MMMDCCXXXXI MMMMXXXXVI DCLX MMMCCCXI MCCLXXX MMCDLXXII DCCLXXI MMMCCCXXXVI MCCCCLXXXVIIII CDLVIII DCCLVI MMMMDCXXXVIII MMCCCLXXXIII MMMMDCCLXXV MMMXXXVI CCCLXXXXIX CV CCCCXIII CCCCXVI MDCCCLXXXIIII MMDCCLXXXII MMMMCCCCLXXXI MXXV MMCCCLXXVIIII MMMCCXII MMMMCCXXXIII MMCCCLXXXVI MMMDCCCLVIIII MCCXXXVII MDCLXXV XXXV MMDLI MMMCCXXX MMMMCXXXXV CCCCLIX MMMMDCCCLXXIII MMCCCXVII DCCCXVI MMMCCCXXXXV MDCCCCXCV CLXXXI MMMMDCCLXX MMMDCCCIII MMCLXXVII MMMDCCXXIX MMDCCCXCIIII MMMCDXXIIII MMMMXXVIII MMMMDCCCCLXVIII MDCCCXX MMMMCDXXI MMMMDLXXXIX CCXVI MDVIII MMCCLXXI MMMDCCCLXXI MMMCCCLXXVI MMCCLXI MMMMDCCCXXXIV DLXXXVI MMMMDXXXII MMMXXIIII MMMMCDIV MMMMCCCXLVIII MMMMCXXXVIII MMMCCCLXVI MDCCXVIII MMCXX CCCLIX MMMMDCCLXXII MDCCCLXXV MMMMDCCCXXIV DCCCXXXXVIII MMMDCCCCXXXVIIII MMMMCCXXXV MDCLXXXIII MMCCLXXXIV MCLXXXXIIII DXXXXIII MCCCXXXXVIII MMCLXXIX MMMMCCLXIV MXXII MMMCXIX MDCXXXVII MMDCCVI MCLXXXXVIII MMMCXVI MCCCLX MMMCDX CCLXVIIII MMMCCLX MCXXVIII LXXXII MCCCCLXXXI MMMI MMMCCCLXIV MMMCCCXXVIIII CXXXVIII MMCCCXX MMMCCXXVIIII MCCLXVI MMMCCCCXXXXVI MMDCCXCIX MCMLXXI MMCCLXVIII CDLXXXXIII MMMMDCCXXII MMMMDCCLXXXVII MMMDCCLIV MMCCLXIII MDXXXVII DCCXXXIIII MCII MMMDCCCLXXI MMMLXXIII MDCCCLIII MMXXXVIII MDCCXVIIII MDCCCCXXXVII MMCCCXVI MCMXXII MMMCCCLVIII MMMMDCCCXX MCXXIII MMMDLXI MMMMDXXII MDCCCX MMDXCVIIII MMMDCCCCVIII MMMMDCCCCXXXXVI MMDCCCXXXV MMCXCIV MCMLXXXXIII MMMCCCLXXVI MMMMDCLXXXV CMLXIX DCXCII MMXXVIII MMMMCCCXXX XXXXVIIII
MMMMDCLXXII MMDCCCLXXXIII MMMDLXVIIII MMMMDXCV DCCCLXXII MMCCCVI MMMCDLXXXVII MMMMCCXXI MMMCCXX MMMMDCCCLXXIII MMMCCXXXVII MMCCCLXXXXIX MDCCCXXIIII MMCXCVI CCXCVIII MMMCCCXXXII MDCCXXX MMMDCCCL MMMMCCLXXXVI MMDCCCXCVI MMMDCII MMMCCXII MMMMDCCCCI MMDCCCXCII MDCXX CMLXXXVII MMMXXI MMMMCCCXIV MLXXII MCCLXXVIIII MMMMCCXXXXI MMDCCCLXXII MMMMXXXI MMMDCCLXXX MMDCCCLXXIX MMMMLXXXV MCXXI MDCCCXXXVII MMCCCLXVII MCDXXXV CCXXXIII CMXX MMMCLXIV MCCCLXXXVI DCCCXCVIII MMMDCCCCXXXIV CDXVIIII MMCCXXXV MDCCCXXXII MMMMD MMDCCLXIX MMMMCCCLXXXXVI MMDCCXLII MMMDCCCVIIII DCCLXXXIIII MDCCCCXXXII MMCXXVII DCCCXXX CCLXIX MMMXI MMMMCMLXXXXVIII MMMMDLXXXVII MMMMDCCCLX MMCCLIV CMIX MMDCCCLXXXIIII CLXXXII MMCCCCXXXXV MMMMDLXXXVIIII MMMDCCCXXI MMDCCCCLXXVI MCCCCLXX MMCDLVIIII MMMDCCCLIX MMMMCCCCXIX MMMDCCCLXXV XXXI CDLXXXIII MMMCXV MMDCCLXIII MMDXXX MMMMCCCLVII MMMDCI MMMMCDLXXXIIII MMMMCCCXVI CCCLXXXVIII MMMMCML MMMMXXIV MMMCCCCXXX DCCX MMMCCLX MMDXXXIII CCCLXIII MMDCCXIII MMMCCCXLIV CLXXXXI CXVI MMMMCXXXIII CLXX DCCCXVIII MLXVII DLXXXX MMDXXI MMMMDLXXXXVIII MXXII LXI DCCCCXLIII MMMMDV MMMMXXXIV MDCCCLVIII MMMCCLXXII MMMMDCCXXXVI MMMMLXXXIX MDCCCLXXXI MMMMDCCCXV MMMMCCCCXI MMMMCCCLIII MDCCCLXXI MMCCCCXI MLXV MMCDLXII MMMMDXXXXII MMMMDCCCXL MMMMCMLVI CCLXXXIV MMMDCCLXXXVI MMCLII MMMCCCCXV MMLXXXIII MMMV MMMV DCCLXII MMDCCCCXVI MMDCXLVIII CCLIIII CCCXXV MMDCCLXXXVIIII MMMMDCLXXVIII MMMMDCCCXCI MMMMCCCXX MMCCXLV MMMDCCCLXIX MMCCLXIIII MMMDCCCXLIX MMMMCCCLXIX CMLXXXXI MCMLXXXIX MMCDLXI MMDCLXXVIII MMMMDCCLXI MCDXXV DL CCCLXXII MXVIIII MCCCCLXVIII CIII MMMDCCLXXIIII MMMDVIII MMMMCCCLXXXXVII MMDXXVII MMDCCLXXXXV MMMMCXLVI MMMDCCLXXXII MMMDXXXVI MCXXII CLI DCLXXXIX MMMCLI MDCLXIII MMMMDCCXCVII MMCCCLXXXV MMMDCXXVIII MMMCDLX MMMCMLII MMMIV MMMMDCCCLVIII MMMDLXXXVIII MCXXIV MMMMLXXVI CLXXIX MMMCCCCXXVIIII DCCLXXXV MMMDCCCVI LI CLXXXVI MMMMCCCLXXVI MCCCLXVI CCXXXIX MMDXXXXI MMDCCCXLI DCCCLXXXVIII MMMMDCCCIV MDCCCCXV MMCMVI MMMMCMLXXXXV MMDCCLVI MMMMCCXLVIII DCCCCIIII MMCCCCIII MMMDCCLXXXVIIII MDCCCLXXXXV DVII MMMV DCXXV MMDCCCXCV DCVIII MMCDLXVI MCXXVIII MDCCXCVIII MMDCLX MMMDCCLXIV MMCDLXXVII MMDLXXXIIII MMMMCCCXXII MMMDCCCXLIIII DCCCCLXVII MMMCLXXXXIII MCCXV MMMMDCXI MMMMDCLXXXXV MMMCCCLII MMCMIX MMDCCXXV MMDLXXXVI MMMMDCXXVIIII DCCCCXXXVIIII MMCCXXXIIII MMDCCLXXVIII MDCCLXVIIII MMCCLXXXV MMMMDCCCLXXXVIII MMCMXCI MDXLII MMMMDCCXIV MMMMLI DXXXXIII MMDCCXI MMMMCCLXXXIII MMMDCCCLXXIII MDCLVII MMCD MCCCXXVII MMMMDCCIIII MMMDCCXLVI MMMCLXXXVII MMMCCVIIII MCCCCLXXIX DL DCCCLXXVI MMDXCI MMMMDCCCCXXXVI MMCII MMMDCCCXXXXV MMMCDXLV MMDCXXXXIV MMD MDCCCLXXXX MMDCXLIII MMCCXXXII MMDCXXXXVIIII DCCCLXXI MDXCVIIII MMMMCCLXXVIII MDCLVIIII MMMCCCLXXXIX MDCLXXXV MDLVIII MMMMCCVII MMMMDCXIV MMMCCCLXIIII MMIIII MMMMCCCLXXIII CCIII MMMCCLV MMMDXIII MMMCCCXC MMMDCCCXXI MMMMCCCCXXXII CCCLVI MMMCCCLXXXVI MXVIIII MMMCCCCXIIII CLXVII MMMCCLXX CCCCLXIV MMXXXXII MMMMCCLXXXX MXL CCXVI CCCCLVIIII MMCCCII MCCCLVIII MMMMCCCX MCDLXXXXIV MDCCCXIII MMDCCCXL MMMMCCCXXIII DXXXIV CVI MMMMDCLXXX DCCCVII MMCMLXIIII MMMDCCCXXXIII DCCC MDIII MMCCCLXVI MMMCCCCLXXI MMDCCCCXVIII CCXXXVII CCCXXV MDCCCXII MMMCMV MMMMCMXV MMMMDCXCI DXXI MMCCXLVIIII MMMMCMLII MDLXXX MMDCLXVI CXXI MMMDCCCLIIII MMMCXXI MCCIII MMDCXXXXI CCXCII MMMMDXXXV MMMCCCLXV MMMMDLXV MMMCCCCXXXII MMMCCCVIII DCCCCLXXXXII MMCLXIV MMMMCXI MLXXXXVII MMMCDXXXVIII MDXXII MLV MMMMDLXVI MMMCXII XXXIII MMMMDCCCXXVI MMMLXVIIII MMMLX MMMCDLXVII MDCCCLVII MMCXXXVII MDCCCCXXX MMDCCCLXIII MMMMDCXLIX MMMMCMXLVIII DCCCLXXVIIII MDCCCLIII MMMCMLXI MMMMCCLXI MMDCCCLIII MMMDCCCVI MMDXXXXIX MMCLXXXXV MMDXXX MMMXIII DCLXXIX DCCLXII MMMMDCCLXVIII MDCCXXXXIII CCXXXII MMMMDCXXV MMMCCCXXVIII MDCVIII MMMCLXXXXIIII CLXXXI MDCCCCXXXIII MMMMDCXXX MMMDCXXIV MMMCCXXXVII MCCCXXXXIIII CXVIII MMDCCCCIV MMMMCDLXXV MMMDLXIV MDXCIII MCCLXXXI MMMDCCCXXIV MCXLIII MMMDCCCI MCCLXXX CCXV MMDCCLXXI MMDLXXXIII MMMMDCXVII MMMCMLXV MCLXVIII MMMMCCLXXVI MMMDCCLXVIIII MMMMDCCCIX DLXXXXIX DCCCXXII MMMMIII MMMMCCCLXXVI DCCCXCIII DXXXI MXXXIIII CCXII MMMDCCLXXXIIII MMMCXX MMMCMXXVII DCCCXXXX MMCDXXXVIIII MMMMDCCXVIII LV MMMDCCCCVI MCCCII MMCMLXVIIII MDCCXI MMMMDLXVII MMCCCCLXI MMDCCV MMMCCCXXXIIII MMMMDI MMMDCCCXCV MMDCCLXXXXI MMMDXXVI MMMDCCCLVI MMDCXXX MCCCVII MMMMCCCLXII MMMMXXV MMCMXXV MMLVI MMDXXX MMMMCVII MDC MCCIII MMMMDCC MMCCLXXV MMDCCCXXXXVI MMMMCCCLXV CDXIIII MLXIIII CCV MMMCMXXXI CCCCLXVI MDXXXII MMMMCCCLVIII MMV MMMCLII MCMLI MMDCCXX MMMMCCCCXXXVI MCCLXXXI MMMCMVI DCCXXX MMMMCCCLXV DCCCXI MMMMDCCCXIV CCCXXI MMDLXXV CCCCLXXXX MCCCLXXXXII MMDCIX DCCXLIIII DXIV MMMMCLII CDLXI MMMCXXVII MMMMDCCCCLXIII MMMDCLIIII MCCCCXXXXII MMCCCLX CCCCLIII MDCCLXXVI MCMXXIII MMMMDLXXVIII MMDCCCCLX MMMCCCLXXXX MMMCDXXVI MMMDLVIII CCCLXI MMMMDCXXII MMDCCCXXI MMDCCXIII MMMMCLXXXVI MDCCCCXXVI MDV MMDCCCCLXXVI MMMMCCXXXVII MMMDCCLXXVIIII MMMCCCCLXVII DCCXLI MMCLXXXVIII MCCXXXVI MMDCXLVIII MMMMCXXXII MMMMDCCLXVI MMMMCMLI MMMMCLXV MMMMDCCCXCIV MCCLXXVII LXXVIIII DCCLII MMMCCCXCVI MMMCLV MMDCCCXXXXVIII DCCCXV MXC MMDCCLXXXXVII MMMMCML MMDCCCLXXVIII DXXI MCCCXLI DCLXXXXI MMCCCLXXXXVIII MDCCCCLXXVIII MMMMDXXV MMMDCXXXVI MMMCMXCVII MMXVIIII MMMDCCLXXIV MMMCXXV DXXXVIII MMMMCLXVI MDXII MMCCCLXX CCLXXI DXIV MMMCLIII DLII MMMCCCXLIX MMCCCCXXVI MMDCXLIII MXXXXII CCCLXXXV MDCLXXVI MDCXII MMMCCCLXXXIII MMDCCCCLXXXII MMMMCCCLXXXV MMDCXXI DCCCXXX MMMDCCCCLII MMMDCCXXII MMMMCDXCVIII MMMCCLXVIIII MMXXV MMMMCDXIX MMMMCCCX MMMCCCCLXVI MMMMDCLXXVIIII MMMMDCXXXXIV MMMCMXII MMMMXXXIII MMMMDLXXXII DCCCLIV MDXVIIII MMMCLXXXXV CCCCXX MMDIX MMCMLXXXVIII DCCXLIII DCCLX D MCCCVII MMMMCCCLXXXIII MDCCCLXXIIII MMMDCCCCLXXXVII MMMMCCCVII MMMDCCLXXXXVI CDXXXIV MCCLXVIII MMMMDLX MMMMDXII MMMMCCCCLIIII MCMLXXXXIII MMMMDCCCIII MMDCLXXXIII MDCCCXXXXIV XXXXVII MMMDCCCXXXII MMMDCCCXLII MCXXXV MDCXXVIIII MMMCXXXXIIII MMMMCDXVII MMMDXXIII MMMMCCCCLXI DCLXXXXVIIII LXXXXI CXXXIII MCDX MCCLVII MDCXXXXII MMMCXXIV MMMMLXXXX MMDCCCCXLV MLXXX MMDCCCCLX MCDLIII MMMCCCLXVII MMMMCCCLXXIV MMMDCVIII DCCCCXXIII MMXCI MMDCCIV MMMMDCCCXXXIV CCCLXXI MCCLXXXII MCMIII CCXXXI DCCXXXVIII MMMMDCCXLVIIII MMMMCMXXXV DCCCLXXV DCCXCI MMMMDVII MMMMDCCCLXVIIII CCCXCV MMMMDCCXX MCCCCII MMMCCCXC MMMCCCII MMDCCLXXVII MMDCLIIII CCXLIII MMMDCXVIII MMMCCCIX MCXV MMCCXXV MLXXIIII MDCCXXVI MMMCCCXX MMDLXX MMCCCCVI MMDCCXX MMMMDCCCCXCV MDCCCXXXII MMMMDCCCCXXXX XCIV MMCCCCLX MMXVII MLXXI MMMDXXVIII MDCCCCII MMMCMLVII MMCLXXXXVIII MDCCCCLV MCCCCLXXIIII MCCCLII MCDXLVI MMMMDXVIII DCCLXXXIX MMMDCCLXIV MDCCCCXLIII CLXXXXV MMMMCCXXXVI MMMDCCCXXI MMMMCDLXXVII MCDLIII MMCCXLVI DCCCLV MCDLXX DCLXXVIII MMDCXXXIX MMMMDCLX MMDCCLI MMCXXXV MMMCCXII MMMMCMLXII MMMMCCV MCCCCLXIX MMMMCCIII CLXVII MCCCLXXXXIIII MMMMDCVIII MMDCCCLXI MMLXXIX CMLXIX MMDCCCXLVIIII DCLXII MMMCCCXLVII MDCCCXXXV MMMMDCCXCVI DCXXX XXVI MMLXIX MMCXI DCXXXVII MMMMCCCXXXXVIII MMMMDCLXI MMMMDCLXXIIII MMMMVIII MMMMDCCCLXII MDCXCI MMCCCXXIIII CCCCXXXXV MMDCCCXXI MCVI MMDCCLXVIII MMMMCXL MLXVIII CMXXVII CCCLV MDCCLXXXIX MMMCCCCLXV MMDCCLXII MDLXVI MMMCCCXVIII MMMMCCLXXXI MMCXXVII MMDCCCLXVIII MMMCXCII MMMMDCLVIII MMMMDCCCXXXXII MMDCCCCLXXXXVI MDCCXL MDCCLVII MMMMDCCCLXXXVI DCCXXXIII MMMMDCCCCLXXXV MMCCXXXXVIII MMMCCLXXVIII MMMDCLXXVIII DCCCI MMMMLXXXXVIIII MMMCCCCLXXII MMCLXXXVII CCLXVI MCDXLIII MMCXXVIII MDXIV CCCXCVIII CLXXVIII MMCXXXXVIIII MMMDCLXXXIV CMLVIII MCDLIX MMMMDCCCXXXII MMMMDCXXXIIII MDCXXI MMMDCXLV MCLXXVIII MCDXXII IV MCDLXXXXIII MMMMDCCLXV CCLI MMMMDCCCXXXVIII DCLXII MCCCLXVII MMMMDCCCXXXVI MMDCCXLI MLXI MMMCDLXVIII MCCCCXCIII XXXIII MMMDCLXIII MMMMDCL DCCCXXXXIIII MMDLVII DXXXVII MCCCCXXIIII MCVII MMMMDCCXL MMMMCXXXXIIII MCCCCXXIV MMCLXVIII MMXCIII MDCCLXXX MCCCLIIII MMDCLXXI MXI MCMLIV MMMCCIIII DCCLXXXVIIII MDCLIV MMMDCXIX CMLXXXI DCCLXXXVII XXV MMMXXXVI MDVIIII CLXIII MMMCDLVIIII MMCCCCVII MMMLXX MXXXXII MMMMCCCLXVIII MMDCCCXXVIII MMMMDCXXXXI MMMMDCCCXXXXV MMMXV MMMMCCXVIIII MMDCCXIIII MMMXXVII MDCCLVIIII MMCXXIIII MCCCLXXIV DCLVIII MMMLVII MMMCXLV MMXCVII MMMCCCLXXXVII MMMMCCXXII DXII MMMDLV MCCCLXXVIII MMMCLIIII MMMMCLXXXX MMMCLXXXIIII MDCXXIII MMMMCCXVI MMMMDLXXXIII MMMDXXXXIII MMMMCCCCLV MMMDLXXXI MMMCCLXXVI MMMMXX MMMMDLVI MCCCCLXXX MMMXXII MMXXII MMDCCCCXXXI MMMDXXV MMMDCLXXXVIIII MMMDLXXXXVII MDLXIIII CMXC MMMXXXVIII MDLXXXVIII MCCCLXXVI MMCDLIX MMDCCCXVIII MDCCCXXXXVI MMMMCMIV MMMMDCIIII MMCCXXXV XXXXVI MMMMCCXVII MMCCXXIV MCMLVIIII MLXXXIX MMMMLXXXIX CLXXXXIX MMMDCCCCLVIII MMMMCCLXXIII MCCCC DCCCLIX MMMCCCLXXXII MMMCCLXVIIII MCLXXXV CDLXXXVII DCVI MMX MMCCXIII MMMMDCXX MMMMXXVIII DCCCLXII MMMMCCCXLIII MMMMCLXV DXCI MMMMCLXXX MMMDCCXXXXI MMMMXXXXVI DCLX MMMCCCXI MCCLXXX MMCDLXXII DCCLXXI MMMCCCXXXVI MCCCCLXXXVIIII CDLVIII DCCLVI MMMMDCXXXVIII MMCCCLXXXIII MMMMDCCLXXV MMMXXXVI CCCLXXXXIX CV CCCCXIII CCCCXVI MDCCCLXXXIIII MMDCCLXXXII MMMMCCCCLXXXI MXXV MMCCCLXXVIIII MMMCCXII MMMMCCXXXIII MMCCCLXXXVI MMMDCCCLVIIII MCCXXXVII MDCLXXV XXXV MMDLI MMMCCXXX MMMMCXXXXV CCCCLIX MMMMDCCCLXXIII MMCCCXVII DCCCXVI MMMCCCXXXXV MDCCCCXCV CLXXXI MMMMDCCLXX MMMDCCCIII MMCLXXVII MMMDCCXXIX MMDCCCXCIIII MMMCDXXIIII MMMMXXVIII MMMMDCCCCLXVIII MDCCCXX MMMMCDXXI MMMMDLXXXIX CCXVI MDVIII MMCCLXXI MMMDCCCLXXI MMMCCCLXXVI MMCCLXI MMMMDCCCXXXIV DLXXXVI MMMMDXXXII MMMXXIIII MMMMCDIV MMMMCCCXLVIII MMMMCXXXVIII MMMCCCLXVI MDCCXVIII MMCXX CCCLIX MMMMDCCLXXII MDCCCLXXV MMMMDCCCXXIV DCCCXXXXVIII MMMDCCCCXXXVIIII MMMMCCXXXV MDCLXXXIII MMCCLXXXIV MCLXXXXIIII DXXXXIII MCCCXXXXVIII MMCLXXIX MMMMCCLXIV MXXII MMMCXIX MDCXXXVII MMDCCVI MCLXXXXVIII MMMCXVI MCCCLX MMMCDX CCLXVIIII MMMCCLX MCXXVIII LXXXII MCCCCLXXXI MMMI MMMCCCLXIV MMMCCCXXVIIII CXXXVIII MMCCCXX MMMCCXXVIIII MCCLXVI MMMCCCCXXXXVI MMDCCXCIX MCMLXXI MMCCLXVIII CDLXXXXIII MMMMDCCXXII MMMMDCCLXXXVII MMMDCCLIV MMCCLXIII MDXXXVII DCCXXXIIII MCII MMMDCCCLXXI MMMLXXIII MDCCCLIII MMXXXVIII MDCCXVIIII MDCCCCXXXVII MMCCCXVI MCMXXII MMMCCCLVIII MMMMDCCCXX MCXXIII MMMDLXI MMMMDXXII MDCCCX MMDXCVIIII MMMDCCCCVIII MMMMDCCCCXXXXVI MMDCCCXXXV MMCXCIV MCMLXXXXIII MMMCCCLXXVI MMMMDCLXXXV CMLXIX DCXCII MMXXVIII MMMMCCCXXX XXXXVIIII
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Linear algebra library for Python This module contains classes and functions for doing linear algebra. --- ## Overview ### class Vector - - This class represents a vector of arbitrary size and related operations. **Overview of the methods:** - constructor(components) : init the vector - set(components) : changes the vector components. - \_\_str\_\_() : toString method - component(i): gets the i-th component (0-indexed) - \_\_len\_\_() : gets the size / length of the vector (number of components) - euclidean_length() : returns the eulidean length of the vector - operator + : vector addition - operator - : vector subtraction - operator * : scalar multiplication and dot product - copy() : copies this vector and returns it - change_component(pos,value) : changes the specified component - function zero_vector(dimension) - returns a zero vector of 'dimension' - function unit_basis_vector(dimension, pos) - returns a unit basis vector with a one at index 'pos' (0-indexed) - function axpy(scalar, vector1, vector2) - computes the axpy operation - function random_vector(N, a, b) - returns a random vector of size N, with random integer components between 'a' and 'b' inclusive ### class Matrix - - This class represents a matrix of arbitrary size and operations on it. **Overview of the methods:** - \_\_str\_\_() : returns a string representation - operator * : implements the matrix vector multiplication implements the matrix-scalar multiplication. - change_component(x, y, value) : changes the specified component. - component(x, y) : returns the specified component. - width() : returns the width of the matrix - height() : returns the height of the matrix - determinant() : returns the determinant of the matrix if it is square - operator + : implements the matrix-addition. - operator - : implements the matrix-subtraction - function square_zero_matrix(N) - returns a square zero-matrix of dimension NxN - function random_matrix(W, H, a, b) - returns a random matrix WxH with integer components between 'a' and 'b' inclusive --- ## Documentation This module uses docstrings to enable the use of Python's in-built `help(...)` function. For instance, try `help(Vector)`, `help(unit_basis_vector)`, and `help(CLASSNAME.METHODNAME)`. --- ## Usage Import the module `lib.py` from the **src** directory into your project. Alternatively, you can directly use the Python bytecode file `lib.pyc`. --- ## Tests `src/tests.py` contains Python unit tests which can be run with `python3 -m unittest -v`.
# Linear algebra library for Python This module contains classes and functions for doing linear algebra. --- ## Overview ### class Vector - - This class represents a vector of arbitrary size and related operations. **Overview of the methods:** - constructor(components) : init the vector - set(components) : changes the vector components. - \_\_str\_\_() : toString method - component(i): gets the i-th component (0-indexed) - \_\_len\_\_() : gets the size / length of the vector (number of components) - euclidean_length() : returns the eulidean length of the vector - operator + : vector addition - operator - : vector subtraction - operator * : scalar multiplication and dot product - copy() : copies this vector and returns it - change_component(pos,value) : changes the specified component - function zero_vector(dimension) - returns a zero vector of 'dimension' - function unit_basis_vector(dimension, pos) - returns a unit basis vector with a one at index 'pos' (0-indexed) - function axpy(scalar, vector1, vector2) - computes the axpy operation - function random_vector(N, a, b) - returns a random vector of size N, with random integer components between 'a' and 'b' inclusive ### class Matrix - - This class represents a matrix of arbitrary size and operations on it. **Overview of the methods:** - \_\_str\_\_() : returns a string representation - operator * : implements the matrix vector multiplication implements the matrix-scalar multiplication. - change_component(x, y, value) : changes the specified component. - component(x, y) : returns the specified component. - width() : returns the width of the matrix - height() : returns the height of the matrix - determinant() : returns the determinant of the matrix if it is square - operator + : implements the matrix-addition. - operator - : implements the matrix-subtraction - function square_zero_matrix(N) - returns a square zero-matrix of dimension NxN - function random_matrix(W, H, a, b) - returns a random matrix WxH with integer components between 'a' and 'b' inclusive --- ## Documentation This module uses docstrings to enable the use of Python's in-built `help(...)` function. For instance, try `help(Vector)`, `help(unit_basis_vector)`, and `help(CLASSNAME.METHODNAME)`. --- ## Usage Import the module `lib.py` from the **src** directory into your project. Alternatively, you can directly use the Python bytecode file `lib.pyc`. --- ## Tests `src/tests.py` contains Python unit tests which can be run with `python3 -m unittest -v`.
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
on: pull_request: # Run only if a file is changed within the project_euler directory and related files paths: - "project_euler/**" - ".github/workflows/project_euler.yml" - "scripts/validate_solutions.py" schedule: - cron: "0 0 * * *" # Run everyday name: "Project Euler" jobs: project-euler: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 - name: Install pytest and pytest-cov run: | python -m pip install --upgrade pip python -m pip install --upgrade pytest pytest-cov - run: pytest --doctest-modules --cov-report=term-missing:skip-covered --cov=project_euler/ project_euler/ validate-solutions: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 - name: Install pytest and requests run: | python -m pip install --upgrade pip python -m pip install --upgrade pytest requests - run: pytest scripts/validate_solutions.py env: GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
on: pull_request: # Run only if a file is changed within the project_euler directory and related files paths: - "project_euler/**" - ".github/workflows/project_euler.yml" - "scripts/validate_solutions.py" schedule: - cron: "0 0 * * *" # Run everyday name: "Project Euler" jobs: project-euler: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 - name: Install pytest and pytest-cov run: | python -m pip install --upgrade pip python -m pip install --upgrade pytest pytest-cov - run: pytest --doctest-modules --cov-report=term-missing:skip-covered --cov=project_euler/ project_euler/ validate-solutions: runs-on: ubuntu-latest steps: - uses: actions/checkout@v2 - uses: actions/setup-python@v2 - name: Install pytest and requests run: | python -m pip install --upgrade pip python -m pip install --upgrade pytest requests - run: pytest scripts/validate_solutions.py env: GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
519432,525806 632382,518061 78864,613712 466580,530130 780495,510032 525895,525320 15991,714883 960290,502358 760018,511029 166800,575487 210884,564478 555151,523163 681146,515199 563395,522587 738250,512126 923525,503780 595148,520429 177108,572629 750923,511482 440902,532446 881418,505504 422489,534197 979858,501616 685893,514935 747477,511661 167214,575367 234140,559696 940238,503122 728969,512609 232083,560102 900971,504694 688801,514772 189664,569402 891022,505104 445689,531996 119570,591871 821453,508118 371084,539600 911745,504251 623655,518600 144361,582486 352442,541775 420726,534367 295298,549387 6530,787777 468397,529976 672336,515696 431861,533289 84228,610150 805376,508857 444409,532117 33833,663511 381850,538396 402931,536157 92901,604930 304825,548004 731917,512452 753734,511344 51894,637373 151578,580103 295075,549421 303590,548183 333594,544123 683952,515042 60090,628880 951420,502692 28335,674991 714940,513349 343858,542826 549279,523586 804571,508887 260653,554881 291399,549966 402342,536213 408889,535550 40328,652524 375856,539061 768907,510590 165993,575715 976327,501755 898500,504795 360404,540830 478714,529095 694144,514472 488726,528258 841380,507226 328012,544839 22389,690868 604053,519852 329514,544641 772965,510390 492798,527927 30125,670983 895603,504906 450785,531539 840237,507276 380711,538522 63577,625673 76801,615157 502694,527123 597706,520257 310484,547206 944468,502959 121283,591152 451131,531507 566499,522367 425373,533918 40240,652665 39130,654392 714926,513355 469219,529903 806929,508783 287970,550487 92189,605332 103841,599094 671839,515725 452048,531421 987837,501323 935192,503321 88585,607450 613883,519216 144551,582413 647359,517155 213902,563816 184120,570789 258126,555322 502546,527130 407655,535678 401528,536306 477490,529193 841085,507237 732831,512408 833000,507595 904694,504542 581435,521348 455545,531110 873558,505829 94916,603796 720176,513068 545034,523891 246348,557409 556452,523079 832015,507634 173663,573564 502634,527125 250732,556611 569786,522139 216919,563178 521815,525623 92304,605270 164446,576167 753413,511364 11410,740712 448845,531712 925072,503725 564888,522477 7062,780812 641155,517535 738878,512100 636204,517828 372540,539436 443162,532237 571192,522042 655350,516680 299741,548735 581914,521307 965471,502156 513441,526277 808682,508700 237589,559034 543300,524025 804712,508889 247511,557192 543486,524008 504383,526992 326529,545039 792493,509458 86033,609017 126554,589005 579379,521481 948026,502823 404777,535969 265767,554022 266876,553840 46631,643714 492397,527958 856106,506581 795757,509305 748946,511584 294694,549480 409781,535463 775887,510253 543747,523991 210592,564536 517119,525990 520253,525751 247926,557124 592141,520626 346580,542492 544969,523902 506501,526817 244520,557738 144745,582349 69274,620858 292620,549784 926027,503687 736320,512225 515528,526113 407549,535688 848089,506927 24141,685711 9224,757964 980684,501586 175259,573121 489160,528216 878970,505604 969546,502002 525207,525365 690461,514675 156510,578551 659778,516426 468739,529945 765252,510770 76703,615230 165151,575959 29779,671736 928865,503569 577538,521605 927555,503618 185377,570477 974756,501809 800130,509093 217016,563153 365709,540216 774508,510320 588716,520851 631673,518104 954076,502590 777828,510161 990659,501222 597799,520254 786905,509727 512547,526348 756449,511212 869787,505988 653747,516779 84623,609900 839698,507295 30159,670909 797275,509234 678136,515373 897144,504851 989554,501263 413292,535106 55297,633667 788650,509637 486748,528417 150724,580377 56434,632490 77207,614869 588631,520859 611619,519367 100006,601055 528924,525093 190225,569257 851155,506789 682593,515114 613043,519275 514673,526183 877634,505655 878905,505602 1926,914951 613245,519259 152481,579816 841774,507203 71060,619442 865335,506175 90244,606469 302156,548388 399059,536557 478465,529113 558601,522925 69132,620966 267663,553700 988276,501310 378354,538787 529909,525014 161733,576968 758541,511109 823425,508024 149821,580667 269258,553438 481152,528891 120871,591322 972322,501901 981350,501567 676129,515483 950860,502717 119000,592114 392252,537272 191618,568919 946699,502874 289555,550247 799322,509139 703886,513942 194812,568143 261823,554685 203052,566221 217330,563093 734748,512313 391759,537328 807052,508777 564467,522510 59186,629748 113447,594545 518063,525916 905944,504492 613922,519213 439093,532607 445946,531981 230530,560399 297887,549007 459029,530797 403692,536075 855118,506616 963127,502245 841711,507208 407411,535699 924729,503735 914823,504132 333725,544101 176345,572832 912507,504225 411273,535308 259774,555036 632853,518038 119723,591801 163902,576321 22691,689944 402427,536212 175769,572988 837260,507402 603432,519893 313679,546767 538165,524394 549026,523608 61083,627945 898345,504798 992556,501153 369999,539727 32847,665404 891292,505088 152715,579732 824104,507997 234057,559711 730507,512532 960529,502340 388395,537687 958170,502437 57105,631806 186025,570311 993043,501133 576770,521664 215319,563513 927342,503628 521353,525666 39563,653705 752516,511408 110755,595770 309749,547305 374379,539224 919184,503952 990652,501226 647780,517135 187177,570017 168938,574877 649558,517023 278126,552016 162039,576868 658512,516499 498115,527486 896583,504868 561170,522740 747772,511647 775093,510294 652081,516882 724905,512824 499707,527365 47388,642755 646668,517204 571700,522007 180430,571747 710015,513617 435522,532941 98137,602041 759176,511070 486124,528467 526942,525236 878921,505604 408313,535602 926980,503640 882353,505459 566887,522345 3326,853312 911981,504248 416309,534800 392991,537199 622829,518651 148647,581055 496483,527624 666314,516044 48562,641293 672618,515684 443676,532187 274065,552661 265386,554079 347668,542358 31816,667448 181575,571446 961289,502320 365689,540214 987950,501317 932299,503440 27388,677243 746701,511701 492258,527969 147823,581323 57918,630985 838849,507333 678038,515375 27852,676130 850241,506828 818403,508253 131717,587014 850216,506834 904848,504529 189758,569380 392845,537217 470876,529761 925353,503711 285431,550877 454098,531234 823910,508003 318493,546112 766067,510730 261277,554775 421530,534289 694130,514478 120439,591498 213308,563949 854063,506662 365255,540263 165437,575872 662240,516281 289970,550181 847977,506933 546083,523816 413252,535113 975829,501767 361540,540701 235522,559435 224643,561577 736350,512229 328303,544808 35022,661330 307838,547578 474366,529458 873755,505819 73978,617220 827387,507845 670830,515791 326511,545034 309909,547285 400970,536363 884827,505352 718307,513175 28462,674699 599384,520150 253565,556111 284009,551093 343403,542876 446557,531921 992372,501160 961601,502308 696629,514342 919537,503945 894709,504944 892201,505051 358160,541097 448503,531745 832156,507636 920045,503924 926137,503675 416754,534757 254422,555966 92498,605151 826833,507873 660716,516371 689335,514746 160045,577467 814642,508425 969939,501993 242856,558047 76302,615517 472083,529653 587101,520964 99066,601543 498005,527503 709800,513624 708000,513716 20171,698134 285020,550936 266564,553891 981563,501557 846502,506991 334,1190800 209268,564829 9844,752610 996519,501007 410059,535426 432931,533188 848012,506929 966803,502110 983434,501486 160700,577267 504374,526989 832061,507640 392825,537214 443842,532165 440352,532492 745125,511776 13718,726392 661753,516312 70500,619875 436952,532814 424724,533973 21954,692224 262490,554567 716622,513264 907584,504425 60086,628882 837123,507412 971345,501940 947162,502855 139920,584021 68330,621624 666452,516038 731446,512481 953350,502619 183157,571042 845400,507045 651548,516910 20399,697344 861779,506331 629771,518229 801706,509026 189207,569512 737501,512168 719272,513115 479285,529045 136046,585401 896746,504860 891735,505067 684771,514999 865309,506184 379066,538702 503117,527090 621780,518717 209518,564775 677135,515423 987500,501340 197049,567613 329315,544673 236756,559196 357092,541226 520440,525733 213471,563911 956852,502490 702223,514032 404943,535955 178880,572152 689477,514734 691351,514630 866669,506128 370561,539656 739805,512051 71060,619441 624861,518534 261660,554714 366137,540160 166054,575698 601878,519990 153445,579501 279899,551729 379166,538691 423209,534125 675310,515526 145641,582050 691353,514627 917468,504026 284778,550976 81040,612235 161699,576978 616394,519057 767490,510661 156896,578431 427408,533714 254849,555884 737217,512182 897133,504851 203815,566051 270822,553189 135854,585475 778805,510111 784373,509847 305426,547921 733418,512375 732087,512448 540668,524215 702898,513996 628057,518328 640280,517587 422405,534204 10604,746569 746038,511733 839808,507293 457417,530938 479030,529064 341758,543090 620223,518824 251661,556451 561790,522696 497733,527521 724201,512863 489217,528217 415623,534867 624610,518548 847541,506953 432295,533249 400391,536421 961158,502319 139173,584284 421225,534315 579083,521501 74274,617000 701142,514087 374465,539219 217814,562985 358972,540995 88629,607424 288597,550389 285819,550812 538400,524385 809930,508645 738326,512126 955461,502535 163829,576343 826475,507891 376488,538987 102234,599905 114650,594002 52815,636341 434037,533082 804744,508880 98385,601905 856620,506559 220057,562517 844734,507078 150677,580387 558697,522917 621751,518719 207067,565321 135297,585677 932968,503404 604456,519822 579728,521462 244138,557813 706487,513800 711627,513523 853833,506674 497220,527562 59428,629511 564845,522486 623621,518603 242689,558077 125091,589591 363819,540432 686453,514901 656813,516594 489901,528155 386380,537905 542819,524052 243987,557841 693412,514514 488484,528271 896331,504881 336730,543721 728298,512647 604215,519840 153729,579413 595687,520398 540360,524240 245779,557511 924873,503730 509628,526577 528523,525122 3509,847707 522756,525555 895447,504922 44840,646067 45860,644715 463487,530404 398164,536654 894483,504959 619415,518874 966306,502129 990922,501212 835756,507474 548881,523618 453578,531282 474993,529410 80085,612879 737091,512193 50789,638638 979768,501620 792018,509483 665001,516122 86552,608694 462772,530469 589233,520821 891694,505072 592605,520594 209645,564741 42531,649269 554376,523226 803814,508929 334157,544042 175836,572970 868379,506051 658166,516520 278203,551995 966198,502126 627162,518387 296774,549165 311803,547027 843797,507118 702304,514032 563875,522553 33103,664910 191932,568841 543514,524006 506835,526794 868368,506052 847025,506971 678623,515342 876139,505726 571997,521984 598632,520198 213590,563892 625404,518497 726508,512738 689426,514738 332495,544264 411366,535302 242546,558110 315209,546555 797544,509219 93889,604371 858879,506454 124906,589666 449072,531693 235960,559345 642403,517454 720567,513047 705534,513858 603692,519870 488137,528302 157370,578285 63515,625730 666326,516041 619226,518883 443613,532186 597717,520257 96225,603069 86940,608450 40725,651929 460976,530625 268875,553508 270671,553214 363254,540500 384248,538137 762889,510892 377941,538833 278878,551890 176615,572755 860008,506412 944392,502967 608395,519571 225283,561450 45095,645728 333798,544090 625733,518476 995584,501037 506135,526853 238050,558952 557943,522972 530978,524938 634244,517949 177168,572616 85200,609541 953043,502630 523661,525484 999295,500902 840803,507246 961490,502312 471747,529685 380705,538523 911180,504275 334149,544046 478992,529065 325789,545133 335884,543826 426976,533760 749007,511582 667067,516000 607586,519623 674054,515599 188534,569675 565185,522464 172090,573988 87592,608052 907432,504424 8912,760841 928318,503590 757917,511138 718693,513153 315141,546566 728326,512645 353492,541647 638429,517695 628892,518280 877286,505672 620895,518778 385878,537959 423311,534113 633501,517997 884833,505360 883402,505416 999665,500894 708395,513697 548142,523667 756491,511205 987352,501340 766520,510705 591775,520647 833758,507563 843890,507108 925551,503698 74816,616598 646942,517187 354923,541481 256291,555638 634470,517942 930904,503494 134221,586071 282663,551304 986070,501394 123636,590176 123678,590164 481717,528841 423076,534137 866246,506145 93313,604697 783632,509880 317066,546304 502977,527103 141272,583545 71708,618938 617748,518975 581190,521362 193824,568382 682368,515131 352956,541712 351375,541905 505362,526909 905165,504518 128645,588188 267143,553787 158409,577965 482776,528754 628896,518282 485233,528547 563606,522574 111001,595655 115920,593445 365510,540237 959724,502374 938763,503184 930044,503520 970959,501956 913658,504176 68117,621790 989729,501253 567697,522288 820427,508163 54236,634794 291557,549938 124961,589646 403177,536130 405421,535899 410233,535417 815111,508403 213176,563974 83099,610879 998588,500934 513640,526263 129817,587733 1820,921851 287584,550539 299160,548820 860621,506386 529258,525059 586297,521017 953406,502616 441234,532410 986217,501386 781938,509957 461247,530595 735424,512277 146623,581722 839838,507288 510667,526494 935085,503327 737523,512167 303455,548204 992779,501145 60240,628739 939095,503174 794368,509370 501825,527189 459028,530798 884641,505363 512287,526364 835165,507499 307723,547590 160587,577304 735043,512300 493289,527887 110717,595785 306480,547772 318593,546089 179810,571911 200531,566799 314999,546580 197020,567622 301465,548487 237808,559000 131944,586923 882527,505449 468117,530003 711319,513541 156240,578628 965452,502162 992756,501148 437959,532715 739938,512046 614249,519196 391496,537356 62746,626418 688215,514806 75501,616091 883573,505412 558824,522910 759371,511061 173913,573489 891351,505089 727464,512693 164833,576051 812317,508529 540320,524243 698061,514257 69149,620952 471673,529694 159092,577753 428134,533653 89997,606608 711061,513557 779403,510081 203327,566155 798176,509187 667688,515963 636120,517833 137410,584913 217615,563034 556887,523038 667229,515991 672276,515708 325361,545187 172115,573985 13846,725685
519432,525806 632382,518061 78864,613712 466580,530130 780495,510032 525895,525320 15991,714883 960290,502358 760018,511029 166800,575487 210884,564478 555151,523163 681146,515199 563395,522587 738250,512126 923525,503780 595148,520429 177108,572629 750923,511482 440902,532446 881418,505504 422489,534197 979858,501616 685893,514935 747477,511661 167214,575367 234140,559696 940238,503122 728969,512609 232083,560102 900971,504694 688801,514772 189664,569402 891022,505104 445689,531996 119570,591871 821453,508118 371084,539600 911745,504251 623655,518600 144361,582486 352442,541775 420726,534367 295298,549387 6530,787777 468397,529976 672336,515696 431861,533289 84228,610150 805376,508857 444409,532117 33833,663511 381850,538396 402931,536157 92901,604930 304825,548004 731917,512452 753734,511344 51894,637373 151578,580103 295075,549421 303590,548183 333594,544123 683952,515042 60090,628880 951420,502692 28335,674991 714940,513349 343858,542826 549279,523586 804571,508887 260653,554881 291399,549966 402342,536213 408889,535550 40328,652524 375856,539061 768907,510590 165993,575715 976327,501755 898500,504795 360404,540830 478714,529095 694144,514472 488726,528258 841380,507226 328012,544839 22389,690868 604053,519852 329514,544641 772965,510390 492798,527927 30125,670983 895603,504906 450785,531539 840237,507276 380711,538522 63577,625673 76801,615157 502694,527123 597706,520257 310484,547206 944468,502959 121283,591152 451131,531507 566499,522367 425373,533918 40240,652665 39130,654392 714926,513355 469219,529903 806929,508783 287970,550487 92189,605332 103841,599094 671839,515725 452048,531421 987837,501323 935192,503321 88585,607450 613883,519216 144551,582413 647359,517155 213902,563816 184120,570789 258126,555322 502546,527130 407655,535678 401528,536306 477490,529193 841085,507237 732831,512408 833000,507595 904694,504542 581435,521348 455545,531110 873558,505829 94916,603796 720176,513068 545034,523891 246348,557409 556452,523079 832015,507634 173663,573564 502634,527125 250732,556611 569786,522139 216919,563178 521815,525623 92304,605270 164446,576167 753413,511364 11410,740712 448845,531712 925072,503725 564888,522477 7062,780812 641155,517535 738878,512100 636204,517828 372540,539436 443162,532237 571192,522042 655350,516680 299741,548735 581914,521307 965471,502156 513441,526277 808682,508700 237589,559034 543300,524025 804712,508889 247511,557192 543486,524008 504383,526992 326529,545039 792493,509458 86033,609017 126554,589005 579379,521481 948026,502823 404777,535969 265767,554022 266876,553840 46631,643714 492397,527958 856106,506581 795757,509305 748946,511584 294694,549480 409781,535463 775887,510253 543747,523991 210592,564536 517119,525990 520253,525751 247926,557124 592141,520626 346580,542492 544969,523902 506501,526817 244520,557738 144745,582349 69274,620858 292620,549784 926027,503687 736320,512225 515528,526113 407549,535688 848089,506927 24141,685711 9224,757964 980684,501586 175259,573121 489160,528216 878970,505604 969546,502002 525207,525365 690461,514675 156510,578551 659778,516426 468739,529945 765252,510770 76703,615230 165151,575959 29779,671736 928865,503569 577538,521605 927555,503618 185377,570477 974756,501809 800130,509093 217016,563153 365709,540216 774508,510320 588716,520851 631673,518104 954076,502590 777828,510161 990659,501222 597799,520254 786905,509727 512547,526348 756449,511212 869787,505988 653747,516779 84623,609900 839698,507295 30159,670909 797275,509234 678136,515373 897144,504851 989554,501263 413292,535106 55297,633667 788650,509637 486748,528417 150724,580377 56434,632490 77207,614869 588631,520859 611619,519367 100006,601055 528924,525093 190225,569257 851155,506789 682593,515114 613043,519275 514673,526183 877634,505655 878905,505602 1926,914951 613245,519259 152481,579816 841774,507203 71060,619442 865335,506175 90244,606469 302156,548388 399059,536557 478465,529113 558601,522925 69132,620966 267663,553700 988276,501310 378354,538787 529909,525014 161733,576968 758541,511109 823425,508024 149821,580667 269258,553438 481152,528891 120871,591322 972322,501901 981350,501567 676129,515483 950860,502717 119000,592114 392252,537272 191618,568919 946699,502874 289555,550247 799322,509139 703886,513942 194812,568143 261823,554685 203052,566221 217330,563093 734748,512313 391759,537328 807052,508777 564467,522510 59186,629748 113447,594545 518063,525916 905944,504492 613922,519213 439093,532607 445946,531981 230530,560399 297887,549007 459029,530797 403692,536075 855118,506616 963127,502245 841711,507208 407411,535699 924729,503735 914823,504132 333725,544101 176345,572832 912507,504225 411273,535308 259774,555036 632853,518038 119723,591801 163902,576321 22691,689944 402427,536212 175769,572988 837260,507402 603432,519893 313679,546767 538165,524394 549026,523608 61083,627945 898345,504798 992556,501153 369999,539727 32847,665404 891292,505088 152715,579732 824104,507997 234057,559711 730507,512532 960529,502340 388395,537687 958170,502437 57105,631806 186025,570311 993043,501133 576770,521664 215319,563513 927342,503628 521353,525666 39563,653705 752516,511408 110755,595770 309749,547305 374379,539224 919184,503952 990652,501226 647780,517135 187177,570017 168938,574877 649558,517023 278126,552016 162039,576868 658512,516499 498115,527486 896583,504868 561170,522740 747772,511647 775093,510294 652081,516882 724905,512824 499707,527365 47388,642755 646668,517204 571700,522007 180430,571747 710015,513617 435522,532941 98137,602041 759176,511070 486124,528467 526942,525236 878921,505604 408313,535602 926980,503640 882353,505459 566887,522345 3326,853312 911981,504248 416309,534800 392991,537199 622829,518651 148647,581055 496483,527624 666314,516044 48562,641293 672618,515684 443676,532187 274065,552661 265386,554079 347668,542358 31816,667448 181575,571446 961289,502320 365689,540214 987950,501317 932299,503440 27388,677243 746701,511701 492258,527969 147823,581323 57918,630985 838849,507333 678038,515375 27852,676130 850241,506828 818403,508253 131717,587014 850216,506834 904848,504529 189758,569380 392845,537217 470876,529761 925353,503711 285431,550877 454098,531234 823910,508003 318493,546112 766067,510730 261277,554775 421530,534289 694130,514478 120439,591498 213308,563949 854063,506662 365255,540263 165437,575872 662240,516281 289970,550181 847977,506933 546083,523816 413252,535113 975829,501767 361540,540701 235522,559435 224643,561577 736350,512229 328303,544808 35022,661330 307838,547578 474366,529458 873755,505819 73978,617220 827387,507845 670830,515791 326511,545034 309909,547285 400970,536363 884827,505352 718307,513175 28462,674699 599384,520150 253565,556111 284009,551093 343403,542876 446557,531921 992372,501160 961601,502308 696629,514342 919537,503945 894709,504944 892201,505051 358160,541097 448503,531745 832156,507636 920045,503924 926137,503675 416754,534757 254422,555966 92498,605151 826833,507873 660716,516371 689335,514746 160045,577467 814642,508425 969939,501993 242856,558047 76302,615517 472083,529653 587101,520964 99066,601543 498005,527503 709800,513624 708000,513716 20171,698134 285020,550936 266564,553891 981563,501557 846502,506991 334,1190800 209268,564829 9844,752610 996519,501007 410059,535426 432931,533188 848012,506929 966803,502110 983434,501486 160700,577267 504374,526989 832061,507640 392825,537214 443842,532165 440352,532492 745125,511776 13718,726392 661753,516312 70500,619875 436952,532814 424724,533973 21954,692224 262490,554567 716622,513264 907584,504425 60086,628882 837123,507412 971345,501940 947162,502855 139920,584021 68330,621624 666452,516038 731446,512481 953350,502619 183157,571042 845400,507045 651548,516910 20399,697344 861779,506331 629771,518229 801706,509026 189207,569512 737501,512168 719272,513115 479285,529045 136046,585401 896746,504860 891735,505067 684771,514999 865309,506184 379066,538702 503117,527090 621780,518717 209518,564775 677135,515423 987500,501340 197049,567613 329315,544673 236756,559196 357092,541226 520440,525733 213471,563911 956852,502490 702223,514032 404943,535955 178880,572152 689477,514734 691351,514630 866669,506128 370561,539656 739805,512051 71060,619441 624861,518534 261660,554714 366137,540160 166054,575698 601878,519990 153445,579501 279899,551729 379166,538691 423209,534125 675310,515526 145641,582050 691353,514627 917468,504026 284778,550976 81040,612235 161699,576978 616394,519057 767490,510661 156896,578431 427408,533714 254849,555884 737217,512182 897133,504851 203815,566051 270822,553189 135854,585475 778805,510111 784373,509847 305426,547921 733418,512375 732087,512448 540668,524215 702898,513996 628057,518328 640280,517587 422405,534204 10604,746569 746038,511733 839808,507293 457417,530938 479030,529064 341758,543090 620223,518824 251661,556451 561790,522696 497733,527521 724201,512863 489217,528217 415623,534867 624610,518548 847541,506953 432295,533249 400391,536421 961158,502319 139173,584284 421225,534315 579083,521501 74274,617000 701142,514087 374465,539219 217814,562985 358972,540995 88629,607424 288597,550389 285819,550812 538400,524385 809930,508645 738326,512126 955461,502535 163829,576343 826475,507891 376488,538987 102234,599905 114650,594002 52815,636341 434037,533082 804744,508880 98385,601905 856620,506559 220057,562517 844734,507078 150677,580387 558697,522917 621751,518719 207067,565321 135297,585677 932968,503404 604456,519822 579728,521462 244138,557813 706487,513800 711627,513523 853833,506674 497220,527562 59428,629511 564845,522486 623621,518603 242689,558077 125091,589591 363819,540432 686453,514901 656813,516594 489901,528155 386380,537905 542819,524052 243987,557841 693412,514514 488484,528271 896331,504881 336730,543721 728298,512647 604215,519840 153729,579413 595687,520398 540360,524240 245779,557511 924873,503730 509628,526577 528523,525122 3509,847707 522756,525555 895447,504922 44840,646067 45860,644715 463487,530404 398164,536654 894483,504959 619415,518874 966306,502129 990922,501212 835756,507474 548881,523618 453578,531282 474993,529410 80085,612879 737091,512193 50789,638638 979768,501620 792018,509483 665001,516122 86552,608694 462772,530469 589233,520821 891694,505072 592605,520594 209645,564741 42531,649269 554376,523226 803814,508929 334157,544042 175836,572970 868379,506051 658166,516520 278203,551995 966198,502126 627162,518387 296774,549165 311803,547027 843797,507118 702304,514032 563875,522553 33103,664910 191932,568841 543514,524006 506835,526794 868368,506052 847025,506971 678623,515342 876139,505726 571997,521984 598632,520198 213590,563892 625404,518497 726508,512738 689426,514738 332495,544264 411366,535302 242546,558110 315209,546555 797544,509219 93889,604371 858879,506454 124906,589666 449072,531693 235960,559345 642403,517454 720567,513047 705534,513858 603692,519870 488137,528302 157370,578285 63515,625730 666326,516041 619226,518883 443613,532186 597717,520257 96225,603069 86940,608450 40725,651929 460976,530625 268875,553508 270671,553214 363254,540500 384248,538137 762889,510892 377941,538833 278878,551890 176615,572755 860008,506412 944392,502967 608395,519571 225283,561450 45095,645728 333798,544090 625733,518476 995584,501037 506135,526853 238050,558952 557943,522972 530978,524938 634244,517949 177168,572616 85200,609541 953043,502630 523661,525484 999295,500902 840803,507246 961490,502312 471747,529685 380705,538523 911180,504275 334149,544046 478992,529065 325789,545133 335884,543826 426976,533760 749007,511582 667067,516000 607586,519623 674054,515599 188534,569675 565185,522464 172090,573988 87592,608052 907432,504424 8912,760841 928318,503590 757917,511138 718693,513153 315141,546566 728326,512645 353492,541647 638429,517695 628892,518280 877286,505672 620895,518778 385878,537959 423311,534113 633501,517997 884833,505360 883402,505416 999665,500894 708395,513697 548142,523667 756491,511205 987352,501340 766520,510705 591775,520647 833758,507563 843890,507108 925551,503698 74816,616598 646942,517187 354923,541481 256291,555638 634470,517942 930904,503494 134221,586071 282663,551304 986070,501394 123636,590176 123678,590164 481717,528841 423076,534137 866246,506145 93313,604697 783632,509880 317066,546304 502977,527103 141272,583545 71708,618938 617748,518975 581190,521362 193824,568382 682368,515131 352956,541712 351375,541905 505362,526909 905165,504518 128645,588188 267143,553787 158409,577965 482776,528754 628896,518282 485233,528547 563606,522574 111001,595655 115920,593445 365510,540237 959724,502374 938763,503184 930044,503520 970959,501956 913658,504176 68117,621790 989729,501253 567697,522288 820427,508163 54236,634794 291557,549938 124961,589646 403177,536130 405421,535899 410233,535417 815111,508403 213176,563974 83099,610879 998588,500934 513640,526263 129817,587733 1820,921851 287584,550539 299160,548820 860621,506386 529258,525059 586297,521017 953406,502616 441234,532410 986217,501386 781938,509957 461247,530595 735424,512277 146623,581722 839838,507288 510667,526494 935085,503327 737523,512167 303455,548204 992779,501145 60240,628739 939095,503174 794368,509370 501825,527189 459028,530798 884641,505363 512287,526364 835165,507499 307723,547590 160587,577304 735043,512300 493289,527887 110717,595785 306480,547772 318593,546089 179810,571911 200531,566799 314999,546580 197020,567622 301465,548487 237808,559000 131944,586923 882527,505449 468117,530003 711319,513541 156240,578628 965452,502162 992756,501148 437959,532715 739938,512046 614249,519196 391496,537356 62746,626418 688215,514806 75501,616091 883573,505412 558824,522910 759371,511061 173913,573489 891351,505089 727464,512693 164833,576051 812317,508529 540320,524243 698061,514257 69149,620952 471673,529694 159092,577753 428134,533653 89997,606608 711061,513557 779403,510081 203327,566155 798176,509187 667688,515963 636120,517833 137410,584913 217615,563034 556887,523038 667229,515991 672276,515708 325361,545187 172115,573985 13846,725685
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
36,22,80,0,0,4,23,25,19,17,88,4,4,19,21,11,88,22,23,23,29,69,12,24,0,88,25,11,12,2,10,28,5,6,12,25,10,22,80,10,30,80,10,22,21,69,23,22,69,61,5,9,29,2,66,11,80,8,23,3,17,88,19,0,20,21,7,10,17,17,29,20,69,8,17,21,29,2,22,84,80,71,60,21,69,11,5,8,21,25,22,88,3,0,10,25,0,10,5,8,88,2,0,27,25,21,10,31,6,25,2,16,21,82,69,35,63,11,88,4,13,29,80,22,13,29,22,88,31,3,88,3,0,10,25,0,11,80,10,30,80,23,29,19,12,8,2,10,27,17,9,11,45,95,88,57,69,16,17,19,29,80,23,29,19,0,22,4,9,1,80,3,23,5,11,28,92,69,9,5,12,12,21,69,13,30,0,0,0,0,27,4,0,28,28,28,84,80,4,22,80,0,20,21,2,25,30,17,88,21,29,8,2,0,11,3,12,23,30,69,30,31,23,88,4,13,29,80,0,22,4,12,10,21,69,11,5,8,88,31,3,88,4,13,17,3,69,11,21,23,17,21,22,88,65,69,83,80,84,87,68,69,83,80,84,87,73,69,83,80,84,87,65,83,88,91,69,29,4,6,86,92,69,15,24,12,27,24,69,28,21,21,29,30,1,11,80,10,22,80,17,16,21,69,9,5,4,28,2,4,12,5,23,29,80,10,30,80,17,16,21,69,27,25,23,27,28,0,84,80,22,23,80,17,16,17,17,88,25,3,88,4,13,29,80,17,10,5,0,88,3,16,21,80,10,30,80,17,16,25,22,88,3,0,10,25,0,11,80,12,11,80,10,26,4,4,17,30,0,28,92,69,30,2,10,21,80,12,12,80,4,12,80,10,22,19,0,88,4,13,29,80,20,13,17,1,10,17,17,13,2,0,88,31,3,88,4,13,29,80,6,17,2,6,20,21,69,30,31,9,20,31,18,11,94,69,54,17,8,29,28,28,84,80,44,88,24,4,14,21,69,30,31,16,22,20,69,12,24,4,12,80,17,16,21,69,11,5,8,88,31,3,88,4,13,17,3,69,11,21,23,17,21,22,88,25,22,88,17,69,11,25,29,12,24,69,8,17,23,12,80,10,30,80,17,16,21,69,11,1,16,25,2,0,88,31,3,88,4,13,29,80,21,29,2,12,21,21,17,29,2,69,23,22,69,12,24,0,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,67,80,10,10,80,7,1,80,21,13,4,17,17,30,2,88,4,13,29,80,22,13,29,69,23,22,69,12,24,12,11,80,22,29,2,12,29,3,69,29,1,16,25,28,69,12,31,69,11,92,69,17,4,69,16,17,22,88,4,13,29,80,23,25,4,12,23,80,22,9,2,17,80,70,76,88,29,16,20,4,12,8,28,12,29,20,69,26,9,69,11,80,17,23,80,84,88,31,3,88,4,13,29,80,21,29,2,12,21,21,17,29,2,69,12,31,69,12,24,0,88,20,12,25,29,0,12,21,23,86,80,44,88,7,12,20,28,69,11,31,10,22,80,22,16,31,18,88,4,13,25,4,69,12,24,0,88,3,16,21,80,10,30,80,17,16,25,22,88,3,0,10,25,0,11,80,17,23,80,7,29,80,4,8,0,23,23,8,12,21,17,17,29,28,28,88,65,75,78,68,81,65,67,81,72,70,83,64,68,87,74,70,81,75,70,81,67,80,4,22,20,69,30,2,10,21,80,8,13,28,17,17,0,9,1,25,11,31,80,17,16,25,22,88,30,16,21,18,0,10,80,7,1,80,22,17,8,73,88,17,11,28,80,17,16,21,11,88,4,4,19,25,11,31,80,17,16,21,69,11,1,16,25,2,0,88,2,10,23,4,73,88,4,13,29,80,11,13,29,7,29,2,69,75,94,84,76,65,80,65,66,83,77,67,80,64,73,82,65,67,87,75,72,69,17,3,69,17,30,1,29,21,1,88,0,23,23,20,16,27,21,1,84,80,18,16,25,6,16,80,0,0,0,23,29,3,22,29,3,69,12,24,0,88,0,0,10,25,8,29,4,0,10,80,10,30,80,4,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,86,80,35,23,28,9,23,7,12,22,23,69,25,23,4,17,30,69,12,24,0,88,3,4,21,21,69,11,4,0,8,3,69,26,9,69,15,24,12,27,24,69,49,80,13,25,20,69,25,2,23,17,6,0,28,80,4,12,80,17,16,25,22,88,3,16,21,92,69,49,80,13,25,6,0,88,20,12,11,19,10,14,21,23,29,20,69,12,24,4,12,80,17,16,21,69,11,5,8,88,31,3,88,4,13,29,80,22,29,2,12,29,3,69,73,80,78,88,65,74,73,70,69,83,80,84,87,72,84,88,91,69,73,95,87,77,70,69,83,80,84,87,70,87,77,80,78,88,21,17,27,94,69,25,28,22,23,80,1,29,0,0,22,20,22,88,31,11,88,4,13,29,80,20,13,17,1,10,17,17,13,2,0,88,31,3,88,4,13,29,80,6,17,2,6,20,21,75,88,62,4,21,21,9,1,92,69,12,24,0,88,3,16,21,80,10,30,80,17,16,25,22,88,29,16,20,4,12,8,28,12,29,20,69,26,9,69,65,64,69,31,25,19,29,3,69,12,24,0,88,18,12,9,5,4,28,2,4,12,21,69,80,22,10,13,2,17,16,80,21,23,7,0,10,89,69,23,22,69,12,24,0,88,19,12,10,19,16,21,22,0,10,21,11,27,21,69,23,22,69,12,24,0,88,0,0,10,25,8,29,4,0,10,80,10,30,80,4,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,86,80,36,22,20,69,26,9,69,11,25,8,17,28,4,10,80,23,29,17,22,23,30,12,22,23,69,49,80,13,25,6,0,88,28,12,19,21,18,17,3,0,88,18,0,29,30,69,25,18,9,29,80,17,23,80,1,29,4,0,10,29,12,22,21,69,12,24,0,88,3,16,21,3,69,23,22,69,12,24,0,88,3,16,26,3,0,9,5,0,22,4,69,11,21,23,17,21,22,88,25,11,88,7,13,17,19,13,88,4,13,29,80,0,0,0,10,22,21,11,12,3,69,25,2,0,88,21,19,29,30,69,22,5,8,26,21,23,11,94
36,22,80,0,0,4,23,25,19,17,88,4,4,19,21,11,88,22,23,23,29,69,12,24,0,88,25,11,12,2,10,28,5,6,12,25,10,22,80,10,30,80,10,22,21,69,23,22,69,61,5,9,29,2,66,11,80,8,23,3,17,88,19,0,20,21,7,10,17,17,29,20,69,8,17,21,29,2,22,84,80,71,60,21,69,11,5,8,21,25,22,88,3,0,10,25,0,10,5,8,88,2,0,27,25,21,10,31,6,25,2,16,21,82,69,35,63,11,88,4,13,29,80,22,13,29,22,88,31,3,88,3,0,10,25,0,11,80,10,30,80,23,29,19,12,8,2,10,27,17,9,11,45,95,88,57,69,16,17,19,29,80,23,29,19,0,22,4,9,1,80,3,23,5,11,28,92,69,9,5,12,12,21,69,13,30,0,0,0,0,27,4,0,28,28,28,84,80,4,22,80,0,20,21,2,25,30,17,88,21,29,8,2,0,11,3,12,23,30,69,30,31,23,88,4,13,29,80,0,22,4,12,10,21,69,11,5,8,88,31,3,88,4,13,17,3,69,11,21,23,17,21,22,88,65,69,83,80,84,87,68,69,83,80,84,87,73,69,83,80,84,87,65,83,88,91,69,29,4,6,86,92,69,15,24,12,27,24,69,28,21,21,29,30,1,11,80,10,22,80,17,16,21,69,9,5,4,28,2,4,12,5,23,29,80,10,30,80,17,16,21,69,27,25,23,27,28,0,84,80,22,23,80,17,16,17,17,88,25,3,88,4,13,29,80,17,10,5,0,88,3,16,21,80,10,30,80,17,16,25,22,88,3,0,10,25,0,11,80,12,11,80,10,26,4,4,17,30,0,28,92,69,30,2,10,21,80,12,12,80,4,12,80,10,22,19,0,88,4,13,29,80,20,13,17,1,10,17,17,13,2,0,88,31,3,88,4,13,29,80,6,17,2,6,20,21,69,30,31,9,20,31,18,11,94,69,54,17,8,29,28,28,84,80,44,88,24,4,14,21,69,30,31,16,22,20,69,12,24,4,12,80,17,16,21,69,11,5,8,88,31,3,88,4,13,17,3,69,11,21,23,17,21,22,88,25,22,88,17,69,11,25,29,12,24,69,8,17,23,12,80,10,30,80,17,16,21,69,11,1,16,25,2,0,88,31,3,88,4,13,29,80,21,29,2,12,21,21,17,29,2,69,23,22,69,12,24,0,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,67,80,10,10,80,7,1,80,21,13,4,17,17,30,2,88,4,13,29,80,22,13,29,69,23,22,69,12,24,12,11,80,22,29,2,12,29,3,69,29,1,16,25,28,69,12,31,69,11,92,69,17,4,69,16,17,22,88,4,13,29,80,23,25,4,12,23,80,22,9,2,17,80,70,76,88,29,16,20,4,12,8,28,12,29,20,69,26,9,69,11,80,17,23,80,84,88,31,3,88,4,13,29,80,21,29,2,12,21,21,17,29,2,69,12,31,69,12,24,0,88,20,12,25,29,0,12,21,23,86,80,44,88,7,12,20,28,69,11,31,10,22,80,22,16,31,18,88,4,13,25,4,69,12,24,0,88,3,16,21,80,10,30,80,17,16,25,22,88,3,0,10,25,0,11,80,17,23,80,7,29,80,4,8,0,23,23,8,12,21,17,17,29,28,28,88,65,75,78,68,81,65,67,81,72,70,83,64,68,87,74,70,81,75,70,81,67,80,4,22,20,69,30,2,10,21,80,8,13,28,17,17,0,9,1,25,11,31,80,17,16,25,22,88,30,16,21,18,0,10,80,7,1,80,22,17,8,73,88,17,11,28,80,17,16,21,11,88,4,4,19,25,11,31,80,17,16,21,69,11,1,16,25,2,0,88,2,10,23,4,73,88,4,13,29,80,11,13,29,7,29,2,69,75,94,84,76,65,80,65,66,83,77,67,80,64,73,82,65,67,87,75,72,69,17,3,69,17,30,1,29,21,1,88,0,23,23,20,16,27,21,1,84,80,18,16,25,6,16,80,0,0,0,23,29,3,22,29,3,69,12,24,0,88,0,0,10,25,8,29,4,0,10,80,10,30,80,4,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,86,80,35,23,28,9,23,7,12,22,23,69,25,23,4,17,30,69,12,24,0,88,3,4,21,21,69,11,4,0,8,3,69,26,9,69,15,24,12,27,24,69,49,80,13,25,20,69,25,2,23,17,6,0,28,80,4,12,80,17,16,25,22,88,3,16,21,92,69,49,80,13,25,6,0,88,20,12,11,19,10,14,21,23,29,20,69,12,24,4,12,80,17,16,21,69,11,5,8,88,31,3,88,4,13,29,80,22,29,2,12,29,3,69,73,80,78,88,65,74,73,70,69,83,80,84,87,72,84,88,91,69,73,95,87,77,70,69,83,80,84,87,70,87,77,80,78,88,21,17,27,94,69,25,28,22,23,80,1,29,0,0,22,20,22,88,31,11,88,4,13,29,80,20,13,17,1,10,17,17,13,2,0,88,31,3,88,4,13,29,80,6,17,2,6,20,21,75,88,62,4,21,21,9,1,92,69,12,24,0,88,3,16,21,80,10,30,80,17,16,25,22,88,29,16,20,4,12,8,28,12,29,20,69,26,9,69,65,64,69,31,25,19,29,3,69,12,24,0,88,18,12,9,5,4,28,2,4,12,21,69,80,22,10,13,2,17,16,80,21,23,7,0,10,89,69,23,22,69,12,24,0,88,19,12,10,19,16,21,22,0,10,21,11,27,21,69,23,22,69,12,24,0,88,0,0,10,25,8,29,4,0,10,80,10,30,80,4,88,19,12,10,19,9,29,80,18,16,31,22,29,80,1,17,17,8,29,4,0,10,80,12,11,80,84,86,80,36,22,20,69,26,9,69,11,25,8,17,28,4,10,80,23,29,17,22,23,30,12,22,23,69,49,80,13,25,6,0,88,28,12,19,21,18,17,3,0,88,18,0,29,30,69,25,18,9,29,80,17,23,80,1,29,4,0,10,29,12,22,21,69,12,24,0,88,3,16,21,3,69,23,22,69,12,24,0,88,3,16,26,3,0,9,5,0,22,4,69,11,21,23,17,21,22,88,25,11,88,7,13,17,19,13,88,4,13,29,80,0,0,0,10,22,21,11,12,3,69,25,2,0,88,21,19,29,30,69,22,5,8,26,21,23,11,94
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Bit manipulation Bit manipulation is the act of manipulating bits to detect errors (hamming code), encrypts and decrypts messages (more on that in the 'ciphers' folder) or just do anything at the lowest level of your computer. * <https://en.wikipedia.org/wiki/Bit_manipulation> * <https://docs.python.org/3/reference/expressions.html#binary-bitwise-operations> * <https://docs.python.org/3/reference/expressions.html#unary-arithmetic-and-bitwise-operations> * <https://docs.python.org/3/library/stdtypes.html#bitwise-operations-on-integer-types> * <https://wiki.python.org/moin/BitManipulation> * <https://wiki.python.org/moin/BitwiseOperators> * <https://www.tutorialspoint.com/python3/bitwise_operators_example.htm>
# Bit manipulation Bit manipulation is the act of manipulating bits to detect errors (hamming code), encrypts and decrypts messages (more on that in the 'ciphers' folder) or just do anything at the lowest level of your computer. * <https://en.wikipedia.org/wiki/Bit_manipulation> * <https://docs.python.org/3/reference/expressions.html#binary-bitwise-operations> * <https://docs.python.org/3/reference/expressions.html#unary-arithmetic-and-bitwise-operations> * <https://docs.python.org/3/library/stdtypes.html#bitwise-operations-on-integer-types> * <https://wiki.python.org/moin/BitManipulation> * <https://wiki.python.org/moin/BitwiseOperators> * <https://www.tutorialspoint.com/python3/bitwise_operators_example.htm>
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Interest * Compound Interest: "Compound interest is calculated by multiplying the initial principal amount by one plus the annual interest rate raised to the number of compound periods minus one." [Compound Interest](https://www.investopedia.com/) * Simple Interest: "Simple interest paid or received over a certain period is a fixed percentage of the principal amount that was borrowed or lent. " [Simple Interest](https://www.investopedia.com/)
### Interest * Compound Interest: "Compound interest is calculated by multiplying the initial principal amount by one plus the annual interest rate raised to the number of compound periods minus one." [Compound Interest](https://www.investopedia.com/) * Simple Interest: "Simple interest paid or received over a certain period is a fixed percentage of the principal amount that was borrowed or lent. " [Simple Interest](https://www.investopedia.com/)
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" LCS Problem Statement: Given two sequences, find the length of longest subsequence present in both of them. A subsequence is a sequence that appears in the same relative order, but not necessarily continuous. Example:"abc", "abg" are subsequences of "abcdefgh". """ def longest_common_subsequence(x: str, y: str): """ Finds the longest common subsequence between two strings. Also returns the The subsequence found Parameters ---------- x: str, one of the strings y: str, the other string Returns ------- L[m][n]: int, the length of the longest subsequence. Also equal to len(seq) Seq: str, the subsequence found >>> longest_common_subsequence("programming", "gaming") (6, 'gaming') >>> longest_common_subsequence("physics", "smartphone") (2, 'ph') >>> longest_common_subsequence("computer", "food") (1, 'o') """ # find the length of strings assert x is not None assert y is not None m = len(x) n = len(y) # declaring the array for storing the dp values L = [[0] * (n + 1) for _ in range(m + 1)] for i in range(1, m + 1): for j in range(1, n + 1): if x[i - 1] == y[j - 1]: match = 1 else: match = 0 L[i][j] = max(L[i - 1][j], L[i][j - 1], L[i - 1][j - 1] + match) seq = "" i, j = m, n while i > 0 and j > 0: if x[i - 1] == y[j - 1]: match = 1 else: match = 0 if L[i][j] == L[i - 1][j - 1] + match: if match == 1: seq = x[i - 1] + seq i -= 1 j -= 1 elif L[i][j] == L[i - 1][j]: i -= 1 else: j -= 1 return L[m][n], seq if __name__ == "__main__": a = "AGGTAB" b = "GXTXAYB" expected_ln = 4 expected_subseq = "GTAB" ln, subseq = longest_common_subsequence(a, b) print("len =", ln, ", sub-sequence =", subseq) import doctest doctest.testmod()
""" LCS Problem Statement: Given two sequences, find the length of longest subsequence present in both of them. A subsequence is a sequence that appears in the same relative order, but not necessarily continuous. Example:"abc", "abg" are subsequences of "abcdefgh". """ def longest_common_subsequence(x: str, y: str): """ Finds the longest common subsequence between two strings. Also returns the The subsequence found Parameters ---------- x: str, one of the strings y: str, the other string Returns ------- L[m][n]: int, the length of the longest subsequence. Also equal to len(seq) Seq: str, the subsequence found >>> longest_common_subsequence("programming", "gaming") (6, 'gaming') >>> longest_common_subsequence("physics", "smartphone") (2, 'ph') >>> longest_common_subsequence("computer", "food") (1, 'o') """ # find the length of strings assert x is not None assert y is not None m = len(x) n = len(y) # declaring the array for storing the dp values L = [[0] * (n + 1) for _ in range(m + 1)] for i in range(1, m + 1): for j in range(1, n + 1): if x[i - 1] == y[j - 1]: match = 1 else: match = 0 L[i][j] = max(L[i - 1][j], L[i][j - 1], L[i - 1][j - 1] + match) seq = "" i, j = m, n while i > 0 and j > 0: if x[i - 1] == y[j - 1]: match = 1 else: match = 0 if L[i][j] == L[i - 1][j - 1] + match: if match == 1: seq = x[i - 1] + seq i -= 1 j -= 1 elif L[i][j] == L[i - 1][j]: i -= 1 else: j -= 1 return L[m][n], seq if __name__ == "__main__": a = "AGGTAB" b = "GXTXAYB" expected_ln = 4 expected_subseq = "GTAB" ln, subseq = longest_common_subsequence(a, b) print("len =", ln, ", sub-sequence =", subseq) import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import base64 def base16_encode(inp: str) -> bytes: """ Encodes a given utf-8 string into base-16. >>> base16_encode('Hello World!') b'48656C6C6F20576F726C6421' >>> base16_encode('HELLO WORLD!') b'48454C4C4F20574F524C4421' >>> base16_encode('') b'' """ # encode the input into a bytes-like object and then encode b16encode that return base64.b16encode(inp.encode("utf-8")) def base16_decode(b16encoded: bytes) -> str: """ Decodes from base-16 to a utf-8 string. >>> base16_decode(b'48656C6C6F20576F726C6421') 'Hello World!' >>> base16_decode(b'48454C4C4F20574F524C4421') 'HELLO WORLD!' >>> base16_decode(b'') '' """ # b16decode the input into bytes and decode that into a human readable string return base64.b16decode(b16encoded).decode("utf-8") if __name__ == "__main__": import doctest doctest.testmod()
import base64 def base16_encode(inp: str) -> bytes: """ Encodes a given utf-8 string into base-16. >>> base16_encode('Hello World!') b'48656C6C6F20576F726C6421' >>> base16_encode('HELLO WORLD!') b'48454C4C4F20574F524C4421' >>> base16_encode('') b'' """ # encode the input into a bytes-like object and then encode b16encode that return base64.b16encode(inp.encode("utf-8")) def base16_decode(b16encoded: bytes) -> str: """ Decodes from base-16 to a utf-8 string. >>> base16_decode(b'48656C6C6F20576F726C6421') 'Hello World!' >>> base16_decode(b'48454C4C4F20574F524C4421') 'HELLO WORLD!' >>> base16_decode(b'') '' """ # b16decode the input into bytes and decode that into a human readable string return base64.b16decode(b16encoded).decode("utf-8") if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
5,992
Upgrade to Python 3.10
### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-02-12T20:41:10Z"
"2022-02-13T05:57:44Z"
54f765bdd0331f4b9381de8c879218ace1313be9
f707f6d689ed40f51e5ceb8f0554e26e1e9fd507
Upgrade to Python 3.10. ### Describe your change: Replaces #4396 * [x] Fix CI * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [x] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [x] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"""Convert a Decimal Number to an Octal Number.""" import math # Modified from: # https://github.com/TheAlgorithms/Javascript/blob/master/Conversions/DecimalToOctal.js def decimal_to_octal(num: int) -> str: """Convert a Decimal Number to an Octal Number. >>> all(decimal_to_octal(i) == oct(i) for i ... in (0, 2, 8, 64, 65, 216, 255, 256, 512)) True """ octal = 0 counter = 0 while num > 0: remainder = num % 8 octal = octal + (remainder * math.floor(math.pow(10, counter))) counter += 1 num = math.floor(num / 8) # basically /= 8 without remainder if any # This formatting removes trailing '.0' from `octal`. return f"0o{int(octal)}" def main() -> None: """Print octal equivalents of decimal numbers.""" print("\n2 in octal is:") print(decimal_to_octal(2)) # = 2 print("\n8 in octal is:") print(decimal_to_octal(8)) # = 10 print("\n65 in octal is:") print(decimal_to_octal(65)) # = 101 print("\n216 in octal is:") print(decimal_to_octal(216)) # = 330 print("\n512 in octal is:") print(decimal_to_octal(512)) # = 1000 print("\n") if __name__ == "__main__": main()
"""Convert a Decimal Number to an Octal Number.""" import math # Modified from: # https://github.com/TheAlgorithms/Javascript/blob/master/Conversions/DecimalToOctal.js def decimal_to_octal(num: int) -> str: """Convert a Decimal Number to an Octal Number. >>> all(decimal_to_octal(i) == oct(i) for i ... in (0, 2, 8, 64, 65, 216, 255, 256, 512)) True """ octal = 0 counter = 0 while num > 0: remainder = num % 8 octal = octal + (remainder * math.floor(math.pow(10, counter))) counter += 1 num = math.floor(num / 8) # basically /= 8 without remainder if any # This formatting removes trailing '.0' from `octal`. return f"0o{int(octal)}" def main() -> None: """Print octal equivalents of decimal numbers.""" print("\n2 in octal is:") print(decimal_to_octal(2)) # = 2 print("\n8 in octal is:") print(decimal_to_octal(8)) # = 10 print("\n65 in octal is:") print(decimal_to_octal(65)) # = 101 print("\n216 in octal is:") print(decimal_to_octal(216)) # = 330 print("\n512 in octal is:") print(decimal_to_octal(512)) # = 1000 print("\n") if __name__ == "__main__": main()
-1