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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Author: Abhijeeth S import math def res(x, y): if 0 not in (x, y): # We use the relation x^y = y*log10(x), where 10 is the base. return y * math.log10(x) else: if x == 0: # 0 raised to any number is 0 return 0 elif y == 0: return 1 # any number raised to 0 is 1 if __name__ == "__main__": # Main function # Read two numbers from input and typecast them to int using map function. # Here x is the base and y is the power. prompt = "Enter the base and the power separated by a comma: " x1, y1 = map(int, input(prompt).split(",")) x2, y2 = map(int, input(prompt).split(",")) # We find the log of each number, using the function res(), which takes two # arguments. res1 = res(x1, y1) res2 = res(x2, y2) # We check for the largest number if res1 > res2: print("Largest number is", x1, "^", y1) elif res2 > res1: print("Largest number is", x2, "^", y2) else: print("Both are equal")
# Author: Abhijeeth S import math def res(x, y): if 0 not in (x, y): # We use the relation x^y = y*log10(x), where 10 is the base. return y * math.log10(x) else: if x == 0: # 0 raised to any number is 0 return 0 elif y == 0: return 1 # any number raised to 0 is 1 if __name__ == "__main__": # Main function # Read two numbers from input and typecast them to int using map function. # Here x is the base and y is the power. prompt = "Enter the base and the power separated by a comma: " x1, y1 = map(int, input(prompt).split(",")) x2, y2 = map(int, input(prompt).split(",")) # We find the log of each number, using the function res(), which takes two # arguments. res1 = res(x1, y1) res2 = res(x2, y2) # We check for the largest number if res1 > res2: print("Largest number is", x1, "^", y1) elif res2 > res1: print("Largest number is", x2, "^", y2) else: print("Both are equal")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"""Breadth-first search shortest path implementations. doctest: python -m doctest -v bfs_shortest_path.py Manual test: python bfs_shortest_path.py """ demo_graph = { "A": ["B", "C", "E"], "B": ["A", "D", "E"], "C": ["A", "F", "G"], "D": ["B"], "E": ["A", "B", "D"], "F": ["C"], "G": ["C"], } def bfs_shortest_path(graph: dict, start, goal) -> list[str]: """Find shortest path between `start` and `goal` nodes. Args: graph (dict): node/list of neighboring nodes key/value pairs. start: start node. goal: target node. Returns: Shortest path between `start` and `goal` nodes as a string of nodes. 'Not found' string if no path found. Example: >>> bfs_shortest_path(demo_graph, "G", "D") ['G', 'C', 'A', 'B', 'D'] >>> bfs_shortest_path(demo_graph, "G", "G") ['G'] >>> bfs_shortest_path(demo_graph, "G", "Unknown") [] """ # keep track of explored nodes explored = set() # keep track of all the paths to be checked queue = [[start]] # return path if start is goal if start == goal: return [start] # keeps looping until all possible paths have been checked while queue: # pop the first path from the queue path = queue.pop(0) # get the last node from the path node = path[-1] if node not in explored: neighbours = graph[node] # go through all neighbour nodes, construct a new path and # push it into the queue for neighbour in neighbours: new_path = list(path) new_path.append(neighbour) queue.append(new_path) # return path if neighbour is goal if neighbour == goal: return new_path # mark node as explored explored.add(node) # in case there's no path between the 2 nodes return [] def bfs_shortest_path_distance(graph: dict, start, target) -> int: """Find shortest path distance between `start` and `target` nodes. Args: graph: node/list of neighboring nodes key/value pairs. start: node to start search from. target: node to search for. Returns: Number of edges in shortest path between `start` and `target` nodes. -1 if no path exists. Example: >>> bfs_shortest_path_distance(demo_graph, "G", "D") 4 >>> bfs_shortest_path_distance(demo_graph, "A", "A") 0 >>> bfs_shortest_path_distance(demo_graph, "A", "Unknown") -1 """ if not graph or start not in graph or target not in graph: return -1 if start == target: return 0 queue = [start] visited = set(start) # Keep tab on distances from `start` node. dist = {start: 0, target: -1} while queue: node = queue.pop(0) if node == target: dist[target] = ( dist[node] if dist[target] == -1 else min(dist[target], dist[node]) ) for adjacent in graph[node]: if adjacent not in visited: visited.add(adjacent) queue.append(adjacent) dist[adjacent] = dist[node] + 1 return dist[target] if __name__ == "__main__": print(bfs_shortest_path(demo_graph, "G", "D")) # returns ['G', 'C', 'A', 'B', 'D'] print(bfs_shortest_path_distance(demo_graph, "G", "D")) # returns 4
"""Breadth-first search shortest path implementations. doctest: python -m doctest -v bfs_shortest_path.py Manual test: python bfs_shortest_path.py """ demo_graph = { "A": ["B", "C", "E"], "B": ["A", "D", "E"], "C": ["A", "F", "G"], "D": ["B"], "E": ["A", "B", "D"], "F": ["C"], "G": ["C"], } def bfs_shortest_path(graph: dict, start, goal) -> list[str]: """Find shortest path between `start` and `goal` nodes. Args: graph (dict): node/list of neighboring nodes key/value pairs. start: start node. goal: target node. Returns: Shortest path between `start` and `goal` nodes as a string of nodes. 'Not found' string if no path found. Example: >>> bfs_shortest_path(demo_graph, "G", "D") ['G', 'C', 'A', 'B', 'D'] >>> bfs_shortest_path(demo_graph, "G", "G") ['G'] >>> bfs_shortest_path(demo_graph, "G", "Unknown") [] """ # keep track of explored nodes explored = set() # keep track of all the paths to be checked queue = [[start]] # return path if start is goal if start == goal: return [start] # keeps looping until all possible paths have been checked while queue: # pop the first path from the queue path = queue.pop(0) # get the last node from the path node = path[-1] if node not in explored: neighbours = graph[node] # go through all neighbour nodes, construct a new path and # push it into the queue for neighbour in neighbours: new_path = list(path) new_path.append(neighbour) queue.append(new_path) # return path if neighbour is goal if neighbour == goal: return new_path # mark node as explored explored.add(node) # in case there's no path between the 2 nodes return [] def bfs_shortest_path_distance(graph: dict, start, target) -> int: """Find shortest path distance between `start` and `target` nodes. Args: graph: node/list of neighboring nodes key/value pairs. start: node to start search from. target: node to search for. Returns: Number of edges in shortest path between `start` and `target` nodes. -1 if no path exists. Example: >>> bfs_shortest_path_distance(demo_graph, "G", "D") 4 >>> bfs_shortest_path_distance(demo_graph, "A", "A") 0 >>> bfs_shortest_path_distance(demo_graph, "A", "Unknown") -1 """ if not graph or start not in graph or target not in graph: return -1 if start == target: return 0 queue = [start] visited = set(start) # Keep tab on distances from `start` node. dist = {start: 0, target: -1} while queue: node = queue.pop(0) if node == target: dist[target] = ( dist[node] if dist[target] == -1 else min(dist[target], dist[node]) ) for adjacent in graph[node]: if adjacent not in visited: visited.add(adjacent) queue.append(adjacent) dist[adjacent] = dist[node] + 1 return dist[target] if __name__ == "__main__": print(bfs_shortest_path(demo_graph, "G", "D")) # returns ['G', 'C', 'A', 'B', 'D'] print(bfs_shortest_path_distance(demo_graph, "G", "D")) # returns 4
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def excel_title_to_column(column_title: str) -> int: """ Given a string column_title that represents the column title in an Excel sheet, return its corresponding column number. >>> excel_title_to_column("A") 1 >>> excel_title_to_column("B") 2 >>> excel_title_to_column("AB") 28 >>> excel_title_to_column("Z") 26 """ assert column_title.isupper() answer = 0 index = len(column_title) - 1 power = 0 while index >= 0: value = (ord(column_title[index]) - 64) * pow(26, power) answer += value power += 1 index -= 1 return answer if __name__ == "__main__": from doctest import testmod testmod()
def excel_title_to_column(column_title: str) -> int: """ Given a string column_title that represents the column title in an Excel sheet, return its corresponding column number. >>> excel_title_to_column("A") 1 >>> excel_title_to_column("B") 2 >>> excel_title_to_column("AB") 28 >>> excel_title_to_column("Z") 26 """ assert column_title.isupper() answer = 0 index = len(column_title) - 1 power = 0 while index >= 0: value = (ord(column_title[index]) - 64) * pow(26, power) answer += value power += 1 index -= 1 return answer if __name__ == "__main__": from doctest import testmod testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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)] # noqa: E741 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)] # noqa: E741 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Python program to implement Pigeonhole Sorting in python # Algorithm for the pigeonhole sorting def pigeonhole_sort(a): """ >>> a = [8, 3, 2, 7, 4, 6, 8] >>> b = sorted(a) # a nondestructive sort >>> pigeonhole_sort(a) # a destructive sort >>> a == b True """ # size of range of values in the list (ie, number of pigeonholes we need) min_val = min(a) # min() finds the minimum value max_val = max(a) # max() finds the maximum value size = max_val - min_val + 1 # size is difference of max and min values plus one # list of pigeonholes of size equal to the variable size holes = [0] * size # Populate the pigeonholes. for x in a: assert isinstance(x, int), "integers only please" holes[x - min_val] += 1 # Putting the elements back into the array in an order. i = 0 for count in range(size): while holes[count] > 0: holes[count] -= 1 a[i] = count + min_val i += 1 def main(): a = [8, 3, 2, 7, 4, 6, 8] pigeonhole_sort(a) print("Sorted order is:", " ".join(a)) if __name__ == "__main__": main()
# Python program to implement Pigeonhole Sorting in python # Algorithm for the pigeonhole sorting def pigeonhole_sort(a): """ >>> a = [8, 3, 2, 7, 4, 6, 8] >>> b = sorted(a) # a nondestructive sort >>> pigeonhole_sort(a) # a destructive sort >>> a == b True """ # size of range of values in the list (ie, number of pigeonholes we need) min_val = min(a) # min() finds the minimum value max_val = max(a) # max() finds the maximum value size = max_val - min_val + 1 # size is difference of max and min values plus one # list of pigeonholes of size equal to the variable size holes = [0] * size # Populate the pigeonholes. for x in a: assert isinstance(x, int), "integers only please" holes[x - min_val] += 1 # Putting the elements back into the array in an order. i = 0 for count in range(size): while holes[count] > 0: holes[count] -= 1 a[i] = count + min_val i += 1 def main(): a = [8, 3, 2, 7, 4, 6, 8] pigeonhole_sort(a) print("Sorted order is:", " ".join(a)) if __name__ == "__main__": main()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Jacobi Iteration Method - https://en.wikipedia.org/wiki/Jacobi_method """ from __future__ import annotations import numpy as np from numpy import float64 from numpy.typing import NDArray # Method to find solution of system of linear equations def jacobi_iteration_method( coefficient_matrix: NDArray[float64], constant_matrix: NDArray[float64], init_val: list[int], iterations: int, ) -> list[float]: """ Jacobi Iteration Method: An iterative algorithm to determine the solutions of strictly diagonally dominant system of linear equations 4x1 + x2 + x3 = 2 x1 + 5x2 + 2x3 = -6 x1 + 2x2 + 4x3 = -4 x_init = [0.5, -0.5 , -0.5] Examples: >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) [0.909375, -1.14375, -0.7484375] >>> coefficient = np.array([[4, 1, 1], [1, 5, 2]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Coefficient matrix dimensions must be nxn but received 2x3 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Coefficient and constant matrices dimensions must be nxn and nx1 but received 3x3 and 2x1 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Number of initial values must be equal to number of rows in coefficient matrix but received 2 and 3 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 0 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Iterations must be at least 1 """ rows1, cols1 = coefficient_matrix.shape rows2, cols2 = constant_matrix.shape if rows1 != cols1: raise ValueError( f"Coefficient matrix dimensions must be nxn but received {rows1}x{cols1}" ) if cols2 != 1: raise ValueError(f"Constant matrix must be nx1 but received {rows2}x{cols2}") if rows1 != rows2: raise ValueError( f"""Coefficient and constant matrices dimensions must be nxn and nx1 but received {rows1}x{cols1} and {rows2}x{cols2}""" ) if len(init_val) != rows1: raise ValueError( f"""Number of initial values must be equal to number of rows in coefficient matrix but received {len(init_val)} and {rows1}""" ) if iterations <= 0: raise ValueError("Iterations must be at least 1") table: NDArray[float64] = np.concatenate( (coefficient_matrix, constant_matrix), axis=1 ) rows, cols = table.shape strictly_diagonally_dominant(table) # Iterates the whole matrix for given number of times for _ in range(iterations): new_val = [] for row in range(rows): temp = 0 for col in range(cols): if col == row: denom = table[row][col] elif col == cols - 1: val = table[row][col] else: temp += (-1) * table[row][col] * init_val[col] temp = (temp + val) / denom new_val.append(temp) init_val = new_val return [float(i) for i in new_val] # Checks if the given matrix is strictly diagonally dominant def strictly_diagonally_dominant(table: NDArray[float64]) -> bool: """ >>> table = np.array([[4, 1, 1, 2], [1, 5, 2, -6], [1, 2, 4, -4]]) >>> strictly_diagonally_dominant(table) True >>> table = np.array([[4, 1, 1, 2], [1, 5, 2, -6], [1, 2, 3, -4]]) >>> strictly_diagonally_dominant(table) Traceback (most recent call last): ... ValueError: Coefficient matrix is not strictly diagonally dominant """ rows, cols = table.shape is_diagonally_dominant = True for i in range(0, rows): total = 0 for j in range(0, cols - 1): if i == j: continue else: total += table[i][j] if table[i][i] <= total: raise ValueError("Coefficient matrix is not strictly diagonally dominant") return is_diagonally_dominant # Test Cases if __name__ == "__main__": import doctest doctest.testmod()
""" Jacobi Iteration Method - https://en.wikipedia.org/wiki/Jacobi_method """ from __future__ import annotations import numpy as np from numpy import float64 from numpy.typing import NDArray # Method to find solution of system of linear equations def jacobi_iteration_method( coefficient_matrix: NDArray[float64], constant_matrix: NDArray[float64], init_val: list[int], iterations: int, ) -> list[float]: """ Jacobi Iteration Method: An iterative algorithm to determine the solutions of strictly diagonally dominant system of linear equations 4x1 + x2 + x3 = 2 x1 + 5x2 + 2x3 = -6 x1 + 2x2 + 4x3 = -4 x_init = [0.5, -0.5 , -0.5] Examples: >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) [0.909375, -1.14375, -0.7484375] >>> coefficient = np.array([[4, 1, 1], [1, 5, 2]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Coefficient matrix dimensions must be nxn but received 2x3 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Coefficient and constant matrices dimensions must be nxn and nx1 but received 3x3 and 2x1 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5] >>> iterations = 3 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Number of initial values must be equal to number of rows in coefficient matrix but received 2 and 3 >>> coefficient = np.array([[4, 1, 1], [1, 5, 2], [1, 2, 4]]) >>> constant = np.array([[2], [-6], [-4]]) >>> init_val = [0.5, -0.5, -0.5] >>> iterations = 0 >>> jacobi_iteration_method(coefficient, constant, init_val, iterations) Traceback (most recent call last): ... ValueError: Iterations must be at least 1 """ rows1, cols1 = coefficient_matrix.shape rows2, cols2 = constant_matrix.shape if rows1 != cols1: raise ValueError( f"Coefficient matrix dimensions must be nxn but received {rows1}x{cols1}" ) if cols2 != 1: raise ValueError(f"Constant matrix must be nx1 but received {rows2}x{cols2}") if rows1 != rows2: raise ValueError( f"""Coefficient and constant matrices dimensions must be nxn and nx1 but received {rows1}x{cols1} and {rows2}x{cols2}""" ) if len(init_val) != rows1: raise ValueError( f"""Number of initial values must be equal to number of rows in coefficient matrix but received {len(init_val)} and {rows1}""" ) if iterations <= 0: raise ValueError("Iterations must be at least 1") table: NDArray[float64] = np.concatenate( (coefficient_matrix, constant_matrix), axis=1 ) rows, cols = table.shape strictly_diagonally_dominant(table) # Iterates the whole matrix for given number of times for _ in range(iterations): new_val = [] for row in range(rows): temp = 0 for col in range(cols): if col == row: denom = table[row][col] elif col == cols - 1: val = table[row][col] else: temp += (-1) * table[row][col] * init_val[col] temp = (temp + val) / denom new_val.append(temp) init_val = new_val return [float(i) for i in new_val] # Checks if the given matrix is strictly diagonally dominant def strictly_diagonally_dominant(table: NDArray[float64]) -> bool: """ >>> table = np.array([[4, 1, 1, 2], [1, 5, 2, -6], [1, 2, 4, -4]]) >>> strictly_diagonally_dominant(table) True >>> table = np.array([[4, 1, 1, 2], [1, 5, 2, -6], [1, 2, 3, -4]]) >>> strictly_diagonally_dominant(table) Traceback (most recent call last): ... ValueError: Coefficient matrix is not strictly diagonally dominant """ rows, cols = table.shape is_diagonally_dominant = True for i in range(0, rows): total = 0 for j in range(0, cols - 1): if i == j: continue else: total += table[i][j] if table[i][i] <= total: raise ValueError("Coefficient matrix is not strictly diagonally dominant") return is_diagonally_dominant # Test Cases if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" this is code for forecasting but i modified it and used it for safety checker of data for ex: you have a online shop and for some reason some data are missing (the amount of data that u expected are not supposed to be) then we can use it *ps : 1. ofc we can use normal statistic method but in this case the data is quite absurd and only a little^^ 2. ofc u can use this and modified it for forecasting purpose for the next 3 months sales or something, u can just adjust it for ur own purpose """ import numpy as np import pandas as pd from sklearn.preprocessing import Normalizer from sklearn.svm import SVR from statsmodels.tsa.statespace.sarimax import SARIMAX def linear_regression_prediction( train_dt: list, train_usr: list, train_mtch: list, test_dt: list, test_mtch: list ) -> float: """ First method: linear regression input : training data (date, total_user, total_event) in list of float output : list of total user prediction in float >>> n = linear_regression_prediction([2,3,4,5], [5,3,4,6], [3,1,2,4], [2,1], [2,2]) >>> abs(n - 5.0) < 1e-6 # Checking precision because of floating point errors True """ x = np.array([[1, item, train_mtch[i]] for i, item in enumerate(train_dt)]) y = np.array(train_usr) beta = np.dot(np.dot(np.linalg.inv(np.dot(x.transpose(), x)), x.transpose()), y) return abs(beta[0] + test_dt[0] * beta[1] + test_mtch[0] + beta[2]) def sarimax_predictor(train_user: list, train_match: list, test_match: list) -> float: """ second method: Sarimax sarimax is a statistic method which using previous input and learn its pattern to predict future data input : training data (total_user, with exog data = total_event) in list of float output : list of total user prediction in float >>> sarimax_predictor([4,2,6,8], [3,1,2,4], [2]) 6.6666671111109626 """ order = (1, 2, 1) seasonal_order = (1, 1, 0, 7) model = SARIMAX( train_user, exog=train_match, order=order, seasonal_order=seasonal_order ) model_fit = model.fit(disp=False, maxiter=600, method="nm") result = model_fit.predict(1, len(test_match), exog=[test_match]) return result[0] def support_vector_regressor(x_train: list, x_test: list, train_user: list) -> float: """ Third method: Support vector regressor svr is quite the same with svm(support vector machine) it uses the same principles as the SVM for classification, with only a few minor differences and the only different is that it suits better for regression purpose input : training data (date, total_user, total_event) in list of float where x = list of set (date and total event) output : list of total user prediction in float >>> support_vector_regressor([[5,2],[1,5],[6,2]], [[3,2]], [2,1,4]) 1.634932078116079 """ regressor = SVR(kernel="rbf", C=1, gamma=0.1, epsilon=0.1) regressor.fit(x_train, train_user) y_pred = regressor.predict(x_test) return y_pred[0] def interquartile_range_checker(train_user: list) -> float: """ Optional method: interquatile range input : list of total user in float output : low limit of input in float this method can be used to check whether some data is outlier or not >>> interquartile_range_checker([1,2,3,4,5,6,7,8,9,10]) 2.8 """ train_user.sort() q1 = np.percentile(train_user, 25) q3 = np.percentile(train_user, 75) iqr = q3 - q1 low_lim = q1 - (iqr * 0.1) return low_lim def data_safety_checker(list_vote: list, actual_result: float) -> None: """ Used to review all the votes (list result prediction) and compare it to the actual result. input : list of predictions output : print whether it's safe or not >>> data_safety_checker([2,3,4],5.0) Today's data is not safe. """ safe = 0 not_safe = 0 for i in list_vote: if i > actual_result: safe = not_safe + 1 else: if abs(abs(i) - abs(actual_result)) <= 0.1: safe = safe + 1 else: not_safe = not_safe + 1 print(f"Today's data is {'not ' if safe <= not_safe else ''}safe.") # data_input_df = pd.read_csv("ex_data.csv", header=None) data_input = [[18231, 0.0, 1], [22621, 1.0, 2], [15675, 0.0, 3], [23583, 1.0, 4]] data_input_df = pd.DataFrame(data_input, columns=["total_user", "total_even", "days"]) """ data column = total user in a day, how much online event held in one day, what day is that(sunday-saturday) """ # start normalization normalize_df = Normalizer().fit_transform(data_input_df.values) # split data total_date = normalize_df[:, 2].tolist() total_user = normalize_df[:, 0].tolist() total_match = normalize_df[:, 1].tolist() # for svr (input variable = total date and total match) x = normalize_df[:, [1, 2]].tolist() x_train = x[: len(x) - 1] x_test = x[len(x) - 1 :] # for linear reression & sarimax trn_date = total_date[: len(total_date) - 1] trn_user = total_user[: len(total_user) - 1] trn_match = total_match[: len(total_match) - 1] tst_date = total_date[len(total_date) - 1 :] tst_user = total_user[len(total_user) - 1 :] tst_match = total_match[len(total_match) - 1 :] # voting system with forecasting res_vote = [] res_vote.append( linear_regression_prediction(trn_date, trn_user, trn_match, tst_date, tst_match) ) res_vote.append(sarimax_predictor(trn_user, trn_match, tst_match)) res_vote.append(support_vector_regressor(x_train, x_test, trn_user)) # check the safety of todays'data^^ data_safety_checker(res_vote, tst_user)
""" this is code for forecasting but i modified it and used it for safety checker of data for ex: you have a online shop and for some reason some data are missing (the amount of data that u expected are not supposed to be) then we can use it *ps : 1. ofc we can use normal statistic method but in this case the data is quite absurd and only a little^^ 2. ofc u can use this and modified it for forecasting purpose for the next 3 months sales or something, u can just adjust it for ur own purpose """ import numpy as np import pandas as pd from sklearn.preprocessing import Normalizer from sklearn.svm import SVR from statsmodels.tsa.statespace.sarimax import SARIMAX def linear_regression_prediction( train_dt: list, train_usr: list, train_mtch: list, test_dt: list, test_mtch: list ) -> float: """ First method: linear regression input : training data (date, total_user, total_event) in list of float output : list of total user prediction in float >>> n = linear_regression_prediction([2,3,4,5], [5,3,4,6], [3,1,2,4], [2,1], [2,2]) >>> abs(n - 5.0) < 1e-6 # Checking precision because of floating point errors True """ x = np.array([[1, item, train_mtch[i]] for i, item in enumerate(train_dt)]) y = np.array(train_usr) beta = np.dot(np.dot(np.linalg.inv(np.dot(x.transpose(), x)), x.transpose()), y) return abs(beta[0] + test_dt[0] * beta[1] + test_mtch[0] + beta[2]) def sarimax_predictor(train_user: list, train_match: list, test_match: list) -> float: """ second method: Sarimax sarimax is a statistic method which using previous input and learn its pattern to predict future data input : training data (total_user, with exog data = total_event) in list of float output : list of total user prediction in float >>> sarimax_predictor([4,2,6,8], [3,1,2,4], [2]) 6.6666671111109626 """ order = (1, 2, 1) seasonal_order = (1, 1, 0, 7) model = SARIMAX( train_user, exog=train_match, order=order, seasonal_order=seasonal_order ) model_fit = model.fit(disp=False, maxiter=600, method="nm") result = model_fit.predict(1, len(test_match), exog=[test_match]) return result[0] def support_vector_regressor(x_train: list, x_test: list, train_user: list) -> float: """ Third method: Support vector regressor svr is quite the same with svm(support vector machine) it uses the same principles as the SVM for classification, with only a few minor differences and the only different is that it suits better for regression purpose input : training data (date, total_user, total_event) in list of float where x = list of set (date and total event) output : list of total user prediction in float >>> support_vector_regressor([[5,2],[1,5],[6,2]], [[3,2]], [2,1,4]) 1.634932078116079 """ regressor = SVR(kernel="rbf", C=1, gamma=0.1, epsilon=0.1) regressor.fit(x_train, train_user) y_pred = regressor.predict(x_test) return y_pred[0] def interquartile_range_checker(train_user: list) -> float: """ Optional method: interquatile range input : list of total user in float output : low limit of input in float this method can be used to check whether some data is outlier or not >>> interquartile_range_checker([1,2,3,4,5,6,7,8,9,10]) 2.8 """ train_user.sort() q1 = np.percentile(train_user, 25) q3 = np.percentile(train_user, 75) iqr = q3 - q1 low_lim = q1 - (iqr * 0.1) return low_lim def data_safety_checker(list_vote: list, actual_result: float) -> None: """ Used to review all the votes (list result prediction) and compare it to the actual result. input : list of predictions output : print whether it's safe or not >>> data_safety_checker([2,3,4],5.0) Today's data is not safe. """ safe = 0 not_safe = 0 for i in list_vote: if i > actual_result: safe = not_safe + 1 else: if abs(abs(i) - abs(actual_result)) <= 0.1: safe = safe + 1 else: not_safe = not_safe + 1 print(f"Today's data is {'not ' if safe <= not_safe else ''}safe.") # data_input_df = pd.read_csv("ex_data.csv", header=None) data_input = [[18231, 0.0, 1], [22621, 1.0, 2], [15675, 0.0, 3], [23583, 1.0, 4]] data_input_df = pd.DataFrame(data_input, columns=["total_user", "total_even", "days"]) """ data column = total user in a day, how much online event held in one day, what day is that(sunday-saturday) """ # start normalization normalize_df = Normalizer().fit_transform(data_input_df.values) # split data total_date = normalize_df[:, 2].tolist() total_user = normalize_df[:, 0].tolist() total_match = normalize_df[:, 1].tolist() # for svr (input variable = total date and total match) x = normalize_df[:, [1, 2]].tolist() x_train = x[: len(x) - 1] x_test = x[len(x) - 1 :] # for linear reression & sarimax trn_date = total_date[: len(total_date) - 1] trn_user = total_user[: len(total_user) - 1] trn_match = total_match[: len(total_match) - 1] tst_date = total_date[len(total_date) - 1 :] tst_user = total_user[len(total_user) - 1 :] tst_match = total_match[len(total_match) - 1 :] # voting system with forecasting res_vote = [] res_vote.append( linear_regression_prediction(trn_date, trn_user, trn_match, tst_date, tst_match) ) res_vote.append(sarimax_predictor(trn_user, trn_match, tst_match)) res_vote.append(support_vector_regressor(x_train, x_test, trn_user)) # check the safety of todays'data^^ data_safety_checker(res_vote, tst_user)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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 _ 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 _ 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem: Comparing two numbers written in index form like 2'11 and 3'7 is not difficult, as any calculator would confirm that 2^11 = 2048 < 3^7 = 2187. However, confirming that 632382^518061 > 519432^525806 would be much more difficult, as both numbers contain over three million digits. Using base_exp.txt, a 22K text file containing one thousand lines with a base/exponent pair on each line, determine which line number has the greatest numerical value. NOTE: The first two lines in the file represent the numbers in the example given above. """ import os from math import log10 def solution(data_file: str = "base_exp.txt") -> int: """ >>> solution() 709 """ largest: float = 0 result = 0 for i, line in enumerate(open(os.path.join(os.path.dirname(__file__), data_file))): a, x = list(map(int, line.split(","))) if x * log10(a) > largest: largest = x * log10(a) result = i + 1 return result if __name__ == "__main__": print(solution())
""" Problem: Comparing two numbers written in index form like 2'11 and 3'7 is not difficult, as any calculator would confirm that 2^11 = 2048 < 3^7 = 2187. However, confirming that 632382^518061 > 519432^525806 would be much more difficult, as both numbers contain over three million digits. Using base_exp.txt, a 22K text file containing one thousand lines with a base/exponent pair on each line, determine which line number has the greatest numerical value. NOTE: The first two lines in the file represent the numbers in the example given above. """ import os from math import log10 def solution(data_file: str = "base_exp.txt") -> int: """ >>> solution() 709 """ largest: float = 0 result = 0 for i, line in enumerate(open(os.path.join(os.path.dirname(__file__), data_file))): a, x = list(map(int, line.split(","))) if x * log10(a) > largest: largest = x * log10(a) result = i + 1 return result if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from math import gcd def pollard_rho( num: int, seed: int = 2, step: int = 1, attempts: int = 3, ) -> int | None: """ Use Pollard's Rho algorithm to return a nontrivial factor of ``num``. The returned factor may be composite and require further factorization. If the algorithm will return None if it fails to find a factor within the specified number of attempts or within the specified number of steps. If ``num`` is prime, this algorithm is guaranteed to return None. https://en.wikipedia.org/wiki/Pollard%27s_rho_algorithm >>> pollard_rho(18446744073709551617) 274177 >>> pollard_rho(97546105601219326301) 9876543191 >>> pollard_rho(100) 2 >>> pollard_rho(17) >>> pollard_rho(17**3) 17 >>> pollard_rho(17**3, attempts=1) >>> pollard_rho(3*5*7) 21 >>> pollard_rho(1) Traceback (most recent call last): ... ValueError: The input value cannot be less than 2 """ # A value less than 2 can cause an infinite loop in the algorithm. if num < 2: raise ValueError("The input value cannot be less than 2") # Because of the relationship between ``f(f(x))`` and ``f(x)``, this # algorithm struggles to find factors that are divisible by two. # As a workaround, we specifically check for two and even inputs. # See: https://math.stackexchange.com/a/2856214/165820 if num > 2 and num % 2 == 0: return 2 # Pollard's Rho algorithm requires a function that returns pseudorandom # values between 0 <= X < ``num``. It doesn't need to be random in the # sense that the output value is cryptographically secure or difficult # to calculate, it only needs to be random in the sense that all output # values should be equally likely to appear. # For this reason, Pollard suggested using ``f(x) = (x**2 - 1) % num`` # However, the success of Pollard's algorithm isn't guaranteed and is # determined in part by the initial seed and the chosen random function. # To make retries easier, we will instead use ``f(x) = (x**2 + C) % num`` # where ``C`` is a value that we can modify between each attempt. def rand_fn(value: int, step: int, modulus: int) -> int: """ Returns a pseudorandom value modulo ``modulus`` based on the input ``value`` and attempt-specific ``step`` size. >>> rand_fn(0, 0, 0) Traceback (most recent call last): ... ZeroDivisionError: integer division or modulo by zero >>> rand_fn(1, 2, 3) 0 >>> rand_fn(0, 10, 7) 3 >>> rand_fn(1234, 1, 17) 16 """ return (pow(value, 2) + step) % modulus for _ in range(attempts): # These track the position within the cycle detection logic. tortoise = seed hare = seed while True: # At each iteration, the tortoise moves one step and the hare moves two. tortoise = rand_fn(tortoise, step, num) hare = rand_fn(hare, step, num) hare = rand_fn(hare, step, num) # At some point both the tortoise and the hare will enter a cycle whose # length ``p`` is a divisor of ``num``. Once in that cycle, at some point # the tortoise and hare will end up on the same value modulo ``p``. # We can detect when this happens because the position difference between # the tortoise and the hare will share a common divisor with ``num``. divisor = gcd(hare - tortoise, num) if divisor == 1: # No common divisor yet, just keep searching. continue else: # We found a common divisor! if divisor == num: # Unfortunately, the divisor is ``num`` itself and is useless. break else: # The divisor is a nontrivial factor of ``num``! return divisor # If we made it here, then this attempt failed. # We need to pick a new starting seed for the tortoise and hare # in addition to a new step value for the random function. # To keep this example implementation deterministic, the # new values will be generated based on currently available # values instead of using something like ``random.randint``. # We can use the hare's position as the new seed. # This is actually what Richard Brent's the "optimized" variant does. seed = hare # The new step value for the random function can just be incremented. # At first the results will be similar to what the old function would # have produced, but the value will quickly diverge after a bit. step += 1 # We haven't found a divisor within the requested number of attempts. # We were unlucky or ``num`` itself is actually prime. return None if __name__ == "__main__": import argparse parser = argparse.ArgumentParser() parser.add_argument( "num", type=int, help="The value to find a divisor of", ) parser.add_argument( "--attempts", type=int, default=3, help="The number of attempts before giving up", ) args = parser.parse_args() divisor = pollard_rho(args.num, attempts=args.attempts) if divisor is None: print(f"{args.num} is probably prime") else: quotient = args.num // divisor print(f"{args.num} = {divisor} * {quotient}")
from __future__ import annotations from math import gcd def pollard_rho( num: int, seed: int = 2, step: int = 1, attempts: int = 3, ) -> int | None: """ Use Pollard's Rho algorithm to return a nontrivial factor of ``num``. The returned factor may be composite and require further factorization. If the algorithm will return None if it fails to find a factor within the specified number of attempts or within the specified number of steps. If ``num`` is prime, this algorithm is guaranteed to return None. https://en.wikipedia.org/wiki/Pollard%27s_rho_algorithm >>> pollard_rho(18446744073709551617) 274177 >>> pollard_rho(97546105601219326301) 9876543191 >>> pollard_rho(100) 2 >>> pollard_rho(17) >>> pollard_rho(17**3) 17 >>> pollard_rho(17**3, attempts=1) >>> pollard_rho(3*5*7) 21 >>> pollard_rho(1) Traceback (most recent call last): ... ValueError: The input value cannot be less than 2 """ # A value less than 2 can cause an infinite loop in the algorithm. if num < 2: raise ValueError("The input value cannot be less than 2") # Because of the relationship between ``f(f(x))`` and ``f(x)``, this # algorithm struggles to find factors that are divisible by two. # As a workaround, we specifically check for two and even inputs. # See: https://math.stackexchange.com/a/2856214/165820 if num > 2 and num % 2 == 0: return 2 # Pollard's Rho algorithm requires a function that returns pseudorandom # values between 0 <= X < ``num``. It doesn't need to be random in the # sense that the output value is cryptographically secure or difficult # to calculate, it only needs to be random in the sense that all output # values should be equally likely to appear. # For this reason, Pollard suggested using ``f(x) = (x**2 - 1) % num`` # However, the success of Pollard's algorithm isn't guaranteed and is # determined in part by the initial seed and the chosen random function. # To make retries easier, we will instead use ``f(x) = (x**2 + C) % num`` # where ``C`` is a value that we can modify between each attempt. def rand_fn(value: int, step: int, modulus: int) -> int: """ Returns a pseudorandom value modulo ``modulus`` based on the input ``value`` and attempt-specific ``step`` size. >>> rand_fn(0, 0, 0) Traceback (most recent call last): ... ZeroDivisionError: integer division or modulo by zero >>> rand_fn(1, 2, 3) 0 >>> rand_fn(0, 10, 7) 3 >>> rand_fn(1234, 1, 17) 16 """ return (pow(value, 2) + step) % modulus for _ in range(attempts): # These track the position within the cycle detection logic. tortoise = seed hare = seed while True: # At each iteration, the tortoise moves one step and the hare moves two. tortoise = rand_fn(tortoise, step, num) hare = rand_fn(hare, step, num) hare = rand_fn(hare, step, num) # At some point both the tortoise and the hare will enter a cycle whose # length ``p`` is a divisor of ``num``. Once in that cycle, at some point # the tortoise and hare will end up on the same value modulo ``p``. # We can detect when this happens because the position difference between # the tortoise and the hare will share a common divisor with ``num``. divisor = gcd(hare - tortoise, num) if divisor == 1: # No common divisor yet, just keep searching. continue else: # We found a common divisor! if divisor == num: # Unfortunately, the divisor is ``num`` itself and is useless. break else: # The divisor is a nontrivial factor of ``num``! return divisor # If we made it here, then this attempt failed. # We need to pick a new starting seed for the tortoise and hare # in addition to a new step value for the random function. # To keep this example implementation deterministic, the # new values will be generated based on currently available # values instead of using something like ``random.randint``. # We can use the hare's position as the new seed. # This is actually what Richard Brent's the "optimized" variant does. seed = hare # The new step value for the random function can just be incremented. # At first the results will be similar to what the old function would # have produced, but the value will quickly diverge after a bit. step += 1 # We haven't found a divisor within the requested number of attempts. # We were unlucky or ``num`` itself is actually prime. return None if __name__ == "__main__": import argparse parser = argparse.ArgumentParser() parser.add_argument( "num", type=int, help="The value to find a divisor of", ) parser.add_argument( "--attempts", type=int, default=3, help="The number of attempts before giving up", ) args = parser.parse_args() divisor = pollard_rho(args.num, attempts=args.attempts) if divisor is None: print(f"{args.num} is probably prime") else: quotient = args.num // divisor print(f"{args.num} = {divisor} * {quotient}")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/env python3 """ This is pure Python implementation of binary search algorithms For doctests run following command: python3 -m doctest -v binary_search.py For manual testing run: python3 binary_search.py """ from __future__ import annotations import bisect def bisect_left( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> int: """ Locates the first element in a sorted array that is larger or equal to a given value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.bisect_left . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to bisect :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) :return: index i such that all values in sorted_collection[lo:i] are < item and all values in sorted_collection[i:hi] are >= item. Examples: >>> bisect_left([0, 5, 7, 10, 15], 0) 0 >>> bisect_left([0, 5, 7, 10, 15], 6) 2 >>> bisect_left([0, 5, 7, 10, 15], 20) 5 >>> bisect_left([0, 5, 7, 10, 15], 15, 1, 3) 3 >>> bisect_left([0, 5, 7, 10, 15], 6, 2) 2 """ if hi < 0: hi = len(sorted_collection) while lo < hi: mid = lo + (hi - lo) // 2 if sorted_collection[mid] < item: lo = mid + 1 else: hi = mid return lo def bisect_right( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> int: """ Locates the first element in a sorted array that is larger than a given value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.bisect_right . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to bisect :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) :return: index i such that all values in sorted_collection[lo:i] are <= item and all values in sorted_collection[i:hi] are > item. Examples: >>> bisect_right([0, 5, 7, 10, 15], 0) 1 >>> bisect_right([0, 5, 7, 10, 15], 15) 5 >>> bisect_right([0, 5, 7, 10, 15], 6) 2 >>> bisect_right([0, 5, 7, 10, 15], 15, 1, 3) 3 >>> bisect_right([0, 5, 7, 10, 15], 6, 2) 2 """ if hi < 0: hi = len(sorted_collection) while lo < hi: mid = lo + (hi - lo) // 2 if sorted_collection[mid] <= item: lo = mid + 1 else: hi = mid return lo def insort_left( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> None: """ Inserts a given value into a sorted array before other values with the same value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.insort_left . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to insert :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) Examples: >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 6) >>> sorted_collection [0, 5, 6, 7, 10, 15] >>> sorted_collection = [(0, 0), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item = (5, 5) >>> insort_left(sorted_collection, item) >>> sorted_collection [(0, 0), (5, 5), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item is sorted_collection[1] True >>> item is sorted_collection[2] False >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 20) >>> sorted_collection [0, 5, 7, 10, 15, 20] >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 15, 1, 3) >>> sorted_collection [0, 5, 7, 15, 10, 15] """ sorted_collection.insert(bisect_left(sorted_collection, item, lo, hi), item) def insort_right( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> None: """ Inserts a given value into a sorted array after other values with the same value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.insort_right . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to insert :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) Examples: >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 6) >>> sorted_collection [0, 5, 6, 7, 10, 15] >>> sorted_collection = [(0, 0), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item = (5, 5) >>> insort_right(sorted_collection, item) >>> sorted_collection [(0, 0), (5, 5), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item is sorted_collection[1] False >>> item is sorted_collection[2] True >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 20) >>> sorted_collection [0, 5, 7, 10, 15, 20] >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 15, 1, 3) >>> sorted_collection [0, 5, 7, 15, 10, 15] """ sorted_collection.insert(bisect_right(sorted_collection, item, lo, hi), item) def binary_search(sorted_collection: list[int], item: int) -> int | None: """Pure implementation of binary search algorithm in Python Be careful collection must be ascending sorted, otherwise result will be unpredictable :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search([0, 5, 7, 10, 15], 0) 0 >>> binary_search([0, 5, 7, 10, 15], 15) 4 >>> binary_search([0, 5, 7, 10, 15], 5) 1 >>> binary_search([0, 5, 7, 10, 15], 6) """ left = 0 right = len(sorted_collection) - 1 while left <= right: midpoint = left + (right - left) // 2 current_item = sorted_collection[midpoint] if current_item == item: return midpoint elif item < current_item: right = midpoint - 1 else: left = midpoint + 1 return None def binary_search_std_lib(sorted_collection: list[int], item: int) -> int | None: """Pure implementation of binary search algorithm in Python using stdlib Be careful collection must be ascending sorted, otherwise result will be unpredictable :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search_std_lib([0, 5, 7, 10, 15], 0) 0 >>> binary_search_std_lib([0, 5, 7, 10, 15], 15) 4 >>> binary_search_std_lib([0, 5, 7, 10, 15], 5) 1 >>> binary_search_std_lib([0, 5, 7, 10, 15], 6) """ index = bisect.bisect_left(sorted_collection, item) if index != len(sorted_collection) and sorted_collection[index] == item: return index return None def binary_search_by_recursion( sorted_collection: list[int], item: int, left: int, right: int ) -> int | None: """Pure implementation of binary search algorithm in Python by recursion Be careful collection must be ascending sorted, otherwise result will be unpredictable First recursion should be started with left=0 and right=(len(sorted_collection)-1) :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search_by_recursion([0, 5, 7, 10, 15], 0, 0, 4) 0 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 15, 0, 4) 4 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 5, 0, 4) 1 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 6, 0, 4) """ if right < left: return None midpoint = left + (right - left) // 2 if sorted_collection[midpoint] == item: return midpoint elif sorted_collection[midpoint] > item: return binary_search_by_recursion(sorted_collection, item, left, midpoint - 1) else: return binary_search_by_recursion(sorted_collection, item, midpoint + 1, right) if __name__ == "__main__": user_input = input("Enter numbers separated by comma:\n").strip() collection = sorted(int(item) for item in user_input.split(",")) target = int(input("Enter a single number to be found in the list:\n")) result = binary_search(collection, target) if result is None: print(f"{target} was not found in {collection}.") else: print(f"{target} was found at position {result} in {collection}.")
#!/usr/bin/env python3 """ This is pure Python implementation of binary search algorithms For doctests run following command: python3 -m doctest -v binary_search.py For manual testing run: python3 binary_search.py """ from __future__ import annotations import bisect def bisect_left( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> int: """ Locates the first element in a sorted array that is larger or equal to a given value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.bisect_left . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to bisect :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) :return: index i such that all values in sorted_collection[lo:i] are < item and all values in sorted_collection[i:hi] are >= item. Examples: >>> bisect_left([0, 5, 7, 10, 15], 0) 0 >>> bisect_left([0, 5, 7, 10, 15], 6) 2 >>> bisect_left([0, 5, 7, 10, 15], 20) 5 >>> bisect_left([0, 5, 7, 10, 15], 15, 1, 3) 3 >>> bisect_left([0, 5, 7, 10, 15], 6, 2) 2 """ if hi < 0: hi = len(sorted_collection) while lo < hi: mid = lo + (hi - lo) // 2 if sorted_collection[mid] < item: lo = mid + 1 else: hi = mid return lo def bisect_right( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> int: """ Locates the first element in a sorted array that is larger than a given value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.bisect_right . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to bisect :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) :return: index i such that all values in sorted_collection[lo:i] are <= item and all values in sorted_collection[i:hi] are > item. Examples: >>> bisect_right([0, 5, 7, 10, 15], 0) 1 >>> bisect_right([0, 5, 7, 10, 15], 15) 5 >>> bisect_right([0, 5, 7, 10, 15], 6) 2 >>> bisect_right([0, 5, 7, 10, 15], 15, 1, 3) 3 >>> bisect_right([0, 5, 7, 10, 15], 6, 2) 2 """ if hi < 0: hi = len(sorted_collection) while lo < hi: mid = lo + (hi - lo) // 2 if sorted_collection[mid] <= item: lo = mid + 1 else: hi = mid return lo def insort_left( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> None: """ Inserts a given value into a sorted array before other values with the same value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.insort_left . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to insert :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) Examples: >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 6) >>> sorted_collection [0, 5, 6, 7, 10, 15] >>> sorted_collection = [(0, 0), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item = (5, 5) >>> insort_left(sorted_collection, item) >>> sorted_collection [(0, 0), (5, 5), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item is sorted_collection[1] True >>> item is sorted_collection[2] False >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 20) >>> sorted_collection [0, 5, 7, 10, 15, 20] >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_left(sorted_collection, 15, 1, 3) >>> sorted_collection [0, 5, 7, 15, 10, 15] """ sorted_collection.insert(bisect_left(sorted_collection, item, lo, hi), item) def insort_right( sorted_collection: list[int], item: int, lo: int = 0, hi: int = -1 ) -> None: """ Inserts a given value into a sorted array after other values with the same value. It has the same interface as https://docs.python.org/3/library/bisect.html#bisect.insort_right . :param sorted_collection: some ascending sorted collection with comparable items :param item: item to insert :param lo: lowest index to consider (as in sorted_collection[lo:hi]) :param hi: past the highest index to consider (as in sorted_collection[lo:hi]) Examples: >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 6) >>> sorted_collection [0, 5, 6, 7, 10, 15] >>> sorted_collection = [(0, 0), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item = (5, 5) >>> insort_right(sorted_collection, item) >>> sorted_collection [(0, 0), (5, 5), (5, 5), (7, 7), (10, 10), (15, 15)] >>> item is sorted_collection[1] False >>> item is sorted_collection[2] True >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 20) >>> sorted_collection [0, 5, 7, 10, 15, 20] >>> sorted_collection = [0, 5, 7, 10, 15] >>> insort_right(sorted_collection, 15, 1, 3) >>> sorted_collection [0, 5, 7, 15, 10, 15] """ sorted_collection.insert(bisect_right(sorted_collection, item, lo, hi), item) def binary_search(sorted_collection: list[int], item: int) -> int | None: """Pure implementation of binary search algorithm in Python Be careful collection must be ascending sorted, otherwise result will be unpredictable :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search([0, 5, 7, 10, 15], 0) 0 >>> binary_search([0, 5, 7, 10, 15], 15) 4 >>> binary_search([0, 5, 7, 10, 15], 5) 1 >>> binary_search([0, 5, 7, 10, 15], 6) """ left = 0 right = len(sorted_collection) - 1 while left <= right: midpoint = left + (right - left) // 2 current_item = sorted_collection[midpoint] if current_item == item: return midpoint elif item < current_item: right = midpoint - 1 else: left = midpoint + 1 return None def binary_search_std_lib(sorted_collection: list[int], item: int) -> int | None: """Pure implementation of binary search algorithm in Python using stdlib Be careful collection must be ascending sorted, otherwise result will be unpredictable :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search_std_lib([0, 5, 7, 10, 15], 0) 0 >>> binary_search_std_lib([0, 5, 7, 10, 15], 15) 4 >>> binary_search_std_lib([0, 5, 7, 10, 15], 5) 1 >>> binary_search_std_lib([0, 5, 7, 10, 15], 6) """ index = bisect.bisect_left(sorted_collection, item) if index != len(sorted_collection) and sorted_collection[index] == item: return index return None def binary_search_by_recursion( sorted_collection: list[int], item: int, left: int, right: int ) -> int | None: """Pure implementation of binary search algorithm in Python by recursion Be careful collection must be ascending sorted, otherwise result will be unpredictable First recursion should be started with left=0 and right=(len(sorted_collection)-1) :param sorted_collection: some ascending sorted collection with comparable items :param item: item value to search :return: index of found item or None if item is not found Examples: >>> binary_search_by_recursion([0, 5, 7, 10, 15], 0, 0, 4) 0 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 15, 0, 4) 4 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 5, 0, 4) 1 >>> binary_search_by_recursion([0, 5, 7, 10, 15], 6, 0, 4) """ if right < left: return None midpoint = left + (right - left) // 2 if sorted_collection[midpoint] == item: return midpoint elif sorted_collection[midpoint] > item: return binary_search_by_recursion(sorted_collection, item, left, midpoint - 1) else: return binary_search_by_recursion(sorted_collection, item, midpoint + 1, right) if __name__ == "__main__": user_input = input("Enter numbers separated by comma:\n").strip() collection = sorted(int(item) for item in user_input.split(",")) target = int(input("Enter a single number to be found in the list:\n")) result = binary_search(collection, target) if result is None: print(f"{target} was not found in {collection}.") else: print(f"{target} was found at position {result} in {collection}.")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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 _ 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 _ 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from typing import Any def mode(input_list: list) -> list[Any]: """This function returns the mode(Mode as in the measures of central tendency) of the input data. The input list may contain any Datastructure or any Datatype. >>> mode([2, 3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 2, 2, 2]) [2] >>> mode([3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 4, 2, 2, 2]) [2] >>> mode([3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 4, 4, 2, 2, 4, 2]) [2, 4] >>> mode(["x", "y", "y", "z"]) ['y'] >>> mode(["x", "x" , "y", "y", "z"]) ['x', 'y'] """ if not input_list: return [] result = [input_list.count(value) for value in input_list] y = max(result) # Gets the maximum count in the input list. # Gets values of modes return sorted({input_list[i] for i, value in enumerate(result) if value == y}) if __name__ == "__main__": import doctest doctest.testmod()
from typing import Any def mode(input_list: list) -> list[Any]: """This function returns the mode(Mode as in the measures of central tendency) of the input data. The input list may contain any Datastructure or any Datatype. >>> mode([2, 3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 2, 2, 2]) [2] >>> mode([3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 4, 2, 2, 2]) [2] >>> mode([3, 4, 5, 3, 4, 2, 5, 2, 2, 4, 4, 4, 2, 2, 4, 2]) [2, 4] >>> mode(["x", "y", "y", "z"]) ['y'] >>> mode(["x", "x" , "y", "y", "z"]) ['x', 'y'] """ if not input_list: return [] result = [input_list.count(value) for value in input_list] y = max(result) # Gets the maximum count in the input list. # Gets values of modes return sorted({input_list[i] for i, value in enumerate(result) if value == y}) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def remove_duplicates(key: str) -> str: """ Removes duplicate alphabetic characters in a keyword (letter is ignored after its first appearance). :param key: Keyword to use :return: String with duplicates removed >>> remove_duplicates('Hello World!!') 'Helo Wrd' """ key_no_dups = "" for ch in key: if ch == " " or ch not in key_no_dups and ch.isalpha(): key_no_dups += ch return key_no_dups def create_cipher_map(key: str) -> dict[str, str]: """ Returns a cipher map given a keyword. :param key: keyword to use :return: dictionary cipher map """ # Create alphabet list alphabet = [chr(i + 65) for i in range(26)] # Remove duplicate characters from key key = remove_duplicates(key.upper()) offset = len(key) # First fill cipher with key characters cipher_alphabet = {alphabet[i]: char for i, char in enumerate(key)} # Then map remaining characters in alphabet to # the alphabet from the beginning for i in range(len(cipher_alphabet), 26): char = alphabet[i - offset] # Ensure we are not mapping letters to letters previously mapped while char in key: offset -= 1 char = alphabet[i - offset] cipher_alphabet[alphabet[i]] = char return cipher_alphabet def encipher(message: str, cipher_map: dict[str, str]) -> str: """ Enciphers a message given a cipher map. :param message: Message to encipher :param cipher_map: Cipher map :return: enciphered string >>> encipher('Hello World!!', create_cipher_map('Goodbye!!')) 'CYJJM VMQJB!!' """ return "".join(cipher_map.get(ch, ch) for ch in message.upper()) def decipher(message: str, cipher_map: dict[str, str]) -> str: """ Deciphers a message given a cipher map :param message: Message to decipher :param cipher_map: Dictionary mapping to use :return: Deciphered string >>> cipher_map = create_cipher_map('Goodbye!!') >>> decipher(encipher('Hello World!!', cipher_map), cipher_map) 'HELLO WORLD!!' """ # Reverse our cipher mappings rev_cipher_map = {v: k for k, v in cipher_map.items()} return "".join(rev_cipher_map.get(ch, ch) for ch in message.upper()) def main() -> None: """ Handles I/O :return: void """ message = input("Enter message to encode or decode: ").strip() key = input("Enter keyword: ").strip() option = input("Encipher or decipher? E/D:").strip()[0].lower() try: func = {"e": encipher, "d": decipher}[option] except KeyError: raise KeyError("invalid input option") cipher_map = create_cipher_map(key) print(func(message, cipher_map)) if __name__ == "__main__": import doctest doctest.testmod() main()
def remove_duplicates(key: str) -> str: """ Removes duplicate alphabetic characters in a keyword (letter is ignored after its first appearance). :param key: Keyword to use :return: String with duplicates removed >>> remove_duplicates('Hello World!!') 'Helo Wrd' """ key_no_dups = "" for ch in key: if ch == " " or ch not in key_no_dups and ch.isalpha(): key_no_dups += ch return key_no_dups def create_cipher_map(key: str) -> dict[str, str]: """ Returns a cipher map given a keyword. :param key: keyword to use :return: dictionary cipher map """ # Create alphabet list alphabet = [chr(i + 65) for i in range(26)] # Remove duplicate characters from key key = remove_duplicates(key.upper()) offset = len(key) # First fill cipher with key characters cipher_alphabet = {alphabet[i]: char for i, char in enumerate(key)} # Then map remaining characters in alphabet to # the alphabet from the beginning for i in range(len(cipher_alphabet), 26): char = alphabet[i - offset] # Ensure we are not mapping letters to letters previously mapped while char in key: offset -= 1 char = alphabet[i - offset] cipher_alphabet[alphabet[i]] = char return cipher_alphabet def encipher(message: str, cipher_map: dict[str, str]) -> str: """ Enciphers a message given a cipher map. :param message: Message to encipher :param cipher_map: Cipher map :return: enciphered string >>> encipher('Hello World!!', create_cipher_map('Goodbye!!')) 'CYJJM VMQJB!!' """ return "".join(cipher_map.get(ch, ch) for ch in message.upper()) def decipher(message: str, cipher_map: dict[str, str]) -> str: """ Deciphers a message given a cipher map :param message: Message to decipher :param cipher_map: Dictionary mapping to use :return: Deciphered string >>> cipher_map = create_cipher_map('Goodbye!!') >>> decipher(encipher('Hello World!!', cipher_map), cipher_map) 'HELLO WORLD!!' """ # Reverse our cipher mappings rev_cipher_map = {v: k for k, v in cipher_map.items()} return "".join(rev_cipher_map.get(ch, ch) for ch in message.upper()) def main() -> None: """ Handles I/O :return: void """ message = input("Enter message to encode or decode: ").strip() key = input("Enter keyword: ").strip() option = input("Encipher or decipher? E/D:").strip()[0].lower() try: func = {"e": encipher, "d": decipher}[option] except KeyError: raise KeyError("invalid input option") cipher_map = create_cipher_map(key) print(func(message, cipher_map)) if __name__ == "__main__": import doctest doctest.testmod() main()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations def kmp(pattern: str, text: str) -> bool: """ The Knuth-Morris-Pratt Algorithm for finding a pattern within a piece of text with complexity O(n + m) 1) Preprocess pattern to identify any suffixes that are identical to prefixes This tells us where to continue from if we get a mismatch between a character in our pattern and the text. 2) Step through the text one character at a time and compare it to a character in the pattern updating our location within the pattern if necessary """ # 1) Construct the failure array failure = get_failure_array(pattern) # 2) Step through text searching for pattern i, j = 0, 0 # index into text, pattern while i < len(text): if pattern[j] == text[i]: if j == (len(pattern) - 1): return True j += 1 # if this is a prefix in our pattern # just go back far enough to continue elif j > 0: j = failure[j - 1] continue i += 1 return False def get_failure_array(pattern: str) -> list[int]: """ Calculates the new index we should go to if we fail a comparison :param pattern: :return: """ failure = [0] i = 0 j = 1 while j < len(pattern): if pattern[i] == pattern[j]: i += 1 elif i > 0: i = failure[i - 1] continue j += 1 failure.append(i) return failure if __name__ == "__main__": # Test 1) pattern = "abc1abc12" text1 = "alskfjaldsabc1abc1abc12k23adsfabcabc" text2 = "alskfjaldsk23adsfabcabc" assert kmp(pattern, text1) and not kmp(pattern, text2) # Test 2) pattern = "ABABX" text = "ABABZABABYABABX" assert kmp(pattern, text) # Test 3) pattern = "AAAB" text = "ABAAAAAB" assert kmp(pattern, text) # Test 4) pattern = "abcdabcy" text = "abcxabcdabxabcdabcdabcy" assert kmp(pattern, text) # Test 5) pattern = "aabaabaaa" assert get_failure_array(pattern) == [0, 1, 0, 1, 2, 3, 4, 5, 2]
from __future__ import annotations def kmp(pattern: str, text: str) -> bool: """ The Knuth-Morris-Pratt Algorithm for finding a pattern within a piece of text with complexity O(n + m) 1) Preprocess pattern to identify any suffixes that are identical to prefixes This tells us where to continue from if we get a mismatch between a character in our pattern and the text. 2) Step through the text one character at a time and compare it to a character in the pattern updating our location within the pattern if necessary """ # 1) Construct the failure array failure = get_failure_array(pattern) # 2) Step through text searching for pattern i, j = 0, 0 # index into text, pattern while i < len(text): if pattern[j] == text[i]: if j == (len(pattern) - 1): return True j += 1 # if this is a prefix in our pattern # just go back far enough to continue elif j > 0: j = failure[j - 1] continue i += 1 return False def get_failure_array(pattern: str) -> list[int]: """ Calculates the new index we should go to if we fail a comparison :param pattern: :return: """ failure = [0] i = 0 j = 1 while j < len(pattern): if pattern[i] == pattern[j]: i += 1 elif i > 0: i = failure[i - 1] continue j += 1 failure.append(i) return failure if __name__ == "__main__": # Test 1) pattern = "abc1abc12" text1 = "alskfjaldsabc1abc1abc12k23adsfabcabc" text2 = "alskfjaldsk23adsfabcabc" assert kmp(pattern, text1) and not kmp(pattern, text2) # Test 2) pattern = "ABABX" text = "ABABZABABYABABX" assert kmp(pattern, text) # Test 3) pattern = "AAAB" text = "ABAAAAAB" assert kmp(pattern, text) # Test 4) pattern = "abcdabcy" text = "abcxabcdabxabcdabcdabcy" assert kmp(pattern, text) # Test 5) pattern = "aabaabaaa" assert get_failure_array(pattern) == [0, 1, 0, 1, 2, 3, 4, 5, 2]
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" The 5-digit number, 16807=75, is also a fifth power. Similarly, the 9-digit number, 134217728=89, is a ninth power. How many n-digit positive integers exist which are also an nth power? """ """ The maximum base can be 9 because all n-digit numbers < 10^n. Now 9**23 has 22 digits so the maximum power can be 22. Using these conclusions, we will calculate the result. """ def solution(max_base: int = 10, max_power: int = 22) -> int: """ Returns the count of all n-digit numbers which are nth power >>> solution(10, 22) 49 >>> solution(0, 0) 0 >>> solution(1, 1) 0 >>> solution(-1, -1) 0 """ bases = range(1, max_base) powers = range(1, max_power) return sum( 1 for power in powers for base in bases if len(str(base**power)) == power ) if __name__ == "__main__": print(f"{solution(10, 22) = }")
""" The 5-digit number, 16807=75, is also a fifth power. Similarly, the 9-digit number, 134217728=89, is a ninth power. How many n-digit positive integers exist which are also an nth power? """ """ The maximum base can be 9 because all n-digit numbers < 10^n. Now 9**23 has 22 digits so the maximum power can be 22. Using these conclusions, we will calculate the result. """ def solution(max_base: int = 10, max_power: int = 22) -> int: """ Returns the count of all n-digit numbers which are nth power >>> solution(10, 22) 49 >>> solution(0, 0) 0 >>> solution(1, 1) 0 >>> solution(-1, -1) 0 """ bases = range(1, max_base) powers = range(1, max_power) return sum( 1 for power in powers for base in bases if len(str(base**power)) == power ) if __name__ == "__main__": print(f"{solution(10, 22) = }")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - 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@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - 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@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - 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@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Combinatoric selections Problem 47 The first two consecutive numbers to have two distinct prime factors are: 14 = 2 × 7 15 = 3 × 5 The first three consecutive numbers to have three distinct prime factors are: 644 = 2² × 7 × 23 645 = 3 × 5 × 43 646 = 2 × 17 × 19. Find the first four consecutive integers to have four distinct prime factors each. What is the first of these numbers? """ from functools import lru_cache def unique_prime_factors(n: int) -> set: """ Find unique prime factors of an integer. Tests include sorting because only the set really matters, not the order in which it is produced. >>> sorted(set(unique_prime_factors(14))) [2, 7] >>> sorted(set(unique_prime_factors(644))) [2, 7, 23] >>> sorted(set(unique_prime_factors(646))) [2, 17, 19] """ i = 2 factors = set() while i * i <= n: if n % i: i += 1 else: n //= i factors.add(i) if n > 1: factors.add(n) return factors @lru_cache def upf_len(num: int) -> int: """ Memoize upf() length results for a given value. >>> upf_len(14) 2 """ return len(unique_prime_factors(num)) def equality(iterable: list) -> bool: """ Check equality of ALL elements in an interable. >>> equality([1, 2, 3, 4]) False >>> equality([2, 2, 2, 2]) True >>> equality([1, 2, 3, 2, 1]) False """ return len(set(iterable)) in (0, 1) def run(n: int) -> list: """ Runs core process to find problem solution. >>> run(3) [644, 645, 646] """ # Incrementor variable for our group list comprehension. # This serves as the first number in each list of values # to test. base = 2 while True: # Increment each value of a generated range group = [base + i for i in range(n)] # Run elements through out unique_prime_factors function # Append our target number to the end. checker = [upf_len(x) for x in group] checker.append(n) # If all numbers in the list are equal, return the group variable. if equality(checker): return group # Increment our base variable by 1 base += 1 def solution(n: int = 4) -> int: """Return the first value of the first four consecutive integers to have four distinct prime factors each. >>> solution() 134043 """ results = run(n) return results[0] if len(results) else None if __name__ == "__main__": print(solution())
""" Combinatoric selections Problem 47 The first two consecutive numbers to have two distinct prime factors are: 14 = 2 × 7 15 = 3 × 5 The first three consecutive numbers to have three distinct prime factors are: 644 = 2² × 7 × 23 645 = 3 × 5 × 43 646 = 2 × 17 × 19. Find the first four consecutive integers to have four distinct prime factors each. What is the first of these numbers? """ from functools import lru_cache def unique_prime_factors(n: int) -> set: """ Find unique prime factors of an integer. Tests include sorting because only the set really matters, not the order in which it is produced. >>> sorted(set(unique_prime_factors(14))) [2, 7] >>> sorted(set(unique_prime_factors(644))) [2, 7, 23] >>> sorted(set(unique_prime_factors(646))) [2, 17, 19] """ i = 2 factors = set() while i * i <= n: if n % i: i += 1 else: n //= i factors.add(i) if n > 1: factors.add(n) return factors @lru_cache def upf_len(num: int) -> int: """ Memoize upf() length results for a given value. >>> upf_len(14) 2 """ return len(unique_prime_factors(num)) def equality(iterable: list) -> bool: """ Check equality of ALL elements in an interable. >>> equality([1, 2, 3, 4]) False >>> equality([2, 2, 2, 2]) True >>> equality([1, 2, 3, 2, 1]) False """ return len(set(iterable)) in (0, 1) def run(n: int) -> list: """ Runs core process to find problem solution. >>> run(3) [644, 645, 646] """ # Incrementor variable for our group list comprehension. # This serves as the first number in each list of values # to test. base = 2 while True: # Increment each value of a generated range group = [base + i for i in range(n)] # Run elements through out unique_prime_factors function # Append our target number to the end. checker = [upf_len(x) for x in group] checker.append(n) # If all numbers in the list are equal, return the group variable. if equality(checker): return group # Increment our base variable by 1 base += 1 def solution(n: int = 4) -> int: """Return the first value of the first four consecutive integers to have four distinct prime factors each. >>> solution() 134043 """ results = run(n) return results[0] if len(results) else None if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from binascii import hexlify from hashlib import sha256 from os import urandom # RFC 3526 - More Modular Exponential (MODP) Diffie-Hellman groups for # Internet Key Exchange (IKE) https://tools.ietf.org/html/rfc3526 primes = { # 1536-bit 5: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA237327FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 2048-bit 14: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AACAA68FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 3072-bit 15: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A93AD2CAFFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 4096-bit 16: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A92108011A723C12A787E6D7" + "88719A10BDBA5B2699C327186AF4E23C1A946834B6150BDA" + "2583E9CA2AD44CE8DBBBC2DB04DE8EF92E8EFC141FBECAA6" + "287C59474E6BC05D99B2964FA090C3A2233BA186515BE7ED" + "1F612970CEE2D7AFB81BDD762170481CD0069127D5B05AA9" + "93B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934063199" + "FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 6144-bit 17: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E08" + "8A67CC74020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B" + "302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9" + "A637ED6B0BFF5CB6F406B7EDEE386BFB5A899FA5AE9F24117C4B1FE6" + "49286651ECE45B3DC2007CB8A163BF0598DA48361C55D39A69163FA8" + "FD24CF5F83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3BE39E772C" + "180E86039B2783A2EC07A28FB5C55DF06F4C52C9DE2BCBF695581718" + "3995497CEA956AE515D2261898FA051015728E5A8AAAC42DAD33170D" + "04507A33A85521ABDF1CBA64ECFB850458DBEF0A8AEA71575D060C7D" + "B3970F85A6E1E4C7ABF5AE8CDB0933D71E8C94E04A25619DCEE3D226" + "1AD2EE6BF12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB3143DB5BFC" + "E0FD108E4B82D120A92108011A723C12A787E6D788719A10BDBA5B26" + "99C327186AF4E23C1A946834B6150BDA2583E9CA2AD44CE8DBBBC2DB" + "04DE8EF92E8EFC141FBECAA6287C59474E6BC05D99B2964FA090C3A2" + "233BA186515BE7ED1F612970CEE2D7AFB81BDD762170481CD0069127" + "D5B05AA993B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934028492" + "36C3FAB4D27C7026C1D4DCB2602646DEC9751E763DBA37BDF8FF9406" + "AD9E530EE5DB382F413001AEB06A53ED9027D831179727B0865A8918" + "DA3EDBEBCF9B14ED44CE6CBACED4BB1BDB7F1447E6CC254B33205151" + "2BD7AF426FB8F401378CD2BF5983CA01C64B92ECF032EA15D1721D03" + "F482D7CE6E74FEF6D55E702F46980C82B5A84031900B1C9E59E7C97F" + "BEC7E8F323A97A7E36CC88BE0F1D45B7FF585AC54BD407B22B4154AA" + "CC8F6D7EBF48E1D814CC5ED20F8037E0A79715EEF29BE32806A1D58B" + "B7C5DA76F550AA3D8A1FBFF0EB19CCB1A313D55CDA56C9EC2EF29632" + "387FE8D76E3C0468043E8F663F4860EE12BF2D5B0B7474D6E694F91E" + "6DCC4024FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 8192-bit 18: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A92108011A723C12A787E6D7" + "88719A10BDBA5B2699C327186AF4E23C1A946834B6150BDA" + "2583E9CA2AD44CE8DBBBC2DB04DE8EF92E8EFC141FBECAA6" + "287C59474E6BC05D99B2964FA090C3A2233BA186515BE7ED" + "1F612970CEE2D7AFB81BDD762170481CD0069127D5B05AA9" + "93B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934028492" + "36C3FAB4D27C7026C1D4DCB2602646DEC9751E763DBA37BD" + "F8FF9406AD9E530EE5DB382F413001AEB06A53ED9027D831" + "179727B0865A8918DA3EDBEBCF9B14ED44CE6CBACED4BB1B" + "DB7F1447E6CC254B332051512BD7AF426FB8F401378CD2BF" + "5983CA01C64B92ECF032EA15D1721D03F482D7CE6E74FEF6" + "D55E702F46980C82B5A84031900B1C9E59E7C97FBEC7E8F3" + "23A97A7E36CC88BE0F1D45B7FF585AC54BD407B22B4154AA" + "CC8F6D7EBF48E1D814CC5ED20F8037E0A79715EEF29BE328" + "06A1D58BB7C5DA76F550AA3D8A1FBFF0EB19CCB1A313D55C" + "DA56C9EC2EF29632387FE8D76E3C0468043E8F663F4860EE" + "12BF2D5B0B7474D6E694F91E6DBE115974A3926F12FEE5E4" + "38777CB6A932DF8CD8BEC4D073B931BA3BC832B68D9DD300" + "741FA7BF8AFC47ED2576F6936BA424663AAB639C5AE4F568" + "3423B4742BF1C978238F16CBE39D652DE3FDB8BEFC848AD9" + "22222E04A4037C0713EB57A81A23F0C73473FC646CEA306B" + "4BCBC8862F8385DDFA9D4B7FA2C087E879683303ED5BDD3A" + "062B3CF5B3A278A66D2A13F83F44F82DDF310EE074AB6A36" + "4597E899A0255DC164F31CC50846851DF9AB48195DED7EA1" + "B1D510BD7EE74D73FAF36BC31ECFA268359046F4EB879F92" + "4009438B481C6CD7889A002ED5EE382BC9190DA6FC026E47" + "9558E4475677E9AA9E3050E2765694DFC81F56E880B96E71" + "60C980DD98EDD3DFFFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, } class DiffieHellman: """ Class to represent the Diffie-Hellman key exchange protocol >>> alice = DiffieHellman() >>> bob = DiffieHellman() >>> alice_private = alice.get_private_key() >>> alice_public = alice.generate_public_key() >>> bob_private = bob.get_private_key() >>> bob_public = bob.generate_public_key() >>> # generating shared key using the DH object >>> alice_shared = alice.generate_shared_key(bob_public) >>> bob_shared = bob.generate_shared_key(alice_public) >>> assert alice_shared == bob_shared >>> # generating shared key using static methods >>> alice_shared = DiffieHellman.generate_shared_key_static( ... alice_private, bob_public ... ) >>> bob_shared = DiffieHellman.generate_shared_key_static( ... bob_private, alice_public ... ) >>> assert alice_shared == bob_shared """ # Current minimum recommendation is 2048 bit (group 14) def __init__(self, group: int = 14) -> None: if group not in primes: raise ValueError("Unsupported Group") self.prime = primes[group]["prime"] self.generator = primes[group]["generator"] self.__private_key = int(hexlify(urandom(32)), base=16) def get_private_key(self) -> str: return hex(self.__private_key)[2:] def generate_public_key(self) -> str: public_key = pow(self.generator, self.__private_key, self.prime) return hex(public_key)[2:] def is_valid_public_key(self, key: int) -> bool: # check if the other public key is valid based on NIST SP800-56 if 2 <= key and key <= self.prime - 2: if pow(key, (self.prime - 1) // 2, self.prime) == 1: return True return False def generate_shared_key(self, other_key_str: str) -> str: other_key = int(other_key_str, base=16) if not self.is_valid_public_key(other_key): raise ValueError("Invalid public key") shared_key = pow(other_key, self.__private_key, self.prime) return sha256(str(shared_key).encode()).hexdigest() @staticmethod def is_valid_public_key_static(remote_public_key_str: int, prime: int) -> bool: # check if the other public key is valid based on NIST SP800-56 if 2 <= remote_public_key_str and remote_public_key_str <= prime - 2: if pow(remote_public_key_str, (prime - 1) // 2, prime) == 1: return True return False @staticmethod def generate_shared_key_static( local_private_key_str: str, remote_public_key_str: str, group: int = 14 ) -> str: local_private_key = int(local_private_key_str, base=16) remote_public_key = int(remote_public_key_str, base=16) prime = primes[group]["prime"] if not DiffieHellman.is_valid_public_key_static(remote_public_key, prime): raise ValueError("Invalid public key") shared_key = pow(remote_public_key, local_private_key, prime) return sha256(str(shared_key).encode()).hexdigest() if __name__ == "__main__": import doctest doctest.testmod()
from binascii import hexlify from hashlib import sha256 from os import urandom # RFC 3526 - More Modular Exponential (MODP) Diffie-Hellman groups for # Internet Key Exchange (IKE) https://tools.ietf.org/html/rfc3526 primes = { # 1536-bit 5: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA237327FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 2048-bit 14: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AACAA68FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 3072-bit 15: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A93AD2CAFFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 4096-bit 16: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A92108011A723C12A787E6D7" + "88719A10BDBA5B2699C327186AF4E23C1A946834B6150BDA" + "2583E9CA2AD44CE8DBBBC2DB04DE8EF92E8EFC141FBECAA6" + "287C59474E6BC05D99B2964FA090C3A2233BA186515BE7ED" + "1F612970CEE2D7AFB81BDD762170481CD0069127D5B05AA9" + "93B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934063199" + "FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 6144-bit 17: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E08" + "8A67CC74020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B" + "302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9" + "A637ED6B0BFF5CB6F406B7EDEE386BFB5A899FA5AE9F24117C4B1FE6" + "49286651ECE45B3DC2007CB8A163BF0598DA48361C55D39A69163FA8" + "FD24CF5F83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3BE39E772C" + "180E86039B2783A2EC07A28FB5C55DF06F4C52C9DE2BCBF695581718" + "3995497CEA956AE515D2261898FA051015728E5A8AAAC42DAD33170D" + "04507A33A85521ABDF1CBA64ECFB850458DBEF0A8AEA71575D060C7D" + "B3970F85A6E1E4C7ABF5AE8CDB0933D71E8C94E04A25619DCEE3D226" + "1AD2EE6BF12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB3143DB5BFC" + "E0FD108E4B82D120A92108011A723C12A787E6D788719A10BDBA5B26" + "99C327186AF4E23C1A946834B6150BDA2583E9CA2AD44CE8DBBBC2DB" + "04DE8EF92E8EFC141FBECAA6287C59474E6BC05D99B2964FA090C3A2" + "233BA186515BE7ED1F612970CEE2D7AFB81BDD762170481CD0069127" + "D5B05AA993B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934028492" + "36C3FAB4D27C7026C1D4DCB2602646DEC9751E763DBA37BDF8FF9406" + "AD9E530EE5DB382F413001AEB06A53ED9027D831179727B0865A8918" + "DA3EDBEBCF9B14ED44CE6CBACED4BB1BDB7F1447E6CC254B33205151" + "2BD7AF426FB8F401378CD2BF5983CA01C64B92ECF032EA15D1721D03" + "F482D7CE6E74FEF6D55E702F46980C82B5A84031900B1C9E59E7C97F" + "BEC7E8F323A97A7E36CC88BE0F1D45B7FF585AC54BD407B22B4154AA" + "CC8F6D7EBF48E1D814CC5ED20F8037E0A79715EEF29BE32806A1D58B" + "B7C5DA76F550AA3D8A1FBFF0EB19CCB1A313D55CDA56C9EC2EF29632" + "387FE8D76E3C0468043E8F663F4860EE12BF2D5B0B7474D6E694F91E" + "6DCC4024FFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, # 8192-bit 18: { "prime": int( "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD1" + "29024E088A67CC74020BBEA63B139B22514A08798E3404DD" + "EF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245" + "E485B576625E7EC6F44C42E9A637ED6B0BFF5CB6F406B7ED" + "EE386BFB5A899FA5AE9F24117C4B1FE649286651ECE45B3D" + "C2007CB8A163BF0598DA48361C55D39A69163FA8FD24CF5F" + "83655D23DCA3AD961C62F356208552BB9ED529077096966D" + "670C354E4ABC9804F1746C08CA18217C32905E462E36CE3B" + "E39E772C180E86039B2783A2EC07A28FB5C55DF06F4C52C9" + "DE2BCBF6955817183995497CEA956AE515D2261898FA0510" + "15728E5A8AAAC42DAD33170D04507A33A85521ABDF1CBA64" + "ECFB850458DBEF0A8AEA71575D060C7DB3970F85A6E1E4C7" + "ABF5AE8CDB0933D71E8C94E04A25619DCEE3D2261AD2EE6B" + "F12FFA06D98A0864D87602733EC86A64521F2B18177B200C" + "BBE117577A615D6C770988C0BAD946E208E24FA074E5AB31" + "43DB5BFCE0FD108E4B82D120A92108011A723C12A787E6D7" + "88719A10BDBA5B2699C327186AF4E23C1A946834B6150BDA" + "2583E9CA2AD44CE8DBBBC2DB04DE8EF92E8EFC141FBECAA6" + "287C59474E6BC05D99B2964FA090C3A2233BA186515BE7ED" + "1F612970CEE2D7AFB81BDD762170481CD0069127D5B05AA9" + "93B4EA988D8FDDC186FFB7DC90A6C08F4DF435C934028492" + "36C3FAB4D27C7026C1D4DCB2602646DEC9751E763DBA37BD" + "F8FF9406AD9E530EE5DB382F413001AEB06A53ED9027D831" + "179727B0865A8918DA3EDBEBCF9B14ED44CE6CBACED4BB1B" + "DB7F1447E6CC254B332051512BD7AF426FB8F401378CD2BF" + "5983CA01C64B92ECF032EA15D1721D03F482D7CE6E74FEF6" + "D55E702F46980C82B5A84031900B1C9E59E7C97FBEC7E8F3" + "23A97A7E36CC88BE0F1D45B7FF585AC54BD407B22B4154AA" + "CC8F6D7EBF48E1D814CC5ED20F8037E0A79715EEF29BE328" + "06A1D58BB7C5DA76F550AA3D8A1FBFF0EB19CCB1A313D55C" + "DA56C9EC2EF29632387FE8D76E3C0468043E8F663F4860EE" + "12BF2D5B0B7474D6E694F91E6DBE115974A3926F12FEE5E4" + "38777CB6A932DF8CD8BEC4D073B931BA3BC832B68D9DD300" + "741FA7BF8AFC47ED2576F6936BA424663AAB639C5AE4F568" + "3423B4742BF1C978238F16CBE39D652DE3FDB8BEFC848AD9" + "22222E04A4037C0713EB57A81A23F0C73473FC646CEA306B" + "4BCBC8862F8385DDFA9D4B7FA2C087E879683303ED5BDD3A" + "062B3CF5B3A278A66D2A13F83F44F82DDF310EE074AB6A36" + "4597E899A0255DC164F31CC50846851DF9AB48195DED7EA1" + "B1D510BD7EE74D73FAF36BC31ECFA268359046F4EB879F92" + "4009438B481C6CD7889A002ED5EE382BC9190DA6FC026E47" + "9558E4475677E9AA9E3050E2765694DFC81F56E880B96E71" + "60C980DD98EDD3DFFFFFFFFFFFFFFFFF", base=16, ), "generator": 2, }, } class DiffieHellman: """ Class to represent the Diffie-Hellman key exchange protocol >>> alice = DiffieHellman() >>> bob = DiffieHellman() >>> alice_private = alice.get_private_key() >>> alice_public = alice.generate_public_key() >>> bob_private = bob.get_private_key() >>> bob_public = bob.generate_public_key() >>> # generating shared key using the DH object >>> alice_shared = alice.generate_shared_key(bob_public) >>> bob_shared = bob.generate_shared_key(alice_public) >>> assert alice_shared == bob_shared >>> # generating shared key using static methods >>> alice_shared = DiffieHellman.generate_shared_key_static( ... alice_private, bob_public ... ) >>> bob_shared = DiffieHellman.generate_shared_key_static( ... bob_private, alice_public ... ) >>> assert alice_shared == bob_shared """ # Current minimum recommendation is 2048 bit (group 14) def __init__(self, group: int = 14) -> None: if group not in primes: raise ValueError("Unsupported Group") self.prime = primes[group]["prime"] self.generator = primes[group]["generator"] self.__private_key = int(hexlify(urandom(32)), base=16) def get_private_key(self) -> str: return hex(self.__private_key)[2:] def generate_public_key(self) -> str: public_key = pow(self.generator, self.__private_key, self.prime) return hex(public_key)[2:] def is_valid_public_key(self, key: int) -> bool: # check if the other public key is valid based on NIST SP800-56 if 2 <= key and key <= self.prime - 2: if pow(key, (self.prime - 1) // 2, self.prime) == 1: return True return False def generate_shared_key(self, other_key_str: str) -> str: other_key = int(other_key_str, base=16) if not self.is_valid_public_key(other_key): raise ValueError("Invalid public key") shared_key = pow(other_key, self.__private_key, self.prime) return sha256(str(shared_key).encode()).hexdigest() @staticmethod def is_valid_public_key_static(remote_public_key_str: int, prime: int) -> bool: # check if the other public key is valid based on NIST SP800-56 if 2 <= remote_public_key_str and remote_public_key_str <= prime - 2: if pow(remote_public_key_str, (prime - 1) // 2, prime) == 1: return True return False @staticmethod def generate_shared_key_static( local_private_key_str: str, remote_public_key_str: str, group: int = 14 ) -> str: local_private_key = int(local_private_key_str, base=16) remote_public_key = int(remote_public_key_str, base=16) prime = primes[group]["prime"] if not DiffieHellman.is_valid_public_key_static(remote_public_key, prime): raise ValueError("Invalid public key") shared_key = pow(remote_public_key, local_private_key, prime) return sha256(str(shared_key).encode()).hexdigest() if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" This is a pure Python implementation of the bogosort algorithm, also known as permutation sort, stupid sort, slowsort, shotgun sort, or monkey sort. Bogosort generates random permutations until it guesses the correct one. More info on: https://en.wikipedia.org/wiki/Bogosort For doctests run following command: python -m doctest -v bogo_sort.py or python3 -m doctest -v bogo_sort.py For manual testing run: python bogo_sort.py """ import random def bogo_sort(collection): """Pure implementation of the bogosort algorithm in Python :param collection: some mutable ordered collection with heterogeneous comparable items inside :return: the same collection ordered by ascending Examples: >>> bogo_sort([0, 5, 3, 2, 2]) [0, 2, 2, 3, 5] >>> bogo_sort([]) [] >>> bogo_sort([-2, -5, -45]) [-45, -5, -2] """ def is_sorted(collection): if len(collection) < 2: return True for i in range(len(collection) - 1): if collection[i] > collection[i + 1]: return False return True while not is_sorted(collection): random.shuffle(collection) return collection if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() unsorted = [int(item) for item in user_input.split(",")] print(bogo_sort(unsorted))
""" This is a pure Python implementation of the bogosort algorithm, also known as permutation sort, stupid sort, slowsort, shotgun sort, or monkey sort. Bogosort generates random permutations until it guesses the correct one. More info on: https://en.wikipedia.org/wiki/Bogosort For doctests run following command: python -m doctest -v bogo_sort.py or python3 -m doctest -v bogo_sort.py For manual testing run: python bogo_sort.py """ import random def bogo_sort(collection): """Pure implementation of the bogosort algorithm in Python :param collection: some mutable ordered collection with heterogeneous comparable items inside :return: the same collection ordered by ascending Examples: >>> bogo_sort([0, 5, 3, 2, 2]) [0, 2, 2, 3, 5] >>> bogo_sort([]) [] >>> bogo_sort([-2, -5, -45]) [-45, -5, -2] """ def is_sorted(collection): if len(collection) < 2: return True for i in range(len(collection) - 1): if collection[i] > collection[i + 1]: return False return True while not is_sorted(collection): random.shuffle(collection) return collection if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() unsorted = [int(item) for item in user_input.split(",")] print(bogo_sort(unsorted))
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Created on Mon Feb 26 14:29:11 2018 @author: Christian Bender @license: MIT-license This module contains some useful classes and functions for dealing with linear algebra in python. Overview: - class Vector - function zero_vector(dimension) - function unit_basis_vector(dimension, pos) - function axpy(scalar, vector1, vector2) - function random_vector(N, a, b) - class Matrix - function square_zero_matrix(N) - function random_matrix(W, H, a, b) """ from __future__ import annotations import math import random from collections.abc import Collection from typing import overload class Vector: """ This class represents a vector of arbitrary size. You need to give the vector components. Overview of the methods: __init__(components: Collection[float] | None): init the vector __len__(): gets the size of the vector (number of components) __str__(): returns a string representation __add__(other: Vector): vector addition __sub__(other: Vector): vector subtraction __mul__(other: float): scalar multiplication __mul__(other: Vector): dot product set(components: Collection[float]): changes the vector components copy(): copies this vector and returns it component(i): gets the i-th component (0-indexed) change_component(pos: int, value: float): changes specified component euclidean_length(): returns the euclidean length of the vector angle(other: Vector, deg: bool): returns the angle between two vectors TODO: compare-operator """ def __init__(self, components: Collection[float] | None = None) -> None: """ input: components or nothing simple constructor for init the vector """ if components is None: components = [] self.__components = list(components) def __len__(self) -> int: """ returns the size of the vector """ return len(self.__components) def __str__(self) -> str: """ returns a string representation of the vector """ return "(" + ",".join(map(str, self.__components)) + ")" def __add__(self, other: Vector) -> Vector: """ input: other vector assumes: other vector has the same size returns a new vector that represents the sum. """ size = len(self) if size == len(other): result = [self.__components[i] + other.component(i) for i in range(size)] return Vector(result) else: raise Exception("must have the same size") def __sub__(self, other: Vector) -> Vector: """ input: other vector assumes: other vector has the same size returns a new vector that represents the difference. """ size = len(self) if size == len(other): result = [self.__components[i] - other.component(i) for i in range(size)] return Vector(result) else: # error case raise Exception("must have the same size") @overload def __mul__(self, other: float) -> Vector: ... @overload def __mul__(self, other: Vector) -> float: ... def __mul__(self, other: float | Vector) -> float | Vector: """ mul implements the scalar multiplication and the dot-product """ if isinstance(other, float) or isinstance(other, int): ans = [c * other for c in self.__components] return Vector(ans) elif isinstance(other, Vector) and len(self) == len(other): size = len(self) prods = [self.__components[i] * other.component(i) for i in range(size)] return sum(prods) else: # error case raise Exception("invalid operand!") def set(self, components: Collection[float]) -> None: """ input: new components changes the components of the vector. replaces the components with newer one. """ if len(components) > 0: self.__components = list(components) else: raise Exception("please give any vector") def copy(self) -> Vector: """ copies this vector and returns it. """ return Vector(self.__components) def component(self, i: int) -> float: """ input: index (0-indexed) output: the i-th component of the vector. """ if type(i) is int and -len(self.__components) <= i < len(self.__components): return self.__components[i] else: raise Exception("index out of range") def change_component(self, pos: int, value: float) -> None: """ input: an index (pos) and a value changes the specified component (pos) with the 'value' """ # precondition assert -len(self.__components) <= pos < len(self.__components) self.__components[pos] = value def euclidean_length(self) -> float: """ returns the euclidean length of the vector >>> Vector([2, 3, 4]).euclidean_length() 5.385164807134504 >>> Vector([1]).euclidean_length() 1.0 >>> Vector([0, -1, -2, -3, 4, 5, 6]).euclidean_length() 9.539392014169456 >>> Vector([]).euclidean_length() Traceback (most recent call last): ... Exception: Vector is empty """ if len(self.__components) == 0: raise Exception("Vector is empty") squares = [c**2 for c in self.__components] return math.sqrt(sum(squares)) def angle(self, other: Vector, deg: bool = False) -> float: """ find angle between two Vector (self, Vector) >>> Vector([3, 4, -1]).angle(Vector([2, -1, 1])) 1.4906464636572374 >>> Vector([3, 4, -1]).angle(Vector([2, -1, 1]), deg = True) 85.40775111366095 >>> Vector([3, 4, -1]).angle(Vector([2, -1])) Traceback (most recent call last): ... Exception: invalid operand! """ num = self * other den = self.euclidean_length() * other.euclidean_length() if deg: return math.degrees(math.acos(num / den)) else: return math.acos(num / den) def zero_vector(dimension: int) -> Vector: """ returns a zero-vector of size 'dimension' """ # precondition assert isinstance(dimension, int) return Vector([0] * dimension) def unit_basis_vector(dimension: int, pos: int) -> Vector: """ returns a unit basis vector with a One at index 'pos' (indexing at 0) """ # precondition assert isinstance(dimension, int) and (isinstance(pos, int)) ans = [0] * dimension ans[pos] = 1 return Vector(ans) def axpy(scalar: float, x: Vector, y: Vector) -> Vector: """ input: a 'scalar' and two vectors 'x' and 'y' output: a vector computes the axpy operation """ # precondition assert ( isinstance(x, Vector) and isinstance(y, Vector) and (isinstance(scalar, int) or isinstance(scalar, float)) ) return x * scalar + y def random_vector(n: int, a: int, b: int) -> Vector: """ input: size (N) of the vector. random range (a,b) output: returns a random vector of size N, with random integer components between 'a' and 'b'. """ random.seed(None) ans = [random.randint(a, b) for _ in range(n)] return Vector(ans) class Matrix: """ class: Matrix This class represents an arbitrary matrix. Overview of the methods: __init__(): __str__(): returns a string representation __add__(other: Matrix): matrix addition __sub__(other: Matrix): matrix subtraction __mul__(other: float): scalar multiplication __mul__(other: Vector): vector multiplication height() : returns height width() : returns width component(x: int, y: int): returns specified component change_component(x: int, y: int, value: float): changes specified component minor(x: int, y: int): returns minor along (x, y) cofactor(x: int, y: int): returns cofactor along (x, y) determinant() : returns determinant """ def __init__(self, matrix: list[list[float]], w: int, h: int) -> None: """ simple constructor for initializing the matrix with components. """ self.__matrix = matrix self.__width = w self.__height = h def __str__(self) -> str: """ returns a string representation of this matrix. """ ans = "" for i in range(self.__height): ans += "|" for j in range(self.__width): if j < self.__width - 1: ans += str(self.__matrix[i][j]) + "," else: ans += str(self.__matrix[i][j]) + "|\n" return ans def __add__(self, other: Matrix) -> Matrix: """ implements matrix addition. """ if self.__width == other.width() and self.__height == other.height(): matrix = [] for i in range(self.__height): row = [ self.__matrix[i][j] + other.component(i, j) for j in range(self.__width) ] matrix.append(row) return Matrix(matrix, self.__width, self.__height) else: raise Exception("matrix must have the same dimension!") def __sub__(self, other: Matrix) -> Matrix: """ implements matrix subtraction. """ if self.__width == other.width() and self.__height == other.height(): matrix = [] for i in range(self.__height): row = [ self.__matrix[i][j] - other.component(i, j) for j in range(self.__width) ] matrix.append(row) return Matrix(matrix, self.__width, self.__height) else: raise Exception("matrices must have the same dimension!") @overload def __mul__(self, other: float) -> Matrix: ... @overload def __mul__(self, other: Vector) -> Vector: ... def __mul__(self, other: float | Vector) -> Vector | Matrix: """ implements the matrix-vector multiplication. implements the matrix-scalar multiplication """ if isinstance(other, Vector): # matrix-vector if len(other) == self.__width: ans = zero_vector(self.__height) for i in range(self.__height): prods = [ self.__matrix[i][j] * other.component(j) for j in range(self.__width) ] ans.change_component(i, sum(prods)) return ans else: raise Exception( "vector must have the same size as the " "number of columns of the matrix!" ) elif isinstance(other, int) or isinstance(other, float): # matrix-scalar matrix = [ [self.__matrix[i][j] * other for j in range(self.__width)] for i in range(self.__height) ] return Matrix(matrix, self.__width, self.__height) def height(self) -> int: """ getter for the height """ return self.__height def width(self) -> int: """ getter for the width """ return self.__width def component(self, x: int, y: int) -> float: """ returns the specified (x,y) component """ if 0 <= x < self.__height and 0 <= y < self.__width: return self.__matrix[x][y] else: raise Exception("change_component: indices out of bounds") def change_component(self, x: int, y: int, value: float) -> None: """ changes the x-y component of this matrix """ if 0 <= x < self.__height and 0 <= y < self.__width: self.__matrix[x][y] = value else: raise Exception("change_component: indices out of bounds") def minor(self, x: int, y: int) -> float: """ returns the minor along (x, y) """ if self.__height != self.__width: raise Exception("Matrix is not square") minor = self.__matrix[:x] + self.__matrix[x + 1 :] for i in range(len(minor)): minor[i] = minor[i][:y] + minor[i][y + 1 :] return Matrix(minor, self.__width - 1, self.__height - 1).determinant() def cofactor(self, x: int, y: int) -> float: """ returns the cofactor (signed minor) along (x, y) """ if self.__height != self.__width: raise Exception("Matrix is not square") if 0 <= x < self.__height and 0 <= y < self.__width: return (-1) ** (x + y) * self.minor(x, y) else: raise Exception("Indices out of bounds") def determinant(self) -> float: """ returns the determinant of an nxn matrix using Laplace expansion """ if self.__height != self.__width: raise Exception("Matrix is not square") if self.__height < 1: raise Exception("Matrix has no element") elif self.__height == 1: return self.__matrix[0][0] elif self.__height == 2: return ( self.__matrix[0][0] * self.__matrix[1][1] - self.__matrix[0][1] * self.__matrix[1][0] ) else: cofactor_prods = [ self.__matrix[0][y] * self.cofactor(0, y) for y in range(self.__width) ] return sum(cofactor_prods) def square_zero_matrix(n: int) -> Matrix: """ returns a square zero-matrix of dimension NxN """ ans: list[list[float]] = [[0] * n for _ in range(n)] return Matrix(ans, n, n) def random_matrix(width: int, height: int, a: int, b: int) -> Matrix: """ returns a random matrix WxH with integer components between 'a' and 'b' """ random.seed(None) matrix: list[list[float]] = [ [random.randint(a, b) for _ in range(width)] for _ in range(height) ] return Matrix(matrix, width, height)
""" Created on Mon Feb 26 14:29:11 2018 @author: Christian Bender @license: MIT-license This module contains some useful classes and functions for dealing with linear algebra in python. Overview: - class Vector - function zero_vector(dimension) - function unit_basis_vector(dimension, pos) - function axpy(scalar, vector1, vector2) - function random_vector(N, a, b) - class Matrix - function square_zero_matrix(N) - function random_matrix(W, H, a, b) """ from __future__ import annotations import math import random from collections.abc import Collection from typing import overload class Vector: """ This class represents a vector of arbitrary size. You need to give the vector components. Overview of the methods: __init__(components: Collection[float] | None): init the vector __len__(): gets the size of the vector (number of components) __str__(): returns a string representation __add__(other: Vector): vector addition __sub__(other: Vector): vector subtraction __mul__(other: float): scalar multiplication __mul__(other: Vector): dot product set(components: Collection[float]): changes the vector components copy(): copies this vector and returns it component(i): gets the i-th component (0-indexed) change_component(pos: int, value: float): changes specified component euclidean_length(): returns the euclidean length of the vector angle(other: Vector, deg: bool): returns the angle between two vectors TODO: compare-operator """ def __init__(self, components: Collection[float] | None = None) -> None: """ input: components or nothing simple constructor for init the vector """ if components is None: components = [] self.__components = list(components) def __len__(self) -> int: """ returns the size of the vector """ return len(self.__components) def __str__(self) -> str: """ returns a string representation of the vector """ return "(" + ",".join(map(str, self.__components)) + ")" def __add__(self, other: Vector) -> Vector: """ input: other vector assumes: other vector has the same size returns a new vector that represents the sum. """ size = len(self) if size == len(other): result = [self.__components[i] + other.component(i) for i in range(size)] return Vector(result) else: raise Exception("must have the same size") def __sub__(self, other: Vector) -> Vector: """ input: other vector assumes: other vector has the same size returns a new vector that represents the difference. """ size = len(self) if size == len(other): result = [self.__components[i] - other.component(i) for i in range(size)] return Vector(result) else: # error case raise Exception("must have the same size") @overload def __mul__(self, other: float) -> Vector: ... @overload def __mul__(self, other: Vector) -> float: ... def __mul__(self, other: float | Vector) -> float | Vector: """ mul implements the scalar multiplication and the dot-product """ if isinstance(other, float) or isinstance(other, int): ans = [c * other for c in self.__components] return Vector(ans) elif isinstance(other, Vector) and len(self) == len(other): size = len(self) prods = [self.__components[i] * other.component(i) for i in range(size)] return sum(prods) else: # error case raise Exception("invalid operand!") def set(self, components: Collection[float]) -> None: """ input: new components changes the components of the vector. replaces the components with newer one. """ if len(components) > 0: self.__components = list(components) else: raise Exception("please give any vector") def copy(self) -> Vector: """ copies this vector and returns it. """ return Vector(self.__components) def component(self, i: int) -> float: """ input: index (0-indexed) output: the i-th component of the vector. """ if type(i) is int and -len(self.__components) <= i < len(self.__components): return self.__components[i] else: raise Exception("index out of range") def change_component(self, pos: int, value: float) -> None: """ input: an index (pos) and a value changes the specified component (pos) with the 'value' """ # precondition assert -len(self.__components) <= pos < len(self.__components) self.__components[pos] = value def euclidean_length(self) -> float: """ returns the euclidean length of the vector >>> Vector([2, 3, 4]).euclidean_length() 5.385164807134504 >>> Vector([1]).euclidean_length() 1.0 >>> Vector([0, -1, -2, -3, 4, 5, 6]).euclidean_length() 9.539392014169456 >>> Vector([]).euclidean_length() Traceback (most recent call last): ... Exception: Vector is empty """ if len(self.__components) == 0: raise Exception("Vector is empty") squares = [c**2 for c in self.__components] return math.sqrt(sum(squares)) def angle(self, other: Vector, deg: bool = False) -> float: """ find angle between two Vector (self, Vector) >>> Vector([3, 4, -1]).angle(Vector([2, -1, 1])) 1.4906464636572374 >>> Vector([3, 4, -1]).angle(Vector([2, -1, 1]), deg = True) 85.40775111366095 >>> Vector([3, 4, -1]).angle(Vector([2, -1])) Traceback (most recent call last): ... Exception: invalid operand! """ num = self * other den = self.euclidean_length() * other.euclidean_length() if deg: return math.degrees(math.acos(num / den)) else: return math.acos(num / den) def zero_vector(dimension: int) -> Vector: """ returns a zero-vector of size 'dimension' """ # precondition assert isinstance(dimension, int) return Vector([0] * dimension) def unit_basis_vector(dimension: int, pos: int) -> Vector: """ returns a unit basis vector with a One at index 'pos' (indexing at 0) """ # precondition assert isinstance(dimension, int) and (isinstance(pos, int)) ans = [0] * dimension ans[pos] = 1 return Vector(ans) def axpy(scalar: float, x: Vector, y: Vector) -> Vector: """ input: a 'scalar' and two vectors 'x' and 'y' output: a vector computes the axpy operation """ # precondition assert ( isinstance(x, Vector) and isinstance(y, Vector) and (isinstance(scalar, int) or isinstance(scalar, float)) ) return x * scalar + y def random_vector(n: int, a: int, b: int) -> Vector: """ input: size (N) of the vector. random range (a,b) output: returns a random vector of size N, with random integer components between 'a' and 'b'. """ random.seed(None) ans = [random.randint(a, b) for _ in range(n)] return Vector(ans) class Matrix: """ class: Matrix This class represents an arbitrary matrix. Overview of the methods: __init__(): __str__(): returns a string representation __add__(other: Matrix): matrix addition __sub__(other: Matrix): matrix subtraction __mul__(other: float): scalar multiplication __mul__(other: Vector): vector multiplication height() : returns height width() : returns width component(x: int, y: int): returns specified component change_component(x: int, y: int, value: float): changes specified component minor(x: int, y: int): returns minor along (x, y) cofactor(x: int, y: int): returns cofactor along (x, y) determinant() : returns determinant """ def __init__(self, matrix: list[list[float]], w: int, h: int) -> None: """ simple constructor for initializing the matrix with components. """ self.__matrix = matrix self.__width = w self.__height = h def __str__(self) -> str: """ returns a string representation of this matrix. """ ans = "" for i in range(self.__height): ans += "|" for j in range(self.__width): if j < self.__width - 1: ans += str(self.__matrix[i][j]) + "," else: ans += str(self.__matrix[i][j]) + "|\n" return ans def __add__(self, other: Matrix) -> Matrix: """ implements matrix addition. """ if self.__width == other.width() and self.__height == other.height(): matrix = [] for i in range(self.__height): row = [ self.__matrix[i][j] + other.component(i, j) for j in range(self.__width) ] matrix.append(row) return Matrix(matrix, self.__width, self.__height) else: raise Exception("matrix must have the same dimension!") def __sub__(self, other: Matrix) -> Matrix: """ implements matrix subtraction. """ if self.__width == other.width() and self.__height == other.height(): matrix = [] for i in range(self.__height): row = [ self.__matrix[i][j] - other.component(i, j) for j in range(self.__width) ] matrix.append(row) return Matrix(matrix, self.__width, self.__height) else: raise Exception("matrices must have the same dimension!") @overload def __mul__(self, other: float) -> Matrix: ... @overload def __mul__(self, other: Vector) -> Vector: ... def __mul__(self, other: float | Vector) -> Vector | Matrix: """ implements the matrix-vector multiplication. implements the matrix-scalar multiplication """ if isinstance(other, Vector): # matrix-vector if len(other) == self.__width: ans = zero_vector(self.__height) for i in range(self.__height): prods = [ self.__matrix[i][j] * other.component(j) for j in range(self.__width) ] ans.change_component(i, sum(prods)) return ans else: raise Exception( "vector must have the same size as the " "number of columns of the matrix!" ) elif isinstance(other, int) or isinstance(other, float): # matrix-scalar matrix = [ [self.__matrix[i][j] * other for j in range(self.__width)] for i in range(self.__height) ] return Matrix(matrix, self.__width, self.__height) def height(self) -> int: """ getter for the height """ return self.__height def width(self) -> int: """ getter for the width """ return self.__width def component(self, x: int, y: int) -> float: """ returns the specified (x,y) component """ if 0 <= x < self.__height and 0 <= y < self.__width: return self.__matrix[x][y] else: raise Exception("change_component: indices out of bounds") def change_component(self, x: int, y: int, value: float) -> None: """ changes the x-y component of this matrix """ if 0 <= x < self.__height and 0 <= y < self.__width: self.__matrix[x][y] = value else: raise Exception("change_component: indices out of bounds") def minor(self, x: int, y: int) -> float: """ returns the minor along (x, y) """ if self.__height != self.__width: raise Exception("Matrix is not square") minor = self.__matrix[:x] + self.__matrix[x + 1 :] for i in range(len(minor)): minor[i] = minor[i][:y] + minor[i][y + 1 :] return Matrix(minor, self.__width - 1, self.__height - 1).determinant() def cofactor(self, x: int, y: int) -> float: """ returns the cofactor (signed minor) along (x, y) """ if self.__height != self.__width: raise Exception("Matrix is not square") if 0 <= x < self.__height and 0 <= y < self.__width: return (-1) ** (x + y) * self.minor(x, y) else: raise Exception("Indices out of bounds") def determinant(self) -> float: """ returns the determinant of an nxn matrix using Laplace expansion """ if self.__height != self.__width: raise Exception("Matrix is not square") if self.__height < 1: raise Exception("Matrix has no element") elif self.__height == 1: return self.__matrix[0][0] elif self.__height == 2: return ( self.__matrix[0][0] * self.__matrix[1][1] - self.__matrix[0][1] * self.__matrix[1][0] ) else: cofactor_prods = [ self.__matrix[0][y] * self.cofactor(0, y) for y in range(self.__width) ] return sum(cofactor_prods) def square_zero_matrix(n: int) -> Matrix: """ returns a square zero-matrix of dimension NxN """ ans: list[list[float]] = [[0] * n for _ in range(n)] return Matrix(ans, n, n) def random_matrix(width: int, height: int, a: int, b: int) -> Matrix: """ returns a random matrix WxH with integer components between 'a' and 'b' """ random.seed(None) matrix: list[list[float]] = [ [random.randint(a, b) for _ in range(width)] for _ in range(height) ] return Matrix(matrix, width, height)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - uses: actions/cache@v3 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
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@v3 - uses: actions/setup-python@v4 with: python-version: 3.x - uses: actions/cache@v3 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/bin/python3 # Doomsday algorithm info: https://en.wikipedia.org/wiki/Doomsday_rule DOOMSDAY_LEAP = [4, 1, 7, 4, 2, 6, 4, 1, 5, 3, 7, 5] DOOMSDAY_NOT_LEAP = [3, 7, 7, 4, 2, 6, 4, 1, 5, 3, 7, 5] WEEK_DAY_NAMES = { 0: "Sunday", 1: "Monday", 2: "Tuesday", 3: "Wednesday", 4: "Thursday", 5: "Friday", 6: "Saturday", } def get_week_day(year: int, month: int, day: int) -> str: """Returns the week-day name out of a given date. >>> get_week_day(2020, 10, 24) 'Saturday' >>> get_week_day(2017, 10, 24) 'Tuesday' >>> get_week_day(2019, 5, 3) 'Friday' >>> get_week_day(1970, 9, 16) 'Wednesday' >>> get_week_day(1870, 8, 13) 'Saturday' >>> get_week_day(2040, 3, 14) 'Wednesday' """ # minimal input check: assert len(str(year)) > 2, "year should be in YYYY format" assert 1 <= month <= 12, "month should be between 1 to 12" assert 1 <= day <= 31, "day should be between 1 to 31" # Doomsday algorithm: century = year // 100 century_anchor = (5 * (century % 4) + 2) % 7 centurian = year % 100 centurian_m = centurian % 12 dooms_day = ( (centurian // 12) + centurian_m + (centurian_m // 4) + century_anchor ) % 7 day_anchor = ( DOOMSDAY_NOT_LEAP[month - 1] if (year % 4 != 0) or (centurian == 0 and (year % 400) == 0) else DOOMSDAY_LEAP[month - 1] ) week_day = (dooms_day + day - day_anchor) % 7 return WEEK_DAY_NAMES[week_day] if __name__ == "__main__": import doctest doctest.testmod()
#!/bin/python3 # Doomsday algorithm info: https://en.wikipedia.org/wiki/Doomsday_rule DOOMSDAY_LEAP = [4, 1, 7, 4, 2, 6, 4, 1, 5, 3, 7, 5] DOOMSDAY_NOT_LEAP = [3, 7, 7, 4, 2, 6, 4, 1, 5, 3, 7, 5] WEEK_DAY_NAMES = { 0: "Sunday", 1: "Monday", 2: "Tuesday", 3: "Wednesday", 4: "Thursday", 5: "Friday", 6: "Saturday", } def get_week_day(year: int, month: int, day: int) -> str: """Returns the week-day name out of a given date. >>> get_week_day(2020, 10, 24) 'Saturday' >>> get_week_day(2017, 10, 24) 'Tuesday' >>> get_week_day(2019, 5, 3) 'Friday' >>> get_week_day(1970, 9, 16) 'Wednesday' >>> get_week_day(1870, 8, 13) 'Saturday' >>> get_week_day(2040, 3, 14) 'Wednesday' """ # minimal input check: assert len(str(year)) > 2, "year should be in YYYY format" assert 1 <= month <= 12, "month should be between 1 to 12" assert 1 <= day <= 31, "day should be between 1 to 31" # Doomsday algorithm: century = year // 100 century_anchor = (5 * (century % 4) + 2) % 7 centurian = year % 100 centurian_m = centurian % 12 dooms_day = ( (centurian // 12) + centurian_m + (centurian_m // 4) + century_anchor ) % 7 day_anchor = ( DOOMSDAY_NOT_LEAP[month - 1] if (year % 4 != 0) or (centurian == 0 and (year % 400) == 0) else DOOMSDAY_LEAP[month - 1] ) week_day = (dooms_day + day - day_anchor) % 7 return WEEK_DAY_NAMES[week_day] if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 116: https://projecteuler.net/problem=116 A row of five grey square tiles is to have a number of its tiles replaced with coloured oblong tiles chosen from red (length two), green (length three), or blue (length four). If red tiles are chosen there are exactly seven ways this can be done. |red,red|grey|grey|grey| |grey|red,red|grey|grey| |grey|grey|red,red|grey| |grey|grey|grey|red,red| |red,red|red,red|grey| |red,red|grey|red,red| |grey|red,red|red,red| If green tiles are chosen there are three ways. |green,green,green|grey|grey| |grey|green,green,green|grey| |grey|grey|green,green,green| And if blue tiles are chosen there are two ways. |blue,blue,blue,blue|grey| |grey|blue,blue,blue,blue| Assuming that colours cannot be mixed there are 7 + 3 + 2 = 12 ways of replacing the grey tiles in a row measuring five units in length. How many different ways can the grey tiles in a row measuring fifty units in length be replaced if colours cannot be mixed and at least one coloured tile must be used? NOTE: This is related to Problem 117 (https://projecteuler.net/problem=117). """ def solution(length: int = 50) -> int: """ Returns the number of different ways can the grey tiles in a row of the given length be replaced if colours cannot be mixed and at least one coloured tile must be used >>> solution(5) 12 """ different_colour_ways_number = [[0] * 3 for _ in range(length + 1)] for row_length in range(length + 1): for tile_length in range(2, 5): for tile_start in range(row_length - tile_length + 1): different_colour_ways_number[row_length][tile_length - 2] += ( different_colour_ways_number[row_length - tile_start - tile_length][ tile_length - 2 ] + 1 ) return sum(different_colour_ways_number[length]) if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 116: https://projecteuler.net/problem=116 A row of five grey square tiles is to have a number of its tiles replaced with coloured oblong tiles chosen from red (length two), green (length three), or blue (length four). If red tiles are chosen there are exactly seven ways this can be done. |red,red|grey|grey|grey| |grey|red,red|grey|grey| |grey|grey|red,red|grey| |grey|grey|grey|red,red| |red,red|red,red|grey| |red,red|grey|red,red| |grey|red,red|red,red| If green tiles are chosen there are three ways. |green,green,green|grey|grey| |grey|green,green,green|grey| |grey|grey|green,green,green| And if blue tiles are chosen there are two ways. |blue,blue,blue,blue|grey| |grey|blue,blue,blue,blue| Assuming that colours cannot be mixed there are 7 + 3 + 2 = 12 ways of replacing the grey tiles in a row measuring five units in length. How many different ways can the grey tiles in a row measuring fifty units in length be replaced if colours cannot be mixed and at least one coloured tile must be used? NOTE: This is related to Problem 117 (https://projecteuler.net/problem=117). """ def solution(length: int = 50) -> int: """ Returns the number of different ways can the grey tiles in a row of the given length be replaced if colours cannot be mixed and at least one coloured tile must be used >>> solution(5) 12 """ different_colour_ways_number = [[0] * 3 for _ in range(length + 1)] for row_length in range(length + 1): for tile_length in range(2, 5): for tile_start in range(row_length - tile_length + 1): different_colour_ways_number[row_length][tile_length - 2] += ( different_colour_ways_number[row_length - tile_start - tile_length][ tile_length - 2 ] + 1 ) return sum(different_colour_ways_number[length]) if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations class IIRFilter: r""" N-Order IIR filter Assumes working with float samples normalized on [-1, 1] --- Implementation details: Based on the 2nd-order function from https://en.wikipedia.org/wiki/Digital_biquad_filter, this generalized N-order function was made. Using the following transfer function H(z)=\frac{b_{0}+b_{1}z^{-1}+b_{2}z^{-2}+...+b_{k}z^{-k}}{a_{0}+a_{1}z^{-1}+a_{2}z^{-2}+...+a_{k}z^{-k}} we can rewrite this to y[n]={\frac{1}{a_{0}}}\left(\left(b_{0}x[n]+b_{1}x[n-1]+b_{2}x[n-2]+...+b_{k}x[n-k]\right)-\left(a_{1}y[n-1]+a_{2}y[n-2]+...+a_{k}y[n-k]\right)\right) """ def __init__(self, order: int) -> None: self.order = order # a_{0} ... a_{k} self.a_coeffs = [1.0] + [0.0] * order # b_{0} ... b_{k} self.b_coeffs = [1.0] + [0.0] * order # x[n-1] ... x[n-k] self.input_history = [0.0] * self.order # y[n-1] ... y[n-k] self.output_history = [0.0] * self.order def set_coefficients(self, a_coeffs: list[float], b_coeffs: list[float]) -> None: """ Set the coefficients for the IIR filter. These should both be of size order + 1. a_0 may be left out, and it will use 1.0 as default value. This method works well with scipy's filter design functions >>> # Make a 2nd-order 1000Hz butterworth lowpass filter >>> import scipy.signal >>> b_coeffs, a_coeffs = scipy.signal.butter(2, 1000, ... btype='lowpass', ... fs=48000) >>> filt = IIRFilter(2) >>> filt.set_coefficients(a_coeffs, b_coeffs) """ if len(a_coeffs) < self.order: a_coeffs = [1.0] + a_coeffs if len(a_coeffs) != self.order + 1: raise ValueError( f"Expected a_coeffs to have {self.order + 1} elements for {self.order}" f"-order filter, got {len(a_coeffs)}" ) if len(b_coeffs) != self.order + 1: raise ValueError( f"Expected b_coeffs to have {self.order + 1} elements for {self.order}" f"-order filter, got {len(a_coeffs)}" ) self.a_coeffs = a_coeffs self.b_coeffs = b_coeffs def process(self, sample: float) -> float: """ Calculate y[n] >>> filt = IIRFilter(2) >>> filt.process(0) 0.0 """ result = 0.0 # Start at index 1 and do index 0 at the end. for i in range(1, self.order + 1): result += ( self.b_coeffs[i] * self.input_history[i - 1] - self.a_coeffs[i] * self.output_history[i - 1] ) result = (result + self.b_coeffs[0] * sample) / self.a_coeffs[0] self.input_history[1:] = self.input_history[:-1] self.output_history[1:] = self.output_history[:-1] self.input_history[0] = sample self.output_history[0] = result return result
from __future__ import annotations class IIRFilter: r""" N-Order IIR filter Assumes working with float samples normalized on [-1, 1] --- Implementation details: Based on the 2nd-order function from https://en.wikipedia.org/wiki/Digital_biquad_filter, this generalized N-order function was made. Using the following transfer function H(z)=\frac{b_{0}+b_{1}z^{-1}+b_{2}z^{-2}+...+b_{k}z^{-k}}{a_{0}+a_{1}z^{-1}+a_{2}z^{-2}+...+a_{k}z^{-k}} we can rewrite this to y[n]={\frac{1}{a_{0}}}\left(\left(b_{0}x[n]+b_{1}x[n-1]+b_{2}x[n-2]+...+b_{k}x[n-k]\right)-\left(a_{1}y[n-1]+a_{2}y[n-2]+...+a_{k}y[n-k]\right)\right) """ def __init__(self, order: int) -> None: self.order = order # a_{0} ... a_{k} self.a_coeffs = [1.0] + [0.0] * order # b_{0} ... b_{k} self.b_coeffs = [1.0] + [0.0] * order # x[n-1] ... x[n-k] self.input_history = [0.0] * self.order # y[n-1] ... y[n-k] self.output_history = [0.0] * self.order def set_coefficients(self, a_coeffs: list[float], b_coeffs: list[float]) -> None: """ Set the coefficients for the IIR filter. These should both be of size order + 1. a_0 may be left out, and it will use 1.0 as default value. This method works well with scipy's filter design functions >>> # Make a 2nd-order 1000Hz butterworth lowpass filter >>> import scipy.signal >>> b_coeffs, a_coeffs = scipy.signal.butter(2, 1000, ... btype='lowpass', ... fs=48000) >>> filt = IIRFilter(2) >>> filt.set_coefficients(a_coeffs, b_coeffs) """ if len(a_coeffs) < self.order: a_coeffs = [1.0] + a_coeffs if len(a_coeffs) != self.order + 1: raise ValueError( f"Expected a_coeffs to have {self.order + 1} elements for {self.order}" f"-order filter, got {len(a_coeffs)}" ) if len(b_coeffs) != self.order + 1: raise ValueError( f"Expected b_coeffs to have {self.order + 1} elements for {self.order}" f"-order filter, got {len(a_coeffs)}" ) self.a_coeffs = a_coeffs self.b_coeffs = b_coeffs def process(self, sample: float) -> float: """ Calculate y[n] >>> filt = IIRFilter(2) >>> filt.process(0) 0.0 """ result = 0.0 # Start at index 1 and do index 0 at the end. for i in range(1, self.order + 1): result += ( self.b_coeffs[i] * self.input_history[i - 1] - self.a_coeffs[i] * self.output_history[i - 1] ) result = (result + self.b_coeffs[0] * sample) / self.a_coeffs[0] self.input_history[1:] = self.input_history[:-1] self.output_history[1:] = self.output_history[:-1] self.input_history[0] = sample self.output_history[0] = result return result
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from collections.abc import Callable from typing import Generic, TypeVar T = TypeVar("T") U = TypeVar("U") class DoubleLinkedListNode(Generic[T, U]): """ Double Linked List Node built specifically for LRU Cache >>> DoubleLinkedListNode(1,1) Node: key: 1, val: 1, has next: False, has prev: False """ def __init__(self, key: T | None, val: U | None): self.key = key self.val = val self.next: DoubleLinkedListNode[T, U] | None = None self.prev: DoubleLinkedListNode[T, U] | None = None def __repr__(self) -> str: return ( f"Node: key: {self.key}, val: {self.val}, " f"has next: {bool(self.next)}, has prev: {bool(self.prev)}" ) class DoubleLinkedList(Generic[T, U]): """ Double Linked List built specifically for LRU Cache >>> dll: DoubleLinkedList = DoubleLinkedList() >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: None, val: None, has next: False, has prev: True >>> first_node = DoubleLinkedListNode(1,10) >>> first_node Node: key: 1, val: 10, has next: False, has prev: False >>> dll.add(first_node) >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 10, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> # node is mutated >>> first_node Node: key: 1, val: 10, has next: True, has prev: True >>> second_node = DoubleLinkedListNode(2,20) >>> second_node Node: key: 2, val: 20, has next: False, has prev: False >>> dll.add(second_node) >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 10, has next: True, has prev: True, Node: key: 2, val: 20, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> removed_node = dll.remove(first_node) >>> assert removed_node == first_node >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 2, val: 20, has next: True, has prev: True, Node: key: None, val: None, 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, 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, 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 to the end of the list (before rear) """ 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 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 LRUCache(Generic[T, U]): """ LRU Cache to store a given capacity of data. Can be used as a stand-alone object or as a function decorator. >>> cache = LRUCache(2) >>> cache.set(1, 1) >>> cache.set(2, 2) >>> cache.get(1) 1 >>> cache.list DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 2, val: 2, has next: True, has prev: True, Node: key: 1, val: 1, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> cache.cache # doctest: +NORMALIZE_WHITESPACE {1: Node: key: 1, val: 1, has next: True, has prev: True, \ 2: Node: key: 2, val: 2, has next: True, has prev: True} >>> cache.set(3, 3) >>> cache.list DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 1, has next: True, has prev: True, Node: key: 3, val: 3, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> cache.cache # doctest: +NORMALIZE_WHITESPACE {1: Node: key: 1, val: 1, has next: True, has prev: True, \ 3: Node: key: 3, val: 3, has next: True, has prev: True} >>> 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) >>> @LRUCache.decorator(100) ... def fib(num): ... if num in (1, 2): ... return 1 ... return fib(num - 1) + fib(num - 2) >>> for i in range(1, 100): ... res = fib(i) >>> fib.cache_info() CacheInfo(hits=194, misses=99, capacity=100, current size=99) """ # class variable to map the decorator functions to their respective instance decorator_function_to_instance_map: dict[Callable[[T], U], LRUCache[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 = LRUCache(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 None if key is not present in cache """ # Note: pythonic interface would throw KeyError rather than return None 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 (oldest) 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 ) # node guaranteed to be in list assert node.key is not None 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: # bump node to the end of the list, update value 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, size: int = 128 ) -> Callable[[Callable[[T], U]], Callable[..., U]]: """ Decorator version of LRU 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] = LRUCache(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() -> LRUCache[T, U]: return cls.decorator_function_to_instance_map[func] setattr(cache_decorator_wrapper, "cache_info", cache_info) # noqa: B010 return cache_decorator_wrapper return cache_decorator_inner if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations from collections.abc import Callable from typing import Generic, TypeVar T = TypeVar("T") U = TypeVar("U") class DoubleLinkedListNode(Generic[T, U]): """ Double Linked List Node built specifically for LRU Cache >>> DoubleLinkedListNode(1,1) Node: key: 1, val: 1, has next: False, has prev: False """ def __init__(self, key: T | None, val: U | None): self.key = key self.val = val self.next: DoubleLinkedListNode[T, U] | None = None self.prev: DoubleLinkedListNode[T, U] | None = None def __repr__(self) -> str: return ( f"Node: key: {self.key}, val: {self.val}, " f"has next: {bool(self.next)}, has prev: {bool(self.prev)}" ) class DoubleLinkedList(Generic[T, U]): """ Double Linked List built specifically for LRU Cache >>> dll: DoubleLinkedList = DoubleLinkedList() >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: None, val: None, has next: False, has prev: True >>> first_node = DoubleLinkedListNode(1,10) >>> first_node Node: key: 1, val: 10, has next: False, has prev: False >>> dll.add(first_node) >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 10, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> # node is mutated >>> first_node Node: key: 1, val: 10, has next: True, has prev: True >>> second_node = DoubleLinkedListNode(2,20) >>> second_node Node: key: 2, val: 20, has next: False, has prev: False >>> dll.add(second_node) >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 10, has next: True, has prev: True, Node: key: 2, val: 20, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> removed_node = dll.remove(first_node) >>> assert removed_node == first_node >>> dll DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 2, val: 20, has next: True, has prev: True, Node: key: None, val: None, 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, 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, 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 to the end of the list (before rear) """ 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 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 LRUCache(Generic[T, U]): """ LRU Cache to store a given capacity of data. Can be used as a stand-alone object or as a function decorator. >>> cache = LRUCache(2) >>> cache.set(1, 1) >>> cache.set(2, 2) >>> cache.get(1) 1 >>> cache.list DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 2, val: 2, has next: True, has prev: True, Node: key: 1, val: 1, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> cache.cache # doctest: +NORMALIZE_WHITESPACE {1: Node: key: 1, val: 1, has next: True, has prev: True, \ 2: Node: key: 2, val: 2, has next: True, has prev: True} >>> cache.set(3, 3) >>> cache.list DoubleLinkedList, Node: key: None, val: None, has next: True, has prev: False, Node: key: 1, val: 1, has next: True, has prev: True, Node: key: 3, val: 3, has next: True, has prev: True, Node: key: None, val: None, has next: False, has prev: True >>> cache.cache # doctest: +NORMALIZE_WHITESPACE {1: Node: key: 1, val: 1, has next: True, has prev: True, \ 3: Node: key: 3, val: 3, has next: True, has prev: True} >>> 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) >>> @LRUCache.decorator(100) ... def fib(num): ... if num in (1, 2): ... return 1 ... return fib(num - 1) + fib(num - 2) >>> for i in range(1, 100): ... res = fib(i) >>> fib.cache_info() CacheInfo(hits=194, misses=99, capacity=100, current size=99) """ # class variable to map the decorator functions to their respective instance decorator_function_to_instance_map: dict[Callable[[T], U], LRUCache[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 = LRUCache(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 None if key is not present in cache """ # Note: pythonic interface would throw KeyError rather than return None 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 (oldest) 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 ) # node guaranteed to be in list assert node.key is not None 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: # bump node to the end of the list, update value 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, size: int = 128 ) -> Callable[[Callable[[T], U]], Callable[..., U]]: """ Decorator version of LRU 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] = LRUCache(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() -> LRUCache[T, U]: return cls.decorator_function_to_instance_map[func] setattr(cache_decorator_wrapper, "cache_info", cache_info) # noqa: B010 return cache_decorator_wrapper return cache_decorator_inner if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/python """ Author: OMKAR PATHAK """ from __future__ import annotations from queue import Queue class Graph: def __init__(self) -> None: self.vertices: dict[int, list[int]] = {} def print_graph(self) -> None: """ prints adjacency list representation of graaph >>> g = Graph() >>> g.print_graph() >>> g.add_edge(0, 1) >>> g.print_graph() 0 : 1 """ for i in self.vertices: print(i, " : ", " -> ".join([str(j) for j in self.vertices[i]])) def add_edge(self, from_vertex: int, to_vertex: int) -> None: """ adding the edge between two vertices >>> g = Graph() >>> g.print_graph() >>> g.add_edge(0, 1) >>> g.print_graph() 0 : 1 """ if from_vertex in self.vertices: self.vertices[from_vertex].append(to_vertex) else: self.vertices[from_vertex] = [to_vertex] def bfs(self, start_vertex: int) -> set[int]: """ >>> g = Graph() >>> g.add_edge(0, 1) >>> g.add_edge(0, 1) >>> g.add_edge(0, 2) >>> g.add_edge(1, 2) >>> g.add_edge(2, 0) >>> g.add_edge(2, 3) >>> g.add_edge(3, 3) >>> sorted(g.bfs(2)) [0, 1, 2, 3] """ # initialize set for storing already visited vertices visited = set() # create a first in first out queue to store all the vertices for BFS queue: Queue = Queue() # mark the source node as visited and enqueue it visited.add(start_vertex) queue.put(start_vertex) while not queue.empty(): vertex = queue.get() # loop through all adjacent vertex and enqueue it if not yet visited for adjacent_vertex in self.vertices[vertex]: if adjacent_vertex not in visited: queue.put(adjacent_vertex) visited.add(adjacent_vertex) return visited if __name__ == "__main__": from doctest import testmod testmod(verbose=True) g = Graph() g.add_edge(0, 1) g.add_edge(0, 2) g.add_edge(1, 2) g.add_edge(2, 0) g.add_edge(2, 3) g.add_edge(3, 3) g.print_graph() # 0 : 1 -> 2 # 1 : 2 # 2 : 0 -> 3 # 3 : 3 assert sorted(g.bfs(2)) == [0, 1, 2, 3]
#!/usr/bin/python """ Author: OMKAR PATHAK """ from __future__ import annotations from queue import Queue class Graph: def __init__(self) -> None: self.vertices: dict[int, list[int]] = {} def print_graph(self) -> None: """ prints adjacency list representation of graaph >>> g = Graph() >>> g.print_graph() >>> g.add_edge(0, 1) >>> g.print_graph() 0 : 1 """ for i in self.vertices: print(i, " : ", " -> ".join([str(j) for j in self.vertices[i]])) def add_edge(self, from_vertex: int, to_vertex: int) -> None: """ adding the edge between two vertices >>> g = Graph() >>> g.print_graph() >>> g.add_edge(0, 1) >>> g.print_graph() 0 : 1 """ if from_vertex in self.vertices: self.vertices[from_vertex].append(to_vertex) else: self.vertices[from_vertex] = [to_vertex] def bfs(self, start_vertex: int) -> set[int]: """ >>> g = Graph() >>> g.add_edge(0, 1) >>> g.add_edge(0, 1) >>> g.add_edge(0, 2) >>> g.add_edge(1, 2) >>> g.add_edge(2, 0) >>> g.add_edge(2, 3) >>> g.add_edge(3, 3) >>> sorted(g.bfs(2)) [0, 1, 2, 3] """ # initialize set for storing already visited vertices visited = set() # create a first in first out queue to store all the vertices for BFS queue: Queue = Queue() # mark the source node as visited and enqueue it visited.add(start_vertex) queue.put(start_vertex) while not queue.empty(): vertex = queue.get() # loop through all adjacent vertex and enqueue it if not yet visited for adjacent_vertex in self.vertices[vertex]: if adjacent_vertex not in visited: queue.put(adjacent_vertex) visited.add(adjacent_vertex) return visited if __name__ == "__main__": from doctest import testmod testmod(verbose=True) g = Graph() g.add_edge(0, 1) g.add_edge(0, 2) g.add_edge(1, 2) g.add_edge(2, 0) g.add_edge(2, 3) g.add_edge(3, 3) g.print_graph() # 0 : 1 -> 2 # 1 : 2 # 2 : 0 -> 3 # 3 : 3 assert sorted(g.bfs(2)) == [0, 1, 2, 3]
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Fast Polynomial Multiplication using radix-2 fast Fourier Transform. """ import mpmath # for roots of unity import numpy as np class FFT: """ Fast Polynomial Multiplication using radix-2 fast Fourier Transform. Reference: https://en.wikipedia.org/wiki/Cooley%E2%80%93Tukey_FFT_algorithm#The_radix-2_DIT_case For polynomials of degree m and n the algorithms has complexity O(n*logn + m*logm) The main part of the algorithm is split in two parts: 1) __DFT: We compute the discrete fourier transform (DFT) of A and B using a bottom-up dynamic approach - 2) __multiply: Once we obtain the DFT of A*B, we can similarly invert it to obtain A*B The class FFT takes two polynomials A and B with complex coefficients as arguments; The two polynomials should be represented as a sequence of coefficients starting from the free term. Thus, for instance x + 2*x^3 could be represented as [0,1,0,2] or (0,1,0,2). The constructor adds some zeros at the end so that the polynomials have the same length which is a power of 2 at least the length of their product. Example: Create two polynomials as sequences >>> A = [0, 1, 0, 2] # x+2x^3 >>> B = (2, 3, 4, 0) # 2+3x+4x^2 Create an FFT object with them >>> x = FFT(A, B) Print product >>> print(x.product) # 2x + 3x^2 + 8x^3 + 4x^4 + 6x^5 [(-0+0j), (2+0j), (3+0j), (8+0j), (6+0j), (8+0j)] __str__ test >>> print(x) A = 0*x^0 + 1*x^1 + 2*x^0 + 3*x^2 B = 0*x^2 + 1*x^3 + 2*x^4 A*B = 0*x^(-0+0j) + 1*x^(2+0j) + 2*x^(3+0j) + 3*x^(8+0j) + 4*x^(6+0j) + 5*x^(8+0j) """ def __init__(self, poly_a=None, poly_b=None): # Input as list self.polyA = list(poly_a or [0])[:] self.polyB = list(poly_b or [0])[:] # Remove leading zero coefficients while self.polyA[-1] == 0: self.polyA.pop() self.len_A = len(self.polyA) while self.polyB[-1] == 0: self.polyB.pop() self.len_B = len(self.polyB) # Add 0 to make lengths equal a power of 2 self.c_max_length = int( 2 ** np.ceil(np.log2(len(self.polyA) + len(self.polyB) - 1)) ) while len(self.polyA) < self.c_max_length: self.polyA.append(0) while len(self.polyB) < self.c_max_length: self.polyB.append(0) # A complex root used for the fourier transform self.root = complex(mpmath.root(x=1, n=self.c_max_length, k=1)) # The product self.product = self.__multiply() # Discrete fourier transform of A and B def __dft(self, which): if which == "A": dft = [[x] for x in self.polyA] else: dft = [[x] for x in self.polyB] # Corner case if len(dft) <= 1: return dft[0] # next_ncol = self.c_max_length // 2 while next_ncol > 0: new_dft = [[] for i in range(next_ncol)] root = self.root**next_ncol # First half of next step current_root = 1 for j in range(self.c_max_length // (next_ncol * 2)): for i in range(next_ncol): new_dft[i].append(dft[i][j] + current_root * dft[i + next_ncol][j]) current_root *= root # Second half of next step current_root = 1 for j in range(self.c_max_length // (next_ncol * 2)): for i in range(next_ncol): new_dft[i].append(dft[i][j] - current_root * dft[i + next_ncol][j]) current_root *= root # Update dft = new_dft next_ncol = next_ncol // 2 return dft[0] # multiply the DFTs of A and B and find A*B def __multiply(self): dft_a = self.__dft("A") dft_b = self.__dft("B") inverce_c = [[dft_a[i] * dft_b[i] for i in range(self.c_max_length)]] del dft_a del dft_b # Corner Case if len(inverce_c[0]) <= 1: return inverce_c[0] # Inverse DFT next_ncol = 2 while next_ncol <= self.c_max_length: new_inverse_c = [[] for i in range(next_ncol)] root = self.root ** (next_ncol // 2) current_root = 1 # First half of next step for j in range(self.c_max_length // next_ncol): for i in range(next_ncol // 2): # Even positions new_inverse_c[i].append( ( inverce_c[i][j] + inverce_c[i][j + self.c_max_length // next_ncol] ) / 2 ) # Odd positions new_inverse_c[i + next_ncol // 2].append( ( inverce_c[i][j] - inverce_c[i][j + self.c_max_length // next_ncol] ) / (2 * current_root) ) current_root *= root # Update inverce_c = new_inverse_c next_ncol *= 2 # Unpack inverce_c = [round(x[0].real, 8) + round(x[0].imag, 8) * 1j for x in inverce_c] # Remove leading 0's while inverce_c[-1] == 0: inverce_c.pop() return inverce_c # Overwrite __str__ for print(); Shows A, B and A*B def __str__(self): a = "A = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.polyA[: self.len_A]) ) b = "B = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.polyB[: self.len_B]) ) c = "A*B = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.product) ) return "\n".join((a, b, c)) # Unit tests if __name__ == "__main__": import doctest doctest.testmod()
""" Fast Polynomial Multiplication using radix-2 fast Fourier Transform. """ import mpmath # for roots of unity import numpy as np class FFT: """ Fast Polynomial Multiplication using radix-2 fast Fourier Transform. Reference: https://en.wikipedia.org/wiki/Cooley%E2%80%93Tukey_FFT_algorithm#The_radix-2_DIT_case For polynomials of degree m and n the algorithms has complexity O(n*logn + m*logm) The main part of the algorithm is split in two parts: 1) __DFT: We compute the discrete fourier transform (DFT) of A and B using a bottom-up dynamic approach - 2) __multiply: Once we obtain the DFT of A*B, we can similarly invert it to obtain A*B The class FFT takes two polynomials A and B with complex coefficients as arguments; The two polynomials should be represented as a sequence of coefficients starting from the free term. Thus, for instance x + 2*x^3 could be represented as [0,1,0,2] or (0,1,0,2). The constructor adds some zeros at the end so that the polynomials have the same length which is a power of 2 at least the length of their product. Example: Create two polynomials as sequences >>> A = [0, 1, 0, 2] # x+2x^3 >>> B = (2, 3, 4, 0) # 2+3x+4x^2 Create an FFT object with them >>> x = FFT(A, B) Print product >>> print(x.product) # 2x + 3x^2 + 8x^3 + 4x^4 + 6x^5 [(-0+0j), (2+0j), (3+0j), (8+0j), (6+0j), (8+0j)] __str__ test >>> print(x) A = 0*x^0 + 1*x^1 + 2*x^0 + 3*x^2 B = 0*x^2 + 1*x^3 + 2*x^4 A*B = 0*x^(-0+0j) + 1*x^(2+0j) + 2*x^(3+0j) + 3*x^(8+0j) + 4*x^(6+0j) + 5*x^(8+0j) """ def __init__(self, poly_a=None, poly_b=None): # Input as list self.polyA = list(poly_a or [0])[:] self.polyB = list(poly_b or [0])[:] # Remove leading zero coefficients while self.polyA[-1] == 0: self.polyA.pop() self.len_A = len(self.polyA) while self.polyB[-1] == 0: self.polyB.pop() self.len_B = len(self.polyB) # Add 0 to make lengths equal a power of 2 self.c_max_length = int( 2 ** np.ceil(np.log2(len(self.polyA) + len(self.polyB) - 1)) ) while len(self.polyA) < self.c_max_length: self.polyA.append(0) while len(self.polyB) < self.c_max_length: self.polyB.append(0) # A complex root used for the fourier transform self.root = complex(mpmath.root(x=1, n=self.c_max_length, k=1)) # The product self.product = self.__multiply() # Discrete fourier transform of A and B def __dft(self, which): if which == "A": dft = [[x] for x in self.polyA] else: dft = [[x] for x in self.polyB] # Corner case if len(dft) <= 1: return dft[0] # next_ncol = self.c_max_length // 2 while next_ncol > 0: new_dft = [[] for i in range(next_ncol)] root = self.root**next_ncol # First half of next step current_root = 1 for j in range(self.c_max_length // (next_ncol * 2)): for i in range(next_ncol): new_dft[i].append(dft[i][j] + current_root * dft[i + next_ncol][j]) current_root *= root # Second half of next step current_root = 1 for j in range(self.c_max_length // (next_ncol * 2)): for i in range(next_ncol): new_dft[i].append(dft[i][j] - current_root * dft[i + next_ncol][j]) current_root *= root # Update dft = new_dft next_ncol = next_ncol // 2 return dft[0] # multiply the DFTs of A and B and find A*B def __multiply(self): dft_a = self.__dft("A") dft_b = self.__dft("B") inverce_c = [[dft_a[i] * dft_b[i] for i in range(self.c_max_length)]] del dft_a del dft_b # Corner Case if len(inverce_c[0]) <= 1: return inverce_c[0] # Inverse DFT next_ncol = 2 while next_ncol <= self.c_max_length: new_inverse_c = [[] for i in range(next_ncol)] root = self.root ** (next_ncol // 2) current_root = 1 # First half of next step for j in range(self.c_max_length // next_ncol): for i in range(next_ncol // 2): # Even positions new_inverse_c[i].append( ( inverce_c[i][j] + inverce_c[i][j + self.c_max_length // next_ncol] ) / 2 ) # Odd positions new_inverse_c[i + next_ncol // 2].append( ( inverce_c[i][j] - inverce_c[i][j + self.c_max_length // next_ncol] ) / (2 * current_root) ) current_root *= root # Update inverce_c = new_inverse_c next_ncol *= 2 # Unpack inverce_c = [round(x[0].real, 8) + round(x[0].imag, 8) * 1j for x in inverce_c] # Remove leading 0's while inverce_c[-1] == 0: inverce_c.pop() return inverce_c # Overwrite __str__ for print(); Shows A, B and A*B def __str__(self): a = "A = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.polyA[: self.len_A]) ) b = "B = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.polyB[: self.len_B]) ) c = "A*B = " + " + ".join( f"{coef}*x^{i}" for coef, i in enumerate(self.product) ) return "\n".join((a, b, c)) # Unit tests if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Author : Syed Faizan (3rd Year Student IIIT Pune) github : faizan2700 You are given a bitmask m and you want to efficiently iterate through all of its submasks. The mask s is submask of m if only bits that were included in bitmask are set """ from __future__ import annotations def list_of_submasks(mask: int) -> list[int]: """ Args: mask : number which shows mask ( always integer > 0, zero does not have any submasks ) Returns: all_submasks : the list of submasks of mask (mask s is called submask of mask m if only bits that were included in original mask are set Raises: AssertionError: mask not positive integer >>> list_of_submasks(15) [15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1] >>> list_of_submasks(13) [13, 12, 9, 8, 5, 4, 1] >>> list_of_submasks(-7) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError: mask needs to be positive integer, your input -7 >>> list_of_submasks(0) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError: mask needs to be positive integer, your input 0 """ assert ( isinstance(mask, int) and mask > 0 ), f"mask needs to be positive integer, your input {mask}" """ first submask iterated will be mask itself then operation will be performed to get other submasks till we reach empty submask that is zero ( zero is not included in final submasks list ) """ all_submasks = [] submask = mask while submask: all_submasks.append(submask) submask = (submask - 1) & mask return all_submasks if __name__ == "__main__": import doctest doctest.testmod()
""" Author : Syed Faizan (3rd Year Student IIIT Pune) github : faizan2700 You are given a bitmask m and you want to efficiently iterate through all of its submasks. The mask s is submask of m if only bits that were included in bitmask are set """ from __future__ import annotations def list_of_submasks(mask: int) -> list[int]: """ Args: mask : number which shows mask ( always integer > 0, zero does not have any submasks ) Returns: all_submasks : the list of submasks of mask (mask s is called submask of mask m if only bits that were included in original mask are set Raises: AssertionError: mask not positive integer >>> list_of_submasks(15) [15, 14, 13, 12, 11, 10, 9, 8, 7, 6, 5, 4, 3, 2, 1] >>> list_of_submasks(13) [13, 12, 9, 8, 5, 4, 1] >>> list_of_submasks(-7) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError: mask needs to be positive integer, your input -7 >>> list_of_submasks(0) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError: mask needs to be positive integer, your input 0 """ assert ( isinstance(mask, int) and mask > 0 ), f"mask needs to be positive integer, your input {mask}" """ first submask iterated will be mask itself then operation will be performed to get other submasks till we reach empty submask that is zero ( zero is not included in final submasks list ) """ all_submasks = [] submask = mask while submask: all_submasks.append(submask) submask = (submask - 1) & mask return all_submasks if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" The A* algorithm combines features of uniform-cost search and pure heuristic search to efficiently compute optimal solutions. The A* algorithm is a best-first search algorithm in which the cost associated with a node is f(n) = g(n) + h(n), where g(n) is the cost of the path from the initial state to node n and h(n) is the heuristic estimate or the cost or a path from node n to a goal. The A* algorithm introduces a heuristic into a regular graph-searching algorithm, essentially planning ahead at each step so a more optimal decision is made. For this reason, A* is known as an algorithm with brains. https://en.wikipedia.org/wiki/A*_search_algorithm """ import numpy as np class Cell: """ Class cell represents a cell in the world which have the properties: position: represented by tuple of x and y coordinates initially set to (0,0). parent: Contains the parent cell object visited before we arrived at this cell. g, h, f: Parameters used when calling our heuristic function. """ def __init__(self): self.position = (0, 0) self.parent = None self.g = 0 self.h = 0 self.f = 0 """ Overrides equals method because otherwise cell assign will give wrong results. """ def __eq__(self, cell): return self.position == cell.position def showcell(self): print(self.position) class Gridworld: """ Gridworld class represents the external world here a grid M*M matrix. world_size: create a numpy array with the given world_size default is 5. """ def __init__(self, world_size=(5, 5)): self.w = np.zeros(world_size) self.world_x_limit = world_size[0] self.world_y_limit = world_size[1] def show(self): print(self.w) def get_neigbours(self, cell): """ Return the neighbours of cell """ neughbour_cord = [ (-1, -1), (-1, 0), (-1, 1), (0, -1), (0, 1), (1, -1), (1, 0), (1, 1), ] current_x = cell.position[0] current_y = cell.position[1] neighbours = [] for n in neughbour_cord: x = current_x + n[0] y = current_y + n[1] if 0 <= x < self.world_x_limit and 0 <= y < self.world_y_limit: c = Cell() c.position = (x, y) c.parent = cell neighbours.append(c) return neighbours def astar(world, start, goal): """ Implementation of a start algorithm. world : Object of the world object. start : Object of the cell as start position. stop : Object of the cell as goal position. >>> p = Gridworld() >>> start = Cell() >>> start.position = (0,0) >>> goal = Cell() >>> goal.position = (4,4) >>> astar(p, start, goal) [(0, 0), (1, 1), (2, 2), (3, 3), (4, 4)] """ _open = [] _closed = [] _open.append(start) while _open: min_f = np.argmin([n.f for n in _open]) current = _open[min_f] _closed.append(_open.pop(min_f)) if current == goal: break for n in world.get_neigbours(current): for c in _closed: if c == n: continue n.g = current.g + 1 x1, y1 = n.position x2, y2 = goal.position n.h = (y2 - y1) ** 2 + (x2 - x1) ** 2 n.f = n.h + n.g for c in _open: if c == n and c.f < n.f: continue _open.append(n) path = [] while current.parent is not None: path.append(current.position) current = current.parent path.append(current.position) return path[::-1] if __name__ == "__main__": world = Gridworld() # Start position and goal start = Cell() start.position = (0, 0) goal = Cell() goal.position = (4, 4) print(f"path from {start.position} to {goal.position}") s = astar(world, start, goal) # Just for visual reasons. for i in s: world.w[i] = 1 print(world.w)
""" The A* algorithm combines features of uniform-cost search and pure heuristic search to efficiently compute optimal solutions. The A* algorithm is a best-first search algorithm in which the cost associated with a node is f(n) = g(n) + h(n), where g(n) is the cost of the path from the initial state to node n and h(n) is the heuristic estimate or the cost or a path from node n to a goal. The A* algorithm introduces a heuristic into a regular graph-searching algorithm, essentially planning ahead at each step so a more optimal decision is made. For this reason, A* is known as an algorithm with brains. https://en.wikipedia.org/wiki/A*_search_algorithm """ import numpy as np class Cell: """ Class cell represents a cell in the world which have the properties: position: represented by tuple of x and y coordinates initially set to (0,0). parent: Contains the parent cell object visited before we arrived at this cell. g, h, f: Parameters used when calling our heuristic function. """ def __init__(self): self.position = (0, 0) self.parent = None self.g = 0 self.h = 0 self.f = 0 """ Overrides equals method because otherwise cell assign will give wrong results. """ def __eq__(self, cell): return self.position == cell.position def showcell(self): print(self.position) class Gridworld: """ Gridworld class represents the external world here a grid M*M matrix. world_size: create a numpy array with the given world_size default is 5. """ def __init__(self, world_size=(5, 5)): self.w = np.zeros(world_size) self.world_x_limit = world_size[0] self.world_y_limit = world_size[1] def show(self): print(self.w) def get_neigbours(self, cell): """ Return the neighbours of cell """ neughbour_cord = [ (-1, -1), (-1, 0), (-1, 1), (0, -1), (0, 1), (1, -1), (1, 0), (1, 1), ] current_x = cell.position[0] current_y = cell.position[1] neighbours = [] for n in neughbour_cord: x = current_x + n[0] y = current_y + n[1] if 0 <= x < self.world_x_limit and 0 <= y < self.world_y_limit: c = Cell() c.position = (x, y) c.parent = cell neighbours.append(c) return neighbours def astar(world, start, goal): """ Implementation of a start algorithm. world : Object of the world object. start : Object of the cell as start position. stop : Object of the cell as goal position. >>> p = Gridworld() >>> start = Cell() >>> start.position = (0,0) >>> goal = Cell() >>> goal.position = (4,4) >>> astar(p, start, goal) [(0, 0), (1, 1), (2, 2), (3, 3), (4, 4)] """ _open = [] _closed = [] _open.append(start) while _open: min_f = np.argmin([n.f for n in _open]) current = _open[min_f] _closed.append(_open.pop(min_f)) if current == goal: break for n in world.get_neigbours(current): for c in _closed: if c == n: continue n.g = current.g + 1 x1, y1 = n.position x2, y2 = goal.position n.h = (y2 - y1) ** 2 + (x2 - x1) ** 2 n.f = n.h + n.g for c in _open: if c == n and c.f < n.f: continue _open.append(n) path = [] while current.parent is not None: path.append(current.position) current = current.parent path.append(current.position) return path[::-1] if __name__ == "__main__": world = Gridworld() # Start position and goal start = Cell() start.position = (0, 0) goal = Cell() goal.position = (4, 4) print(f"path from {start.position} to {goal.position}") s = astar(world, start, goal) # Just for visual reasons. for i in s: world.w[i] = 1 print(world.w)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" This is a type of divide and conquer algorithm which divides the search space into 3 parts and finds the target value based on the property of the array or list (usually monotonic property). Time Complexity : O(log3 N) Space Complexity : O(1) """ from __future__ import annotations # This is the precision for this function which can be altered. # It is recommended for users to keep this number greater than or equal to 10. precision = 10 # This is the linear search that will occur after the search space has become smaller. def lin_search(left: int, right: int, array: list[int], target: int) -> int: """Perform linear search in list. Returns -1 if element is not found. Parameters ---------- left : int left index bound. right : int right index bound. array : List[int] List of elements to be searched on target : int Element that is searched Returns ------- int index of element that is looked for. Examples -------- >>> lin_search(0, 4, [4, 5, 6, 7], 7) 3 >>> lin_search(0, 3, [4, 5, 6, 7], 7) -1 >>> lin_search(0, 2, [-18, 2], -18) 0 >>> lin_search(0, 1, [5], 5) 0 >>> lin_search(0, 3, ['a', 'c', 'd'], 'c') 1 >>> lin_search(0, 3, [.1, .4 , -.1], .1) 0 >>> lin_search(0, 3, [.1, .4 , -.1], -.1) 2 """ for i in range(left, right): if array[i] == target: return i return -1 def ite_ternary_search(array: list[int], target: int) -> int: """Iterative method of the ternary search algorithm. >>> test_list = [0, 1, 2, 8, 13, 17, 19, 32, 42] >>> ite_ternary_search(test_list, 3) -1 >>> ite_ternary_search(test_list, 13) 4 >>> ite_ternary_search([4, 5, 6, 7], 4) 0 >>> ite_ternary_search([4, 5, 6, 7], -10) -1 >>> ite_ternary_search([-18, 2], -18) 0 >>> ite_ternary_search([5], 5) 0 >>> ite_ternary_search(['a', 'c', 'd'], 'c') 1 >>> ite_ternary_search(['a', 'c', 'd'], 'f') -1 >>> ite_ternary_search([], 1) -1 >>> ite_ternary_search([.1, .4 , -.1], .1) 0 """ left = 0 right = len(array) while left <= right: if right - left < precision: return lin_search(left, right, array, target) one_third = (left + right) // 3 + 1 two_third = 2 * (left + right) // 3 + 1 if array[one_third] == target: return one_third elif array[two_third] == target: return two_third elif target < array[one_third]: right = one_third - 1 elif array[two_third] < target: left = two_third + 1 else: left = one_third + 1 right = two_third - 1 else: return -1 def rec_ternary_search(left: int, right: int, array: list[int], target: int) -> int: """Recursive method of the ternary search algorithm. >>> test_list = [0, 1, 2, 8, 13, 17, 19, 32, 42] >>> rec_ternary_search(0, len(test_list), test_list, 3) -1 >>> rec_ternary_search(4, len(test_list), test_list, 42) 8 >>> rec_ternary_search(0, 2, [4, 5, 6, 7], 4) 0 >>> rec_ternary_search(0, 3, [4, 5, 6, 7], -10) -1 >>> rec_ternary_search(0, 1, [-18, 2], -18) 0 >>> rec_ternary_search(0, 1, [5], 5) 0 >>> rec_ternary_search(0, 2, ['a', 'c', 'd'], 'c') 1 >>> rec_ternary_search(0, 2, ['a', 'c', 'd'], 'f') -1 >>> rec_ternary_search(0, 0, [], 1) -1 >>> rec_ternary_search(0, 3, [.1, .4 , -.1], .1) 0 """ if left < right: if right - left < precision: return lin_search(left, right, array, target) one_third = (left + right) // 3 + 1 two_third = 2 * (left + right) // 3 + 1 if array[one_third] == target: return one_third elif array[two_third] == target: return two_third elif target < array[one_third]: return rec_ternary_search(left, one_third - 1, array, target) elif array[two_third] < target: return rec_ternary_search(two_third + 1, right, array, target) else: return rec_ternary_search(one_third + 1, two_third - 1, array, target) else: return -1 if __name__ == "__main__": import doctest doctest.testmod() user_input = input("Enter numbers separated by comma:\n").strip() collection = [int(item.strip()) for item in user_input.split(",")] assert collection == sorted(collection), f"List must be ordered.\n{collection}." target = int(input("Enter the number to be found in the list:\n").strip()) result1 = ite_ternary_search(collection, target) result2 = rec_ternary_search(0, len(collection) - 1, collection, target) if result2 != -1: print(f"Iterative search: {target} found at positions: {result1}") print(f"Recursive search: {target} found at positions: {result2}") else: print("Not found")
""" This is a type of divide and conquer algorithm which divides the search space into 3 parts and finds the target value based on the property of the array or list (usually monotonic property). Time Complexity : O(log3 N) Space Complexity : O(1) """ from __future__ import annotations # This is the precision for this function which can be altered. # It is recommended for users to keep this number greater than or equal to 10. precision = 10 # This is the linear search that will occur after the search space has become smaller. def lin_search(left: int, right: int, array: list[int], target: int) -> int: """Perform linear search in list. Returns -1 if element is not found. Parameters ---------- left : int left index bound. right : int right index bound. array : List[int] List of elements to be searched on target : int Element that is searched Returns ------- int index of element that is looked for. Examples -------- >>> lin_search(0, 4, [4, 5, 6, 7], 7) 3 >>> lin_search(0, 3, [4, 5, 6, 7], 7) -1 >>> lin_search(0, 2, [-18, 2], -18) 0 >>> lin_search(0, 1, [5], 5) 0 >>> lin_search(0, 3, ['a', 'c', 'd'], 'c') 1 >>> lin_search(0, 3, [.1, .4 , -.1], .1) 0 >>> lin_search(0, 3, [.1, .4 , -.1], -.1) 2 """ for i in range(left, right): if array[i] == target: return i return -1 def ite_ternary_search(array: list[int], target: int) -> int: """Iterative method of the ternary search algorithm. >>> test_list = [0, 1, 2, 8, 13, 17, 19, 32, 42] >>> ite_ternary_search(test_list, 3) -1 >>> ite_ternary_search(test_list, 13) 4 >>> ite_ternary_search([4, 5, 6, 7], 4) 0 >>> ite_ternary_search([4, 5, 6, 7], -10) -1 >>> ite_ternary_search([-18, 2], -18) 0 >>> ite_ternary_search([5], 5) 0 >>> ite_ternary_search(['a', 'c', 'd'], 'c') 1 >>> ite_ternary_search(['a', 'c', 'd'], 'f') -1 >>> ite_ternary_search([], 1) -1 >>> ite_ternary_search([.1, .4 , -.1], .1) 0 """ left = 0 right = len(array) while left <= right: if right - left < precision: return lin_search(left, right, array, target) one_third = (left + right) // 3 + 1 two_third = 2 * (left + right) // 3 + 1 if array[one_third] == target: return one_third elif array[two_third] == target: return two_third elif target < array[one_third]: right = one_third - 1 elif array[two_third] < target: left = two_third + 1 else: left = one_third + 1 right = two_third - 1 else: return -1 def rec_ternary_search(left: int, right: int, array: list[int], target: int) -> int: """Recursive method of the ternary search algorithm. >>> test_list = [0, 1, 2, 8, 13, 17, 19, 32, 42] >>> rec_ternary_search(0, len(test_list), test_list, 3) -1 >>> rec_ternary_search(4, len(test_list), test_list, 42) 8 >>> rec_ternary_search(0, 2, [4, 5, 6, 7], 4) 0 >>> rec_ternary_search(0, 3, [4, 5, 6, 7], -10) -1 >>> rec_ternary_search(0, 1, [-18, 2], -18) 0 >>> rec_ternary_search(0, 1, [5], 5) 0 >>> rec_ternary_search(0, 2, ['a', 'c', 'd'], 'c') 1 >>> rec_ternary_search(0, 2, ['a', 'c', 'd'], 'f') -1 >>> rec_ternary_search(0, 0, [], 1) -1 >>> rec_ternary_search(0, 3, [.1, .4 , -.1], .1) 0 """ if left < right: if right - left < precision: return lin_search(left, right, array, target) one_third = (left + right) // 3 + 1 two_third = 2 * (left + right) // 3 + 1 if array[one_third] == target: return one_third elif array[two_third] == target: return two_third elif target < array[one_third]: return rec_ternary_search(left, one_third - 1, array, target) elif array[two_third] < target: return rec_ternary_search(two_third + 1, right, array, target) else: return rec_ternary_search(one_third + 1, two_third - 1, array, target) else: return -1 if __name__ == "__main__": import doctest doctest.testmod() user_input = input("Enter numbers separated by comma:\n").strip() collection = [int(item.strip()) for item in user_input.split(",")] assert collection == sorted(collection), f"List must be ordered.\n{collection}." target = int(input("Enter the number to be found in the list:\n").strip()) result1 = ite_ternary_search(collection, target) result2 = rec_ternary_search(0, len(collection) - 1, collection, target) if result2 != -1: print(f"Iterative search: {target} found at positions: {result1}") print(f"Recursive search: {target} found at positions: {result2}") else: print("Not found")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" https://en.wikipedia.org/wiki/Computus#Gauss'_Easter_algorithm """ import math from datetime import datetime, timedelta def gauss_easter(year: int) -> datetime: """ Calculation Gregorian easter date for given year >>> gauss_easter(2007) datetime.datetime(2007, 4, 8, 0, 0) >>> gauss_easter(2008) datetime.datetime(2008, 3, 23, 0, 0) >>> gauss_easter(2020) datetime.datetime(2020, 4, 12, 0, 0) >>> gauss_easter(2021) datetime.datetime(2021, 4, 4, 0, 0) """ metonic_cycle = year % 19 julian_leap_year = year % 4 non_leap_year = year % 7 leap_day_inhibits = math.floor(year / 100) lunar_orbit_correction = math.floor((13 + 8 * leap_day_inhibits) / 25) leap_day_reinstall_number = leap_day_inhibits / 4 secular_moon_shift = ( 15 - lunar_orbit_correction + leap_day_inhibits - leap_day_reinstall_number ) % 30 century_starting_point = (4 + leap_day_inhibits - leap_day_reinstall_number) % 7 # days to be added to March 21 days_to_add = (19 * metonic_cycle + secular_moon_shift) % 30 # PHM -> Paschal Full Moon days_from_phm_to_sunday = ( 2 * julian_leap_year + 4 * non_leap_year + 6 * days_to_add + century_starting_point ) % 7 if days_to_add == 29 and days_from_phm_to_sunday == 6: return datetime(year, 4, 19) elif days_to_add == 28 and days_from_phm_to_sunday == 6: return datetime(year, 4, 18) else: return datetime(year, 3, 22) + timedelta( days=int(days_to_add + days_from_phm_to_sunday) ) if __name__ == "__main__": for year in (1994, 2000, 2010, 2021, 2023): tense = "will be" if year > datetime.now().year else "was" print(f"Easter in {year} {tense} {gauss_easter(year)}")
""" https://en.wikipedia.org/wiki/Computus#Gauss'_Easter_algorithm """ import math from datetime import datetime, timedelta def gauss_easter(year: int) -> datetime: """ Calculation Gregorian easter date for given year >>> gauss_easter(2007) datetime.datetime(2007, 4, 8, 0, 0) >>> gauss_easter(2008) datetime.datetime(2008, 3, 23, 0, 0) >>> gauss_easter(2020) datetime.datetime(2020, 4, 12, 0, 0) >>> gauss_easter(2021) datetime.datetime(2021, 4, 4, 0, 0) """ metonic_cycle = year % 19 julian_leap_year = year % 4 non_leap_year = year % 7 leap_day_inhibits = math.floor(year / 100) lunar_orbit_correction = math.floor((13 + 8 * leap_day_inhibits) / 25) leap_day_reinstall_number = leap_day_inhibits / 4 secular_moon_shift = ( 15 - lunar_orbit_correction + leap_day_inhibits - leap_day_reinstall_number ) % 30 century_starting_point = (4 + leap_day_inhibits - leap_day_reinstall_number) % 7 # days to be added to March 21 days_to_add = (19 * metonic_cycle + secular_moon_shift) % 30 # PHM -> Paschal Full Moon days_from_phm_to_sunday = ( 2 * julian_leap_year + 4 * non_leap_year + 6 * days_to_add + century_starting_point ) % 7 if days_to_add == 29 and days_from_phm_to_sunday == 6: return datetime(year, 4, 19) elif days_to_add == 28 and days_from_phm_to_sunday == 6: return datetime(year, 4, 18) else: return datetime(year, 3, 22) + timedelta( days=int(days_to_add + days_from_phm_to_sunday) ) if __name__ == "__main__": for year in (1994, 2000, 2010, 2021, 2023): tense = "will be" if year > datetime.now().year else "was" print(f"Easter in {year} {tense} {gauss_easter(year)}")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from bisect import bisect from itertools import accumulate def frac_knapsack(vl, wt, w, n): """ >>> frac_knapsack([60, 100, 120], [10, 20, 30], 50, 3) 240.0 """ r = sorted(zip(vl, wt), key=lambda x: x[0] / x[1], reverse=True) vl, wt = [i[0] for i in r], [i[1] for i in r] acc = list(accumulate(wt)) k = bisect(acc, w) return ( 0 if k == 0 else sum(vl[:k]) + (w - acc[k - 1]) * (vl[k]) / (wt[k]) if k != n else sum(vl[:k]) ) if __name__ == "__main__": import doctest doctest.testmod()
from bisect import bisect from itertools import accumulate def frac_knapsack(vl, wt, w, n): """ >>> frac_knapsack([60, 100, 120], [10, 20, 30], 50, 3) 240.0 """ r = sorted(zip(vl, wt), key=lambda x: x[0] / x[1], reverse=True) vl, wt = [i[0] for i in r], [i[1] for i in r] acc = list(accumulate(wt)) k = bisect(acc, w) return ( 0 if k == 0 else sum(vl[:k]) + (w - acc[k - 1]) * (vl[k]) / (wt[k]) if k != n else sum(vl[:k]) ) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# flake8: noqa """ Sieve of Eratosthenes Input : n =10 Output: 2 3 5 7 Input : n = 20 Output: 2 3 5 7 11 13 17 19 you can read in detail about this at https://en.wikipedia.org/wiki/Sieve_of_Eratosthenes """ def prime_sieve_eratosthenes(num): """ print the prime numbers up to n >>> prime_sieve_eratosthenes(10) 2,3,5,7, >>> prime_sieve_eratosthenes(20) 2,3,5,7,11,13,17,19, """ primes = [True for i in range(num + 1)] p = 2 while p * p <= num: if primes[p]: for i in range(p * p, num + 1, p): primes[i] = False p += 1 for prime in range(2, num + 1): if primes[prime]: print(prime, end=",") if __name__ == "__main__": import doctest doctest.testmod() num = int(input()) prime_sieve_eratosthenes(num)
# flake8: noqa """ Sieve of Eratosthenes Input : n =10 Output: 2 3 5 7 Input : n = 20 Output: 2 3 5 7 11 13 17 19 you can read in detail about this at https://en.wikipedia.org/wiki/Sieve_of_Eratosthenes """ def prime_sieve_eratosthenes(num): """ print the prime numbers up to n >>> prime_sieve_eratosthenes(10) 2,3,5,7, >>> prime_sieve_eratosthenes(20) 2,3,5,7,11,13,17,19, """ primes = [True for i in range(num + 1)] p = 2 while p * p <= num: if primes[p]: for i in range(p * p, num + 1, p): primes[i] = False p += 1 for prime in range(2, num + 1): if primes[prime]: print(prime, end=",") if __name__ == "__main__": import doctest doctest.testmod() num = int(input()) prime_sieve_eratosthenes(num)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations def modular_division(a: int, b: int, n: int) -> int: """ Modular Division : An efficient algorithm for dividing b by a modulo n. GCD ( Greatest Common Divisor ) or HCF ( Highest Common Factor ) Given three integers a, b, and n, such that gcd(a,n)=1 and n>1, the algorithm should return an integer x such that 0≤x≤n−1, and b/a=x(modn) (that is, b=ax(modn)). Theorem: a has a multiplicative inverse modulo n iff gcd(a,n) = 1 This find x = b*a^(-1) mod n Uses ExtendedEuclid to find the inverse of a >>> modular_division(4,8,5) 2 >>> modular_division(3,8,5) 1 >>> modular_division(4, 11, 5) 4 """ assert n > 1 and a > 0 and greatest_common_divisor(a, n) == 1 (d, t, s) = extended_gcd(n, a) # Implemented below x = (b * s) % n return x def invert_modulo(a: int, n: int) -> int: """ This function find the inverses of a i.e., a^(-1) >>> invert_modulo(2, 5) 3 >>> invert_modulo(8,7) 1 """ (b, x) = extended_euclid(a, n) # Implemented below if b < 0: b = (b % n + n) % n return b # ------------------ Finding Modular division using invert_modulo ------------------- def modular_division2(a: int, b: int, n: int) -> int: """ This function used the above inversion of a to find x = (b*a^(-1))mod n >>> modular_division2(4,8,5) 2 >>> modular_division2(3,8,5) 1 >>> modular_division2(4, 11, 5) 4 """ s = invert_modulo(a, n) x = (b * s) % n return x def extended_gcd(a: int, b: int) -> tuple[int, int, int]: """ Extended Euclid's Algorithm : If d divides a and b and d = a*x + b*y for integers x and y, then d = gcd(a,b) >>> extended_gcd(10, 6) (2, -1, 2) >>> extended_gcd(7, 5) (1, -2, 3) ** extended_gcd function is used when d = gcd(a,b) is required in output """ assert a >= 0 and b >= 0 if b == 0: d, x, y = a, 1, 0 else: (d, p, q) = extended_gcd(b, a % b) x = q y = p - q * (a // b) assert a % d == 0 and b % d == 0 assert d == a * x + b * y return (d, x, y) def extended_euclid(a: int, b: int) -> tuple[int, int]: """ Extended Euclid >>> extended_euclid(10, 6) (-1, 2) >>> extended_euclid(7, 5) (-2, 3) """ if b == 0: return (1, 0) (x, y) = extended_euclid(b, a % b) k = a // b return (y, x - k * y) def greatest_common_divisor(a: int, b: int) -> int: """ Euclid's Lemma : d divides a and b, if and only if d divides a-b and b Euclid's Algorithm >>> greatest_common_divisor(7,5) 1 Note : In number theory, two integers a and b are said to be relatively prime, mutually prime, or co-prime if the only positive integer (factor) that divides both of them is 1 i.e., gcd(a,b) = 1. >>> greatest_common_divisor(121, 11) 11 """ if a < b: a, b = b, a while a % b != 0: a, b = b, a % b return b if __name__ == "__main__": from doctest import testmod testmod(name="modular_division", verbose=True) testmod(name="modular_division2", verbose=True) testmod(name="invert_modulo", verbose=True) testmod(name="extended_gcd", verbose=True) testmod(name="extended_euclid", verbose=True) testmod(name="greatest_common_divisor", verbose=True)
from __future__ import annotations def modular_division(a: int, b: int, n: int) -> int: """ Modular Division : An efficient algorithm for dividing b by a modulo n. GCD ( Greatest Common Divisor ) or HCF ( Highest Common Factor ) Given three integers a, b, and n, such that gcd(a,n)=1 and n>1, the algorithm should return an integer x such that 0≤x≤n−1, and b/a=x(modn) (that is, b=ax(modn)). Theorem: a has a multiplicative inverse modulo n iff gcd(a,n) = 1 This find x = b*a^(-1) mod n Uses ExtendedEuclid to find the inverse of a >>> modular_division(4,8,5) 2 >>> modular_division(3,8,5) 1 >>> modular_division(4, 11, 5) 4 """ assert n > 1 and a > 0 and greatest_common_divisor(a, n) == 1 (d, t, s) = extended_gcd(n, a) # Implemented below x = (b * s) % n return x def invert_modulo(a: int, n: int) -> int: """ This function find the inverses of a i.e., a^(-1) >>> invert_modulo(2, 5) 3 >>> invert_modulo(8,7) 1 """ (b, x) = extended_euclid(a, n) # Implemented below if b < 0: b = (b % n + n) % n return b # ------------------ Finding Modular division using invert_modulo ------------------- def modular_division2(a: int, b: int, n: int) -> int: """ This function used the above inversion of a to find x = (b*a^(-1))mod n >>> modular_division2(4,8,5) 2 >>> modular_division2(3,8,5) 1 >>> modular_division2(4, 11, 5) 4 """ s = invert_modulo(a, n) x = (b * s) % n return x def extended_gcd(a: int, b: int) -> tuple[int, int, int]: """ Extended Euclid's Algorithm : If d divides a and b and d = a*x + b*y for integers x and y, then d = gcd(a,b) >>> extended_gcd(10, 6) (2, -1, 2) >>> extended_gcd(7, 5) (1, -2, 3) ** extended_gcd function is used when d = gcd(a,b) is required in output """ assert a >= 0 and b >= 0 if b == 0: d, x, y = a, 1, 0 else: (d, p, q) = extended_gcd(b, a % b) x = q y = p - q * (a // b) assert a % d == 0 and b % d == 0 assert d == a * x + b * y return (d, x, y) def extended_euclid(a: int, b: int) -> tuple[int, int]: """ Extended Euclid >>> extended_euclid(10, 6) (-1, 2) >>> extended_euclid(7, 5) (-2, 3) """ if b == 0: return (1, 0) (x, y) = extended_euclid(b, a % b) k = a // b return (y, x - k * y) def greatest_common_divisor(a: int, b: int) -> int: """ Euclid's Lemma : d divides a and b, if and only if d divides a-b and b Euclid's Algorithm >>> greatest_common_divisor(7,5) 1 Note : In number theory, two integers a and b are said to be relatively prime, mutually prime, or co-prime if the only positive integer (factor) that divides both of them is 1 i.e., gcd(a,b) = 1. >>> greatest_common_divisor(121, 11) 11 """ if a < b: a, b = b, a while a % b != 0: a, b = b, a % b return b if __name__ == "__main__": from doctest import testmod testmod(name="modular_division", verbose=True) testmod(name="modular_division2", verbose=True) testmod(name="invert_modulo", verbose=True) testmod(name="extended_gcd", verbose=True) testmod(name="extended_euclid", verbose=True) testmod(name="greatest_common_divisor", verbose=True)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
class Graph: def __init__(self, vertex): self.vertex = vertex self.graph = [[0] * vertex for i in range(vertex)] def add_edge(self, u, v): self.graph[u - 1][v - 1] = 1 self.graph[v - 1][u - 1] = 1 def show(self): for i in self.graph: for j in i: print(j, end=" ") print(" ") g = Graph(100) g.add_edge(1, 4) g.add_edge(4, 2) g.add_edge(4, 5) g.add_edge(2, 5) g.add_edge(5, 3) g.show()
class Graph: def __init__(self, vertex): self.vertex = vertex self.graph = [[0] * vertex for i in range(vertex)] def add_edge(self, u, v): self.graph[u - 1][v - 1] = 1 self.graph[v - 1][u - 1] = 1 def show(self): for i in self.graph: for j in i: print(j, end=" ") print(" ") g = Graph(100) g.add_edge(1, 4) g.add_edge(4, 2) g.add_edge(4, 5) g.add_edge(2, 5) g.add_edge(5, 3) g.show()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/bin/sh # # An example hook script to make use of push options. # The example simply echoes all push options that start with 'echoback=' # and rejects all pushes when the "reject" push option is used. # # To enable this hook, rename this file to "pre-receive". if test -n "$GIT_PUSH_OPTION_COUNT" then i=0 while test "$i" -lt "$GIT_PUSH_OPTION_COUNT" do eval "value=\$GIT_PUSH_OPTION_$i" case "$value" in echoback=*) echo "echo from the pre-receive-hook: ${value#*=}" >&2 ;; reject) exit 1 esac i=$((i + 1)) done fi
#!/bin/sh # # An example hook script to make use of push options. # The example simply echoes all push options that start with 'echoback=' # and rejects all pushes when the "reject" push option is used. # # To enable this hook, rename this file to "pre-receive". if test -n "$GIT_PUSH_OPTION_COUNT" then i=0 while test "$i" -lt "$GIT_PUSH_OPTION_COUNT" do eval "value=\$GIT_PUSH_OPTION_$i" case "$value" in echoback=*) echo "echo from the pre-receive-hook: ${value#*=}" >&2 ;; reject) exit 1 esac i=$((i + 1)) done fi
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from math import pi from typing import Protocol import matplotlib.pyplot as plt import numpy as np class FilterType(Protocol): def process(self, sample: float) -> float: """ Calculate y[n] >>> issubclass(FilterType, Protocol) True """ return 0.0 def get_bounds( fft_results: np.ndarray, samplerate: int ) -> tuple[int | float, int | float]: """ Get bounds for printing fft results >>> import numpy >>> array = numpy.linspace(-20.0, 20.0, 1000) >>> get_bounds(array, 1000) (-20, 20) """ lowest = min([-20, np.min(fft_results[1 : samplerate // 2 - 1])]) highest = max([20, np.max(fft_results[1 : samplerate // 2 - 1])]) return lowest, highest def show_frequency_response(filter_type: FilterType, samplerate: int) -> None: """ Show frequency response of a filter >>> from audio_filters.iir_filter import IIRFilter >>> filt = IIRFilter(4) >>> show_frequency_response(filt, 48000) """ size = 512 inputs = [1] + [0] * (size - 1) outputs = [filter_type.process(item) for item in inputs] filler = [0] * (samplerate - size) # zero-padding outputs += filler fft_out = np.abs(np.fft.fft(outputs)) fft_db = 20 * np.log10(fft_out) # Frequencies on log scale from 24 to nyquist frequency plt.xlim(24, samplerate / 2 - 1) plt.xlabel("Frequency (Hz)") plt.xscale("log") # Display within reasonable bounds bounds = get_bounds(fft_db, samplerate) plt.ylim(max([-80, bounds[0]]), min([80, bounds[1]])) plt.ylabel("Gain (dB)") plt.plot(fft_db) plt.show() def show_phase_response(filter_type: FilterType, samplerate: int) -> None: """ Show phase response of a filter >>> from audio_filters.iir_filter import IIRFilter >>> filt = IIRFilter(4) >>> show_phase_response(filt, 48000) """ size = 512 inputs = [1] + [0] * (size - 1) outputs = [filter_type.process(item) for item in inputs] filler = [0] * (samplerate - size) # zero-padding outputs += filler fft_out = np.angle(np.fft.fft(outputs)) # Frequencies on log scale from 24 to nyquist frequency plt.xlim(24, samplerate / 2 - 1) plt.xlabel("Frequency (Hz)") plt.xscale("log") plt.ylim(-2 * pi, 2 * pi) plt.ylabel("Phase shift (Radians)") plt.plot(np.unwrap(fft_out, -2 * pi)) plt.show()
from __future__ import annotations from math import pi from typing import Protocol import matplotlib.pyplot as plt import numpy as np class FilterType(Protocol): def process(self, sample: float) -> float: """ Calculate y[n] >>> issubclass(FilterType, Protocol) True """ return 0.0 def get_bounds( fft_results: np.ndarray, samplerate: int ) -> tuple[int | float, int | float]: """ Get bounds for printing fft results >>> import numpy >>> array = numpy.linspace(-20.0, 20.0, 1000) >>> get_bounds(array, 1000) (-20, 20) """ lowest = min([-20, np.min(fft_results[1 : samplerate // 2 - 1])]) highest = max([20, np.max(fft_results[1 : samplerate // 2 - 1])]) return lowest, highest def show_frequency_response(filter_type: FilterType, samplerate: int) -> None: """ Show frequency response of a filter >>> from audio_filters.iir_filter import IIRFilter >>> filt = IIRFilter(4) >>> show_frequency_response(filt, 48000) """ size = 512 inputs = [1] + [0] * (size - 1) outputs = [filter_type.process(item) for item in inputs] filler = [0] * (samplerate - size) # zero-padding outputs += filler fft_out = np.abs(np.fft.fft(outputs)) fft_db = 20 * np.log10(fft_out) # Frequencies on log scale from 24 to nyquist frequency plt.xlim(24, samplerate / 2 - 1) plt.xlabel("Frequency (Hz)") plt.xscale("log") # Display within reasonable bounds bounds = get_bounds(fft_db, samplerate) plt.ylim(max([-80, bounds[0]]), min([80, bounds[1]])) plt.ylabel("Gain (dB)") plt.plot(fft_db) plt.show() def show_phase_response(filter_type: FilterType, samplerate: int) -> None: """ Show phase response of a filter >>> from audio_filters.iir_filter import IIRFilter >>> filt = IIRFilter(4) >>> show_phase_response(filt, 48000) """ size = 512 inputs = [1] + [0] * (size - 1) outputs = [filter_type.process(item) for item in inputs] filler = [0] * (samplerate - size) # zero-padding outputs += filler fft_out = np.angle(np.fft.fft(outputs)) # Frequencies on log scale from 24 to nyquist frequency plt.xlim(24, samplerate / 2 - 1) plt.xlabel("Frequency (Hz)") plt.xscale("log") plt.ylim(-2 * pi, 2 * pi) plt.ylabel("Phase shift (Radians)") plt.plot(np.unwrap(fft_out, -2 * pi)) plt.show()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"""Get the site emails from URL.""" from __future__ import annotations __author__ = "Muhammad Umer Farooq" __license__ = "MIT" __version__ = "1.0.0" __maintainer__ = "Muhammad Umer Farooq" __email__ = "[email protected]" __status__ = "Alpha" import re from html.parser import HTMLParser from urllib import parse import requests class Parser(HTMLParser): def __init__(self, domain: str) -> None: super().__init__() self.urls: list[str] = [] self.domain = domain def handle_starttag(self, tag: str, attrs: list[tuple[str, str | None]]) -> None: """ This function parse html to take takes url from tags """ # Only parse the 'anchor' tag. if tag == "a": # Check the list of defined attributes. for name, value in attrs: # If href is defined, and not empty nor # print it. if name == "href" and value != "#" and value != "": # If not already in urls. if value not in self.urls: url = parse.urljoin(self.domain, value) self.urls.append(url) # Get main domain name (example.com) def get_domain_name(url: str) -> str: """ This function get the main domain name >>> get_domain_name("https://a.b.c.d/e/f?g=h,i=j#k") 'c.d' >>> get_domain_name("Not a URL!") '' """ return ".".join(get_sub_domain_name(url).split(".")[-2:]) # Get sub domain name (sub.example.com) def get_sub_domain_name(url: str) -> str: """ >>> get_sub_domain_name("https://a.b.c.d/e/f?g=h,i=j#k") 'a.b.c.d' >>> get_sub_domain_name("Not a URL!") '' """ return parse.urlparse(url).netloc def emails_from_url(url: str = "https://github.com") -> list[str]: """ This function takes url and return all valid urls """ # Get the base domain from the url domain = get_domain_name(url) # Initialize the parser parser = Parser(domain) try: # Open URL r = requests.get(url) # pass the raw HTML to the parser to get links parser.feed(r.text) # Get links and loop through valid_emails = set() for link in parser.urls: # open URL. # read = requests.get(link) try: read = requests.get(link) # Get the valid email. emails = re.findall("[a-zA-Z0-9]+@" + domain, read.text) # If not in list then append it. for email in emails: valid_emails.add(email) except ValueError: pass except ValueError: raise SystemExit(1) # Finally return a sorted list of email addresses with no duplicates. return sorted(valid_emails) if __name__ == "__main__": emails = emails_from_url("https://github.com") print(f"{len(emails)} emails found:") print("\n".join(sorted(emails)))
"""Get the site emails from URL.""" from __future__ import annotations __author__ = "Muhammad Umer Farooq" __license__ = "MIT" __version__ = "1.0.0" __maintainer__ = "Muhammad Umer Farooq" __email__ = "[email protected]" __status__ = "Alpha" import re from html.parser import HTMLParser from urllib import parse import requests class Parser(HTMLParser): def __init__(self, domain: str) -> None: super().__init__() self.urls: list[str] = [] self.domain = domain def handle_starttag(self, tag: str, attrs: list[tuple[str, str | None]]) -> None: """ This function parse html to take takes url from tags """ # Only parse the 'anchor' tag. if tag == "a": # Check the list of defined attributes. for name, value in attrs: # If href is defined, and not empty nor # print it. if name == "href" and value != "#" and value != "": # If not already in urls. if value not in self.urls: url = parse.urljoin(self.domain, value) self.urls.append(url) # Get main domain name (example.com) def get_domain_name(url: str) -> str: """ This function get the main domain name >>> get_domain_name("https://a.b.c.d/e/f?g=h,i=j#k") 'c.d' >>> get_domain_name("Not a URL!") '' """ return ".".join(get_sub_domain_name(url).split(".")[-2:]) # Get sub domain name (sub.example.com) def get_sub_domain_name(url: str) -> str: """ >>> get_sub_domain_name("https://a.b.c.d/e/f?g=h,i=j#k") 'a.b.c.d' >>> get_sub_domain_name("Not a URL!") '' """ return parse.urlparse(url).netloc def emails_from_url(url: str = "https://github.com") -> list[str]: """ This function takes url and return all valid urls """ # Get the base domain from the url domain = get_domain_name(url) # Initialize the parser parser = Parser(domain) try: # Open URL r = requests.get(url) # pass the raw HTML to the parser to get links parser.feed(r.text) # Get links and loop through valid_emails = set() for link in parser.urls: # open URL. # read = requests.get(link) try: read = requests.get(link) # Get the valid email. emails = re.findall("[a-zA-Z0-9]+@" + domain, read.text) # If not in list then append it. for email in emails: valid_emails.add(email) except ValueError: pass except ValueError: raise SystemExit(1) # Finally return a sorted list of email addresses with no duplicates. return sorted(valid_emails) if __name__ == "__main__": emails = emails_from_url("https://github.com") print(f"{len(emails)} emails found:") print("\n".join(sorted(emails)))
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Number letter counts Problem 17: https://projecteuler.net/problem=17 If the numbers 1 to 5 are written out in words: one, two, three, four, five, then there are 3 + 3 + 5 + 4 + 4 = 19 letters used in total. If all the numbers from 1 to 1000 (one thousand) inclusive were written out in words, how many letters would be used? NOTE: Do not count spaces or hyphens. For example, 342 (three hundred and forty-two) contains 23 letters and 115 (one hundred and fifteen) contains 20 letters. The use of "and" when writing out numbers is in compliance withBritish usage. """ def solution(n: int = 1000) -> int: """Returns the number of letters used to write all numbers from 1 to n. where n is lower or equals to 1000. >>> solution(1000) 21124 >>> solution(5) 19 """ # number of letters in zero, one, two, ..., nineteen (0 for zero since it's # never said aloud) ones_counts = [0, 3, 3, 5, 4, 4, 3, 5, 5, 4, 3, 6, 6, 8, 8, 7, 7, 9, 8, 8] # number of letters in twenty, thirty, ..., ninety (0 for numbers less than # 20 due to inconsistency in teens) tens_counts = [0, 0, 6, 6, 5, 5, 5, 7, 6, 6] count = 0 for i in range(1, n + 1): if i < 1000: if i >= 100: # add number of letters for "n hundred" count += ones_counts[i // 100] + 7 if i % 100 != 0: # add number of letters for "and" if number is not multiple # of 100 count += 3 if 0 < i % 100 < 20: # add number of letters for one, two, three, ..., nineteen # (could be combined with below if not for inconsistency in # teens) count += ones_counts[i % 100] else: # add number of letters for twenty, twenty one, ..., ninety # nine count += ones_counts[i % 10] count += tens_counts[(i % 100 - i % 10) // 10] else: count += ones_counts[i // 1000] + 8 return count if __name__ == "__main__": print(solution(int(input().strip())))
""" Number letter counts Problem 17: https://projecteuler.net/problem=17 If the numbers 1 to 5 are written out in words: one, two, three, four, five, then there are 3 + 3 + 5 + 4 + 4 = 19 letters used in total. If all the numbers from 1 to 1000 (one thousand) inclusive were written out in words, how many letters would be used? NOTE: Do not count spaces or hyphens. For example, 342 (three hundred and forty-two) contains 23 letters and 115 (one hundred and fifteen) contains 20 letters. The use of "and" when writing out numbers is in compliance withBritish usage. """ def solution(n: int = 1000) -> int: """Returns the number of letters used to write all numbers from 1 to n. where n is lower or equals to 1000. >>> solution(1000) 21124 >>> solution(5) 19 """ # number of letters in zero, one, two, ..., nineteen (0 for zero since it's # never said aloud) ones_counts = [0, 3, 3, 5, 4, 4, 3, 5, 5, 4, 3, 6, 6, 8, 8, 7, 7, 9, 8, 8] # number of letters in twenty, thirty, ..., ninety (0 for numbers less than # 20 due to inconsistency in teens) tens_counts = [0, 0, 6, 6, 5, 5, 5, 7, 6, 6] count = 0 for i in range(1, n + 1): if i < 1000: if i >= 100: # add number of letters for "n hundred" count += ones_counts[i // 100] + 7 if i % 100 != 0: # add number of letters for "and" if number is not multiple # of 100 count += 3 if 0 < i % 100 < 20: # add number of letters for one, two, three, ..., nineteen # (could be combined with below if not for inconsistency in # teens) count += ones_counts[i % 100] else: # add number of letters for twenty, twenty one, ..., ninety # nine count += ones_counts[i % 10] count += tens_counts[(i % 100 - i % 10) // 10] else: count += ones_counts[i // 1000] + 8 return count if __name__ == "__main__": print(solution(int(input().strip())))
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Project Euler Problem 207: https://projecteuler.net/problem=207 Problem Statement: For some positive integers k, there exists an integer partition of the form 4**t = 2**t + k, where 4**t, 2**t, and k are all positive integers and t is a real number. The first two such partitions are 4**1 = 2**1 + 2 and 4**1.5849625... = 2**1.5849625... + 6. Partitions where t is also an integer are called perfect. For any m ≥ 1 let P(m) be the proportion of such partitions that are perfect with k ≤ m. Thus P(6) = 1/2. In the following table are listed some values of P(m) P(5) = 1/1 P(10) = 1/2 P(15) = 2/3 P(20) = 1/2 P(25) = 1/2 P(30) = 2/5 ... P(180) = 1/4 P(185) = 3/13 Find the smallest m for which P(m) < 1/12345 Solution: Equation 4**t = 2**t + k solved for t gives: t = log2(sqrt(4*k+1)/2 + 1/2) For t to be real valued, sqrt(4*k+1) must be an integer which is implemented in function check_t_real(k). For a perfect partition t must be an integer. To speed up significantly the search for partitions, instead of incrementing k by one per iteration, the next valid k is found by k = (i**2 - 1) / 4 with an integer i and k has to be a positive integer. If this is the case a partition is found. The partition is perfect if t os an integer. The integer i is increased with increment 1 until the proportion perfect partitions / total partitions drops under the given value. """ import math def check_partition_perfect(positive_integer: int) -> bool: """ Check if t = f(positive_integer) = log2(sqrt(4*positive_integer+1)/2 + 1/2) is a real number. >>> check_partition_perfect(2) True >>> check_partition_perfect(6) False """ exponent = math.log2(math.sqrt(4 * positive_integer + 1) / 2 + 1 / 2) return exponent == int(exponent) def solution(max_proportion: float = 1 / 12345) -> int: """ Find m for which the proportion of perfect partitions to total partitions is lower than max_proportion >>> solution(1) > 5 True >>> solution(1/2) > 10 True >>> solution(3 / 13) > 185 True """ total_partitions = 0 perfect_partitions = 0 integer = 3 while True: partition_candidate = (integer**2 - 1) / 4 # if candidate is an integer, then there is a partition for k if partition_candidate == int(partition_candidate): partition_candidate = int(partition_candidate) total_partitions += 1 if check_partition_perfect(partition_candidate): perfect_partitions += 1 if perfect_partitions > 0: if perfect_partitions / total_partitions < max_proportion: return int(partition_candidate) integer += 1 if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 207: https://projecteuler.net/problem=207 Problem Statement: For some positive integers k, there exists an integer partition of the form 4**t = 2**t + k, where 4**t, 2**t, and k are all positive integers and t is a real number. The first two such partitions are 4**1 = 2**1 + 2 and 4**1.5849625... = 2**1.5849625... + 6. Partitions where t is also an integer are called perfect. For any m ≥ 1 let P(m) be the proportion of such partitions that are perfect with k ≤ m. Thus P(6) = 1/2. In the following table are listed some values of P(m) P(5) = 1/1 P(10) = 1/2 P(15) = 2/3 P(20) = 1/2 P(25) = 1/2 P(30) = 2/5 ... P(180) = 1/4 P(185) = 3/13 Find the smallest m for which P(m) < 1/12345 Solution: Equation 4**t = 2**t + k solved for t gives: t = log2(sqrt(4*k+1)/2 + 1/2) For t to be real valued, sqrt(4*k+1) must be an integer which is implemented in function check_t_real(k). For a perfect partition t must be an integer. To speed up significantly the search for partitions, instead of incrementing k by one per iteration, the next valid k is found by k = (i**2 - 1) / 4 with an integer i and k has to be a positive integer. If this is the case a partition is found. The partition is perfect if t os an integer. The integer i is increased with increment 1 until the proportion perfect partitions / total partitions drops under the given value. """ import math def check_partition_perfect(positive_integer: int) -> bool: """ Check if t = f(positive_integer) = log2(sqrt(4*positive_integer+1)/2 + 1/2) is a real number. >>> check_partition_perfect(2) True >>> check_partition_perfect(6) False """ exponent = math.log2(math.sqrt(4 * positive_integer + 1) / 2 + 1 / 2) return exponent == int(exponent) def solution(max_proportion: float = 1 / 12345) -> int: """ Find m for which the proportion of perfect partitions to total partitions is lower than max_proportion >>> solution(1) > 5 True >>> solution(1/2) > 10 True >>> solution(3 / 13) > 185 True """ total_partitions = 0 perfect_partitions = 0 integer = 3 while True: partition_candidate = (integer**2 - 1) / 4 # if candidate is an integer, then there is a partition for k if partition_candidate == int(partition_candidate): partition_candidate = int(partition_candidate) total_partitions += 1 if check_partition_perfect(partition_candidate): perfect_partitions += 1 if perfect_partitions > 0: if perfect_partitions / total_partitions < max_proportion: return int(partition_candidate) integer += 1 if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Sum of all nodes in a binary tree. Python implementation: O(n) time complexity - Recurses through :meth:`depth_first_search` with each element. O(n) space complexity - At any point in time maximum number of stack frames that could be in memory is `n` """ from __future__ import annotations from collections.abc import Iterator class Node: """ A Node has a value variable and pointers to Nodes to its left and right. """ def __init__(self, value: int) -> None: self.value = value self.left: Node | None = None self.right: Node | None = None class BinaryTreeNodeSum: r""" The below tree looks like this 10 / \ 5 -3 / / \ 12 8 0 >>> tree = Node(10) >>> sum(BinaryTreeNodeSum(tree)) 10 >>> tree.left = Node(5) >>> sum(BinaryTreeNodeSum(tree)) 15 >>> tree.right = Node(-3) >>> sum(BinaryTreeNodeSum(tree)) 12 >>> tree.left.left = Node(12) >>> sum(BinaryTreeNodeSum(tree)) 24 >>> tree.right.left = Node(8) >>> tree.right.right = Node(0) >>> sum(BinaryTreeNodeSum(tree)) 32 """ def __init__(self, tree: Node) -> None: self.tree = tree def depth_first_search(self, node: Node | None) -> int: if node is None: return 0 return node.value + ( self.depth_first_search(node.left) + self.depth_first_search(node.right) ) def __iter__(self) -> Iterator[int]: yield self.depth_first_search(self.tree) if __name__ == "__main__": import doctest doctest.testmod()
""" Sum of all nodes in a binary tree. Python implementation: O(n) time complexity - Recurses through :meth:`depth_first_search` with each element. O(n) space complexity - At any point in time maximum number of stack frames that could be in memory is `n` """ from __future__ import annotations from collections.abc import Iterator class Node: """ A Node has a value variable and pointers to Nodes to its left and right. """ def __init__(self, value: int) -> None: self.value = value self.left: Node | None = None self.right: Node | None = None class BinaryTreeNodeSum: r""" The below tree looks like this 10 / \ 5 -3 / / \ 12 8 0 >>> tree = Node(10) >>> sum(BinaryTreeNodeSum(tree)) 10 >>> tree.left = Node(5) >>> sum(BinaryTreeNodeSum(tree)) 15 >>> tree.right = Node(-3) >>> sum(BinaryTreeNodeSum(tree)) 12 >>> tree.left.left = Node(12) >>> sum(BinaryTreeNodeSum(tree)) 24 >>> tree.right.left = Node(8) >>> tree.right.right = Node(0) >>> sum(BinaryTreeNodeSum(tree)) 32 """ def __init__(self, tree: Node) -> None: self.tree = tree def depth_first_search(self, node: Node | None) -> int: if node is None: return 0 return node.value + ( self.depth_first_search(node.left) + self.depth_first_search(node.right) ) def __iter__(self) -> Iterator[int]: yield self.depth_first_search(self.tree) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Problem 14: https://projecteuler.net/problem=14 Collatz conjecture: start with any positive integer n. Next term obtained from the previous term as follows: If the previous term is even, the next term is one half the previous term. If the previous term is odd, the next term is 3 times the previous term plus 1. The conjecture states the sequence will always reach 1 regardless of starting n. Problem Statement: The following iterative sequence is defined for the set of positive integers: n → n/2 (n is even) n → 3n + 1 (n is odd) Using the rule above and starting with 13, we generate the following sequence: 13 → 40 → 20 → 10 → 5 → 16 → 8 → 4 → 2 → 1 It can be seen that this sequence (starting at 13 and finishing at 1) contains 10 terms. Although it has not been proved yet (Collatz Problem), it is thought that all starting numbers finish at 1. Which starting number, under one million, produces the longest chain? """ from __future__ import annotations COLLATZ_SEQUENCE_LENGTHS = {1: 1} def collatz_sequence_length(n: int) -> int: """Returns the Collatz sequence length for n.""" if n in COLLATZ_SEQUENCE_LENGTHS: return COLLATZ_SEQUENCE_LENGTHS[n] if n % 2 == 0: next_n = n // 2 else: next_n = 3 * n + 1 sequence_length = collatz_sequence_length(next_n) + 1 COLLATZ_SEQUENCE_LENGTHS[n] = sequence_length return sequence_length def solution(n: int = 1000000) -> int: """Returns the number under n that generates the longest Collatz sequence. >>> solution(1000000) 837799 >>> solution(200) 171 >>> solution(5000) 3711 >>> solution(15000) 13255 """ result = max((collatz_sequence_length(i), i) for i in range(1, n)) return result[1] if __name__ == "__main__": print(solution(int(input().strip())))
""" Problem 14: https://projecteuler.net/problem=14 Collatz conjecture: start with any positive integer n. Next term obtained from the previous term as follows: If the previous term is even, the next term is one half the previous term. If the previous term is odd, the next term is 3 times the previous term plus 1. The conjecture states the sequence will always reach 1 regardless of starting n. Problem Statement: The following iterative sequence is defined for the set of positive integers: n → n/2 (n is even) n → 3n + 1 (n is odd) Using the rule above and starting with 13, we generate the following sequence: 13 → 40 → 20 → 10 → 5 → 16 → 8 → 4 → 2 → 1 It can be seen that this sequence (starting at 13 and finishing at 1) contains 10 terms. Although it has not been proved yet (Collatz Problem), it is thought that all starting numbers finish at 1. Which starting number, under one million, produces the longest chain? """ from __future__ import annotations COLLATZ_SEQUENCE_LENGTHS = {1: 1} def collatz_sequence_length(n: int) -> int: """Returns the Collatz sequence length for n.""" if n in COLLATZ_SEQUENCE_LENGTHS: return COLLATZ_SEQUENCE_LENGTHS[n] if n % 2 == 0: next_n = n // 2 else: next_n = 3 * n + 1 sequence_length = collatz_sequence_length(next_n) + 1 COLLATZ_SEQUENCE_LENGTHS[n] = sequence_length return sequence_length def solution(n: int = 1000000) -> int: """Returns the number under n that generates the longest Collatz sequence. >>> solution(1000000) 837799 >>> solution(200) 171 >>> solution(5000) 3711 >>> solution(15000) 13255 """ result = max((collatz_sequence_length(i), i) for i in range(1, n)) return result[1] if __name__ == "__main__": print(solution(int(input().strip())))
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import numpy as np from numpy import ndarray from scipy.optimize import Bounds, LinearConstraint, minimize def norm_squared(vector: ndarray) -> float: """ Return the squared second norm of vector norm_squared(v) = sum(x * x for x in v) Args: vector (ndarray): input vector Returns: float: squared second norm of vector >>> norm_squared([1, 2]) 5 >>> norm_squared(np.asarray([1, 2])) 5 >>> norm_squared([0, 0]) 0 """ return np.dot(vector, vector) class SVC: """ Support Vector Classifier Args: kernel (str): kernel to use. Default: linear Possible choices: - linear regularization: constraint for soft margin (data not linearly separable) Default: unbound >>> SVC(kernel="asdf") Traceback (most recent call last): ... ValueError: Unknown kernel: asdf >>> SVC(kernel="rbf") Traceback (most recent call last): ... ValueError: rbf kernel requires gamma >>> SVC(kernel="rbf", gamma=-1) Traceback (most recent call last): ... ValueError: gamma must be > 0 """ def __init__( self, *, regularization: float = np.inf, kernel: str = "linear", gamma: float = 0, ) -> None: self.regularization = regularization self.gamma = gamma if kernel == "linear": self.kernel = self.__linear elif kernel == "rbf": if self.gamma == 0: raise ValueError("rbf kernel requires gamma") if not (isinstance(self.gamma, float) or isinstance(self.gamma, int)): raise ValueError("gamma must be float or int") if not self.gamma > 0: raise ValueError("gamma must be > 0") self.kernel = self.__rbf # in the future, there could be a default value like in sklearn # sklear: def_gamma = 1/(n_features * X.var()) (wiki) # previously it was 1/(n_features) else: raise ValueError(f"Unknown kernel: {kernel}") # kernels def __linear(self, vector1: ndarray, vector2: ndarray) -> float: """Linear kernel (as if no kernel used at all)""" return np.dot(vector1, vector2) def __rbf(self, vector1: ndarray, vector2: ndarray) -> float: """ RBF: Radial Basis Function Kernel Note: for more information see: https://en.wikipedia.org/wiki/Radial_basis_function_kernel Args: vector1 (ndarray): first vector vector2 (ndarray): second vector) Returns: float: exp(-(gamma * norm_squared(vector1 - vector2))) """ return np.exp(-(self.gamma * norm_squared(vector1 - vector2))) def fit(self, observations: list[ndarray], classes: ndarray) -> None: """ Fits the SVC with a set of observations. Args: observations (list[ndarray]): list of observations classes (ndarray): classification of each observation (in {1, -1}) """ self.observations = observations self.classes = classes # using Wolfe's Dual to calculate w. # Primal problem: minimize 1/2*norm_squared(w) # constraint: yn(w . xn + b) >= 1 # # With l a vector # Dual problem: maximize sum_n(ln) - # 1/2 * sum_n(sum_m(ln*lm*yn*ym*xn . xm)) # constraint: self.C >= ln >= 0 # and sum_n(ln*yn) = 0 # Then we get w using w = sum_n(ln*yn*xn) # At the end we can get b ~= mean(yn - w . xn) # # Since we use kernels, we only need l_star to calculate b # and to classify observations (n,) = np.shape(classes) def to_minimize(candidate: ndarray) -> float: """ Opposite of the function to maximize Args: candidate (ndarray): candidate array to test Return: float: Wolfe's Dual result to minimize """ s = 0 (n,) = np.shape(candidate) for i in range(n): for j in range(n): s += ( candidate[i] * candidate[j] * classes[i] * classes[j] * self.kernel(observations[i], observations[j]) ) return 1 / 2 * s - sum(candidate) ly_contraint = LinearConstraint(classes, 0, 0) l_bounds = Bounds(0, self.regularization) l_star = minimize( to_minimize, np.ones(n), bounds=l_bounds, constraints=[ly_contraint] ).x self.optimum = l_star # calculating mean offset of separation plane to points s = 0 for i in range(n): for j in range(n): s += classes[i] - classes[i] * self.optimum[i] * self.kernel( observations[i], observations[j] ) self.offset = s / n def predict(self, observation: ndarray) -> int: """ Get the expected class of an observation Args: observation (Vector): observation Returns: int {1, -1}: expected class >>> xs = [ ... np.asarray([0, 1]), np.asarray([0, 2]), ... np.asarray([1, 1]), np.asarray([1, 2]) ... ] >>> y = np.asarray([1, 1, -1, -1]) >>> s = SVC() >>> s.fit(xs, y) >>> s.predict(np.asarray([0, 1])) 1 >>> s.predict(np.asarray([1, 1])) -1 >>> s.predict(np.asarray([2, 2])) -1 """ s = sum( self.optimum[n] * self.classes[n] * self.kernel(self.observations[n], observation) for n in range(len(self.classes)) ) return 1 if s + self.offset >= 0 else -1 if __name__ == "__main__": import doctest doctest.testmod()
import numpy as np from numpy import ndarray from scipy.optimize import Bounds, LinearConstraint, minimize def norm_squared(vector: ndarray) -> float: """ Return the squared second norm of vector norm_squared(v) = sum(x * x for x in v) Args: vector (ndarray): input vector Returns: float: squared second norm of vector >>> norm_squared([1, 2]) 5 >>> norm_squared(np.asarray([1, 2])) 5 >>> norm_squared([0, 0]) 0 """ return np.dot(vector, vector) class SVC: """ Support Vector Classifier Args: kernel (str): kernel to use. Default: linear Possible choices: - linear regularization: constraint for soft margin (data not linearly separable) Default: unbound >>> SVC(kernel="asdf") Traceback (most recent call last): ... ValueError: Unknown kernel: asdf >>> SVC(kernel="rbf") Traceback (most recent call last): ... ValueError: rbf kernel requires gamma >>> SVC(kernel="rbf", gamma=-1) Traceback (most recent call last): ... ValueError: gamma must be > 0 """ def __init__( self, *, regularization: float = np.inf, kernel: str = "linear", gamma: float = 0, ) -> None: self.regularization = regularization self.gamma = gamma if kernel == "linear": self.kernel = self.__linear elif kernel == "rbf": if self.gamma == 0: raise ValueError("rbf kernel requires gamma") if not (isinstance(self.gamma, float) or isinstance(self.gamma, int)): raise ValueError("gamma must be float or int") if not self.gamma > 0: raise ValueError("gamma must be > 0") self.kernel = self.__rbf # in the future, there could be a default value like in sklearn # sklear: def_gamma = 1/(n_features * X.var()) (wiki) # previously it was 1/(n_features) else: raise ValueError(f"Unknown kernel: {kernel}") # kernels def __linear(self, vector1: ndarray, vector2: ndarray) -> float: """Linear kernel (as if no kernel used at all)""" return np.dot(vector1, vector2) def __rbf(self, vector1: ndarray, vector2: ndarray) -> float: """ RBF: Radial Basis Function Kernel Note: for more information see: https://en.wikipedia.org/wiki/Radial_basis_function_kernel Args: vector1 (ndarray): first vector vector2 (ndarray): second vector) Returns: float: exp(-(gamma * norm_squared(vector1 - vector2))) """ return np.exp(-(self.gamma * norm_squared(vector1 - vector2))) def fit(self, observations: list[ndarray], classes: ndarray) -> None: """ Fits the SVC with a set of observations. Args: observations (list[ndarray]): list of observations classes (ndarray): classification of each observation (in {1, -1}) """ self.observations = observations self.classes = classes # using Wolfe's Dual to calculate w. # Primal problem: minimize 1/2*norm_squared(w) # constraint: yn(w . xn + b) >= 1 # # With l a vector # Dual problem: maximize sum_n(ln) - # 1/2 * sum_n(sum_m(ln*lm*yn*ym*xn . xm)) # constraint: self.C >= ln >= 0 # and sum_n(ln*yn) = 0 # Then we get w using w = sum_n(ln*yn*xn) # At the end we can get b ~= mean(yn - w . xn) # # Since we use kernels, we only need l_star to calculate b # and to classify observations (n,) = np.shape(classes) def to_minimize(candidate: ndarray) -> float: """ Opposite of the function to maximize Args: candidate (ndarray): candidate array to test Return: float: Wolfe's Dual result to minimize """ s = 0 (n,) = np.shape(candidate) for i in range(n): for j in range(n): s += ( candidate[i] * candidate[j] * classes[i] * classes[j] * self.kernel(observations[i], observations[j]) ) return 1 / 2 * s - sum(candidate) ly_contraint = LinearConstraint(classes, 0, 0) l_bounds = Bounds(0, self.regularization) l_star = minimize( to_minimize, np.ones(n), bounds=l_bounds, constraints=[ly_contraint] ).x self.optimum = l_star # calculating mean offset of separation plane to points s = 0 for i in range(n): for j in range(n): s += classes[i] - classes[i] * self.optimum[i] * self.kernel( observations[i], observations[j] ) self.offset = s / n def predict(self, observation: ndarray) -> int: """ Get the expected class of an observation Args: observation (Vector): observation Returns: int {1, -1}: expected class >>> xs = [ ... np.asarray([0, 1]), np.asarray([0, 2]), ... np.asarray([1, 1]), np.asarray([1, 2]) ... ] >>> y = np.asarray([1, 1, -1, -1]) >>> s = SVC() >>> s.fit(xs, y) >>> s.predict(np.asarray([0, 1])) 1 >>> s.predict(np.asarray([1, 1])) -1 >>> s.predict(np.asarray([2, 2])) -1 """ s = sum( self.optimum[n] * self.classes[n] * self.kernel(self.observations[n], observation) for n in range(len(self.classes)) ) return 1 if s + self.offset >= 0 else -1 if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/env python3 """ A Polybius Square is a table that allows someone to translate letters into numbers. https://www.braingle.com/brainteasers/codes/polybius.php """ import numpy as np class PolybiusCipher: def __init__(self) -> None: SQUARE = [ # noqa: N806 ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(PolybiusCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(PolybiusCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> PolybiusCipher().numbers_to_letter(4, 5) == "u" True >>> PolybiusCipher().numbers_to_letter(1, 1) == "a" True """ return self.SQUARE[index1 - 1, index2 - 1] def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> PolybiusCipher().encode("test message") == "44154344 32154343112215" True >>> PolybiusCipher().encode("Test Message") == "44154344 32154343112215" True """ message = message.lower() message = message.replace("j", "i") encoded_message = "" for letter_index in range(len(message)): if message[letter_index] != " ": numbers = self.letter_to_numbers(message[letter_index]) encoded_message = encoded_message + str(numbers[0]) + str(numbers[1]) elif message[letter_index] == " ": encoded_message = encoded_message + " " return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> PolybiusCipher().decode("44154344 32154343112215") == "test message" True >>> PolybiusCipher().decode("4415434432154343112215") == "testmessage" True """ message = message.replace(" ", " ") decoded_message = "" for numbers_index in range(int(len(message) / 2)): if message[numbers_index * 2] != " ": index1 = message[numbers_index * 2] index2 = message[numbers_index * 2 + 1] letter = self.numbers_to_letter(int(index1), int(index2)) decoded_message = decoded_message + letter elif message[numbers_index * 2] == " ": decoded_message = decoded_message + " " return decoded_message
#!/usr/bin/env python3 """ A Polybius Square is a table that allows someone to translate letters into numbers. https://www.braingle.com/brainteasers/codes/polybius.php """ import numpy as np class PolybiusCipher: def __init__(self) -> None: SQUARE = [ # noqa: N806 ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(PolybiusCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(PolybiusCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> PolybiusCipher().numbers_to_letter(4, 5) == "u" True >>> PolybiusCipher().numbers_to_letter(1, 1) == "a" True """ return self.SQUARE[index1 - 1, index2 - 1] def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> PolybiusCipher().encode("test message") == "44154344 32154343112215" True >>> PolybiusCipher().encode("Test Message") == "44154344 32154343112215" True """ message = message.lower() message = message.replace("j", "i") encoded_message = "" for letter_index in range(len(message)): if message[letter_index] != " ": numbers = self.letter_to_numbers(message[letter_index]) encoded_message = encoded_message + str(numbers[0]) + str(numbers[1]) elif message[letter_index] == " ": encoded_message = encoded_message + " " return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> PolybiusCipher().decode("44154344 32154343112215") == "test message" True >>> PolybiusCipher().decode("4415434432154343112215") == "testmessage" True """ message = message.replace(" ", " ") decoded_message = "" for numbers_index in range(int(len(message) / 2)): if message[numbers_index * 2] != " ": index1 = message[numbers_index * 2] index2 = message[numbers_index * 2 + 1] letter = self.numbers_to_letter(int(index1), int(index2)) decoded_message = decoded_message + letter elif message[numbers_index * 2] == " ": decoded_message = decoded_message + " " return decoded_message
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def exchange_sort(numbers: list[int]) -> list[int]: """ Uses exchange sort to sort a list of numbers. Source: https://en.wikipedia.org/wiki/Sorting_algorithm#Exchange_sort >>> exchange_sort([5, 4, 3, 2, 1]) [1, 2, 3, 4, 5] >>> exchange_sort([-1, -2, -3]) [-3, -2, -1] >>> exchange_sort([1, 2, 3, 4, 5]) [1, 2, 3, 4, 5] >>> exchange_sort([0, 10, -2, 5, 3]) [-2, 0, 3, 5, 10] >>> exchange_sort([]) [] """ numbers_length = len(numbers) for i in range(numbers_length): for j in range(i + 1, numbers_length): if numbers[j] < numbers[i]: numbers[i], numbers[j] = numbers[j], numbers[i] return numbers if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() unsorted = [int(item) for item in user_input.split(",")] print(exchange_sort(unsorted))
def exchange_sort(numbers: list[int]) -> list[int]: """ Uses exchange sort to sort a list of numbers. Source: https://en.wikipedia.org/wiki/Sorting_algorithm#Exchange_sort >>> exchange_sort([5, 4, 3, 2, 1]) [1, 2, 3, 4, 5] >>> exchange_sort([-1, -2, -3]) [-3, -2, -1] >>> exchange_sort([1, 2, 3, 4, 5]) [1, 2, 3, 4, 5] >>> exchange_sort([0, 10, -2, 5, 3]) [-2, 0, 3, 5, 10] >>> exchange_sort([]) [] """ numbers_length = len(numbers) for i in range(numbers_length): for j in range(i + 1, numbers_length): if numbers[j] < numbers[i]: numbers[i], numbers[j] = numbers[j], numbers[i] return numbers if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() unsorted = [int(item) for item in user_input.split(",")] print(exchange_sort(unsorted))
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] 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
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
ref: refs/remotes/origin/master
ref: refs/remotes/origin/master
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
import requests from bs4 import BeautifulSoup def horoscope(zodiac_sign: int, day: str) -> str: url = ( "https://www.horoscope.com/us/horoscopes/general/" f"horoscope-general-daily-{day}.aspx?sign={zodiac_sign}" ) soup = BeautifulSoup(requests.get(url).content, "html.parser") return soup.find("div", class_="main-horoscope").p.text if __name__ == "__main__": print("Daily Horoscope. \n") print( "enter your Zodiac sign number:\n", "1. Aries\n", "2. Taurus\n", "3. Gemini\n", "4. Cancer\n", "5. Leo\n", "6. Virgo\n", "7. Libra\n", "8. Scorpio\n", "9. Sagittarius\n", "10. Capricorn\n", "11. Aquarius\n", "12. Pisces\n", ) zodiac_sign = int(input("number> ").strip()) print("choose some day:\n", "yesterday\n", "today\n", "tomorrow\n") day = input("enter the day> ") horoscope_text = horoscope(zodiac_sign, day) print(horoscope_text)
import requests from bs4 import BeautifulSoup def horoscope(zodiac_sign: int, day: str) -> str: url = ( "https://www.horoscope.com/us/horoscopes/general/" f"horoscope-general-daily-{day}.aspx?sign={zodiac_sign}" ) soup = BeautifulSoup(requests.get(url).content, "html.parser") return soup.find("div", class_="main-horoscope").p.text if __name__ == "__main__": print("Daily Horoscope. \n") print( "enter your Zodiac sign number:\n", "1. Aries\n", "2. Taurus\n", "3. Gemini\n", "4. Cancer\n", "5. Leo\n", "6. Virgo\n", "7. Libra\n", "8. Scorpio\n", "9. Sagittarius\n", "10. Capricorn\n", "11. Aquarius\n", "12. Pisces\n", ) zodiac_sign = int(input("number> ").strip()) print("choose some day:\n", "yesterday\n", "today\n", "tomorrow\n") day = input("enter the day> ") horoscope_text = horoscope(zodiac_sign, day) print(horoscope_text)
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
def is_contains_unique_chars(input_str: str) -> bool: """ Check if all characters in the string is unique or not. >>> is_contains_unique_chars("I_love.py") True >>> is_contains_unique_chars("I don't love Python") False Time complexity: O(n) Space complexity: O(1) 19320 bytes as we are having 144697 characters in unicode """ # Each bit will represent each unicode character # For example 65th bit representing 'A' # https://stackoverflow.com/a/12811293 bitmap = 0 for ch in input_str: ch_unicode = ord(ch) ch_bit_index_on = pow(2, ch_unicode) # If we already turned on bit for current character's unicode if bitmap >> ch_unicode & 1 == 1: return False bitmap |= ch_bit_index_on return True if __name__ == "__main__": import doctest doctest.testmod()
def is_contains_unique_chars(input_str: str) -> bool: """ Check if all characters in the string is unique or not. >>> is_contains_unique_chars("I_love.py") True >>> is_contains_unique_chars("I don't love Python") False Time complexity: O(n) Space complexity: O(1) 19320 bytes as we are having 144697 characters in unicode """ # Each bit will represent each unicode character # For example 65th bit representing 'A' # https://stackoverflow.com/a/12811293 bitmap = 0 for ch in input_str: ch_unicode = ord(ch) ch_bit_index_on = pow(2, ch_unicode) # If we already turned on bit for current character's unicode if bitmap >> ch_unicode & 1 == 1: return False bitmap |= ch_bit_index_on return True if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,277
Change to https.
### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
girisagar46
"2022-10-16T04:51:32Z"
"2022-10-16T07:43:29Z"
04698538d816fc5f70c850e8b89c6d1f5599fa84
e7b6d2824a65985790d0044262f717898ffbeb4d
Change to https.. ### Describe your change: * [ ] Add an algorithm? * [x] 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. * [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. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Print all the Catalan numbers from 0 to n, n being the user input. * The Catalan numbers are a sequence of positive integers that * appear in many counting problems in combinatorics [1]. Such * problems include counting [2]: * - The number of Dyck words of length 2n * - The number well-formed expressions with n pairs of parentheses * (e.g., `()()` is valid but `())(` is not) * - The number of different ways n + 1 factors can be completely * parenthesized (e.g., for n = 2, C(n) = 2 and (ab)c and a(bc) * are the two valid ways to parenthesize. * - The number of full binary trees with n + 1 leaves * A Catalan number satisfies the following recurrence relation * which we will use in this algorithm [1]. * C(0) = C(1) = 1 * C(n) = sum(C(i).C(n-i-1)), from i = 0 to n-1 * In addition, the n-th Catalan number can be calculated using * the closed form formula below [1]: * C(n) = (1 / (n + 1)) * (2n choose n) * Sources: * [1] https://brilliant.org/wiki/catalan-numbers/ * [2] https://en.wikipedia.org/wiki/Catalan_number """ def catalan_numbers(upper_limit: int) -> "list[int]": """ Return a list of the Catalan number sequence from 0 through `upper_limit`. >>> catalan_numbers(5) [1, 1, 2, 5, 14, 42] >>> catalan_numbers(2) [1, 1, 2] >>> catalan_numbers(-1) Traceback (most recent call last): ValueError: Limit for the Catalan sequence must be ≥ 0 """ if upper_limit < 0: raise ValueError("Limit for the Catalan sequence must be ≥ 0") catalan_list = [0] * (upper_limit + 1) # Base case: C(0) = C(1) = 1 catalan_list[0] = 1 if upper_limit > 0: catalan_list[1] = 1 # Recurrence relation: C(i) = sum(C(j).C(i-j-1)), from j = 0 to i for i in range(2, upper_limit + 1): for j in range(i): catalan_list[i] += catalan_list[j] * catalan_list[i - j - 1] return catalan_list if __name__ == "__main__": print("\n********* Catalan Numbers Using Dynamic Programming ************\n") print("\n*** Enter -1 at any time to quit ***") print("\nEnter the upper limit (≥ 0) for the Catalan number sequence: ", end="") try: while True: N = int(input().strip()) if N < 0: print("\n********* Goodbye!! ************") break else: print(f"The Catalan numbers from 0 through {N} are:") print(catalan_numbers(N)) print("Try another upper limit for the sequence: ", end="") except (NameError, ValueError): print("\n********* Invalid input, goodbye! ************\n") import doctest doctest.testmod()
""" Print all the Catalan numbers from 0 to n, n being the user input. * The Catalan numbers are a sequence of positive integers that * appear in many counting problems in combinatorics [1]. Such * problems include counting [2]: * - The number of Dyck words of length 2n * - The number well-formed expressions with n pairs of parentheses * (e.g., `()()` is valid but `())(` is not) * - The number of different ways n + 1 factors can be completely * parenthesized (e.g., for n = 2, C(n) = 2 and (ab)c and a(bc) * are the two valid ways to parenthesize. * - The number of full binary trees with n + 1 leaves * A Catalan number satisfies the following recurrence relation * which we will use in this algorithm [1]. * C(0) = C(1) = 1 * C(n) = sum(C(i).C(n-i-1)), from i = 0 to n-1 * In addition, the n-th Catalan number can be calculated using * the closed form formula below [1]: * C(n) = (1 / (n + 1)) * (2n choose n) * Sources: * [1] https://brilliant.org/wiki/catalan-numbers/ * [2] https://en.wikipedia.org/wiki/Catalan_number """ def catalan_numbers(upper_limit: int) -> "list[int]": """ Return a list of the Catalan number sequence from 0 through `upper_limit`. >>> catalan_numbers(5) [1, 1, 2, 5, 14, 42] >>> catalan_numbers(2) [1, 1, 2] >>> catalan_numbers(-1) Traceback (most recent call last): ValueError: Limit for the Catalan sequence must be ≥ 0 """ if upper_limit < 0: raise ValueError("Limit for the Catalan sequence must be ≥ 0") catalan_list = [0] * (upper_limit + 1) # Base case: C(0) = C(1) = 1 catalan_list[0] = 1 if upper_limit > 0: catalan_list[1] = 1 # Recurrence relation: C(i) = sum(C(j).C(i-j-1)), from j = 0 to i for i in range(2, upper_limit + 1): for j in range(i): catalan_list[i] += catalan_list[j] * catalan_list[i - j - 1] return catalan_list if __name__ == "__main__": print("\n********* Catalan Numbers Using Dynamic Programming ************\n") print("\n*** Enter -1 at any time to quit ***") print("\nEnter the upper limit (≥ 0) for the Catalan number sequence: ", end="") try: while True: N = int(input().strip()) if N < 0: print("\n********* Goodbye!! ************") break else: print(f"The Catalan numbers from 0 through {N} are:") print(catalan_numbers(N)) print("Try another upper limit for the sequence: ", end="") except (NameError, ValueError): print("\n********* Invalid input, goodbye! ************\n") import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
#!/usr/bin/env python3 """ The Bifid Cipher uses a Polybius Square to encipher a message in a way that makes it fairly difficult to decipher without knowing the secret. https://www.braingle.com/brainteasers/codes/bifid.php """ import numpy as np class BifidCipher: def __init__(self) -> None: SQUARE = [ # noqa: N806 ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(BifidCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(BifidCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> BifidCipher().numbers_to_letter(4, 5) == "u" True >>> BifidCipher().numbers_to_letter(1, 1) == "a" True """ letter = self.SQUARE[index1 - 1, index2 - 1] return letter def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> BifidCipher().encode('testmessage') == 'qtltbdxrxlk' True >>> BifidCipher().encode('Test Message') == 'qtltbdxrxlk' True >>> BifidCipher().encode('test j') == BifidCipher().encode('test i') True """ message = message.lower() message = message.replace(" ", "") message = message.replace("j", "i") first_step = np.empty((2, len(message))) for letter_index in range(len(message)): numbers = self.letter_to_numbers(message[letter_index]) first_step[0, letter_index] = numbers[0] first_step[1, letter_index] = numbers[1] second_step = first_step.reshape(2 * len(message)) encoded_message = "" for numbers_index in range(len(message)): index1 = int(second_step[numbers_index * 2]) index2 = int(second_step[(numbers_index * 2) + 1]) letter = self.numbers_to_letter(index1, index2) encoded_message = encoded_message + letter return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> BifidCipher().decode('qtltbdxrxlk') == 'testmessage' True """ message = message.lower() message.replace(" ", "") first_step = np.empty(2 * len(message)) for letter_index in range(len(message)): numbers = self.letter_to_numbers(message[letter_index]) first_step[letter_index * 2] = numbers[0] first_step[letter_index * 2 + 1] = numbers[1] second_step = first_step.reshape((2, len(message))) decoded_message = "" for numbers_index in range(len(message)): index1 = int(second_step[0, numbers_index]) index2 = int(second_step[1, numbers_index]) letter = self.numbers_to_letter(index1, index2) decoded_message = decoded_message + letter return decoded_message
#!/usr/bin/env python3 """ The Bifid Cipher uses a Polybius Square to encipher a message in a way that makes it fairly difficult to decipher without knowing the secret. https://www.braingle.com/brainteasers/codes/bifid.php """ import numpy as np SQUARE = [ ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] class BifidCipher: def __init__(self) -> None: self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(BifidCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(BifidCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> BifidCipher().numbers_to_letter(4, 5) == "u" True >>> BifidCipher().numbers_to_letter(1, 1) == "a" True """ letter = self.SQUARE[index1 - 1, index2 - 1] return letter def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> BifidCipher().encode('testmessage') == 'qtltbdxrxlk' True >>> BifidCipher().encode('Test Message') == 'qtltbdxrxlk' True >>> BifidCipher().encode('test j') == BifidCipher().encode('test i') True """ message = message.lower() message = message.replace(" ", "") message = message.replace("j", "i") first_step = np.empty((2, len(message))) for letter_index in range(len(message)): numbers = self.letter_to_numbers(message[letter_index]) first_step[0, letter_index] = numbers[0] first_step[1, letter_index] = numbers[1] second_step = first_step.reshape(2 * len(message)) encoded_message = "" for numbers_index in range(len(message)): index1 = int(second_step[numbers_index * 2]) index2 = int(second_step[(numbers_index * 2) + 1]) letter = self.numbers_to_letter(index1, index2) encoded_message = encoded_message + letter return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> BifidCipher().decode('qtltbdxrxlk') == 'testmessage' True """ message = message.lower() message.replace(" ", "") first_step = np.empty(2 * len(message)) for letter_index in range(len(message)): numbers = self.letter_to_numbers(message[letter_index]) first_step[letter_index * 2] = numbers[0] first_step[letter_index * 2 + 1] = numbers[1] second_step = first_step.reshape((2, len(message))) decoded_message = "" for numbers_index in range(len(message)): index1 = int(second_step[0, numbers_index]) index2 = int(second_step[1, numbers_index]) letter = self.numbers_to_letter(index1, index2) decoded_message = decoded_message + letter return decoded_message
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 decrypt(message: str) -> None: """ >>> decrypt('TMDETUX PMDVU') Decryption using Key #0: TMDETUX PMDVU Decryption using Key #1: SLCDSTW OLCUT Decryption using Key #2: RKBCRSV NKBTS Decryption using Key #3: QJABQRU MJASR Decryption using Key #4: PIZAPQT LIZRQ Decryption using Key #5: OHYZOPS KHYQP Decryption using Key #6: NGXYNOR JGXPO Decryption using Key #7: MFWXMNQ IFWON Decryption using Key #8: LEVWLMP HEVNM Decryption using Key #9: KDUVKLO GDUML Decryption using Key #10: JCTUJKN FCTLK Decryption using Key #11: IBSTIJM EBSKJ Decryption using Key #12: HARSHIL DARJI Decryption using Key #13: GZQRGHK CZQIH Decryption using Key #14: FYPQFGJ BYPHG Decryption using Key #15: EXOPEFI AXOGF Decryption using Key #16: DWNODEH ZWNFE Decryption using Key #17: CVMNCDG YVMED Decryption using Key #18: BULMBCF XULDC Decryption using Key #19: ATKLABE WTKCB Decryption using Key #20: ZSJKZAD VSJBA Decryption using Key #21: YRIJYZC URIAZ Decryption using Key #22: XQHIXYB TQHZY Decryption using Key #23: WPGHWXA SPGYX Decryption using Key #24: VOFGVWZ ROFXW Decryption using Key #25: UNEFUVY QNEWV """ LETTERS = "ABCDEFGHIJKLMNOPQRSTUVWXYZ" # noqa: N806 for key in range(len(LETTERS)): translated = "" for symbol in message: if symbol in LETTERS: num = LETTERS.find(symbol) num = num - key if num < 0: num = num + len(LETTERS) translated = translated + LETTERS[num] else: translated = translated + symbol print(f"Decryption using Key #{key}: {translated}") def main() -> None: message = input("Encrypted message: ") message = message.upper() decrypt(message) if __name__ == "__main__": import doctest doctest.testmod() main()
import string def decrypt(message: str) -> None: """ >>> decrypt('TMDETUX PMDVU') Decryption using Key #0: TMDETUX PMDVU Decryption using Key #1: SLCDSTW OLCUT Decryption using Key #2: RKBCRSV NKBTS Decryption using Key #3: QJABQRU MJASR Decryption using Key #4: PIZAPQT LIZRQ Decryption using Key #5: OHYZOPS KHYQP Decryption using Key #6: NGXYNOR JGXPO Decryption using Key #7: MFWXMNQ IFWON Decryption using Key #8: LEVWLMP HEVNM Decryption using Key #9: KDUVKLO GDUML Decryption using Key #10: JCTUJKN FCTLK Decryption using Key #11: IBSTIJM EBSKJ Decryption using Key #12: HARSHIL DARJI Decryption using Key #13: GZQRGHK CZQIH Decryption using Key #14: FYPQFGJ BYPHG Decryption using Key #15: EXOPEFI AXOGF Decryption using Key #16: DWNODEH ZWNFE Decryption using Key #17: CVMNCDG YVMED Decryption using Key #18: BULMBCF XULDC Decryption using Key #19: ATKLABE WTKCB Decryption using Key #20: ZSJKZAD VSJBA Decryption using Key #21: YRIJYZC URIAZ Decryption using Key #22: XQHIXYB TQHZY Decryption using Key #23: WPGHWXA SPGYX Decryption using Key #24: VOFGVWZ ROFXW Decryption using Key #25: UNEFUVY QNEWV """ for key in range(len(string.ascii_uppercase)): translated = "" for symbol in message: if symbol in string.ascii_uppercase: num = string.ascii_uppercase.find(symbol) num = num - key if num < 0: num = num + len(string.ascii_uppercase) translated = translated + string.ascii_uppercase[num] else: translated = translated + symbol print(f"Decryption using Key #{key}: {translated}") def main() -> None: message = input("Encrypted message: ") message = message.upper() decrypt(message) if __name__ == "__main__": import doctest doctest.testmod() main()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
#!/usr/bin/env python3 """ A Polybius Square is a table that allows someone to translate letters into numbers. https://www.braingle.com/brainteasers/codes/polybius.php """ import numpy as np class PolybiusCipher: def __init__(self) -> None: SQUARE = [ # noqa: N806 ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(PolybiusCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(PolybiusCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> PolybiusCipher().numbers_to_letter(4, 5) == "u" True >>> PolybiusCipher().numbers_to_letter(1, 1) == "a" True """ return self.SQUARE[index1 - 1, index2 - 1] def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> PolybiusCipher().encode("test message") == "44154344 32154343112215" True >>> PolybiusCipher().encode("Test Message") == "44154344 32154343112215" True """ message = message.lower() message = message.replace("j", "i") encoded_message = "" for letter_index in range(len(message)): if message[letter_index] != " ": numbers = self.letter_to_numbers(message[letter_index]) encoded_message = encoded_message + str(numbers[0]) + str(numbers[1]) elif message[letter_index] == " ": encoded_message = encoded_message + " " return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> PolybiusCipher().decode("44154344 32154343112215") == "test message" True >>> PolybiusCipher().decode("4415434432154343112215") == "testmessage" True """ message = message.replace(" ", " ") decoded_message = "" for numbers_index in range(int(len(message) / 2)): if message[numbers_index * 2] != " ": index1 = message[numbers_index * 2] index2 = message[numbers_index * 2 + 1] letter = self.numbers_to_letter(int(index1), int(index2)) decoded_message = decoded_message + letter elif message[numbers_index * 2] == " ": decoded_message = decoded_message + " " return decoded_message
#!/usr/bin/env python3 """ A Polybius Square is a table that allows someone to translate letters into numbers. https://www.braingle.com/brainteasers/codes/polybius.php """ import numpy as np SQUARE = [ ["a", "b", "c", "d", "e"], ["f", "g", "h", "i", "k"], ["l", "m", "n", "o", "p"], ["q", "r", "s", "t", "u"], ["v", "w", "x", "y", "z"], ] class PolybiusCipher: def __init__(self) -> None: self.SQUARE = np.array(SQUARE) def letter_to_numbers(self, letter: str) -> np.ndarray: """ Return the pair of numbers that represents the given letter in the polybius square >>> np.array_equal(PolybiusCipher().letter_to_numbers('a'), [1,1]) True >>> np.array_equal(PolybiusCipher().letter_to_numbers('u'), [4,5]) True """ index1, index2 = np.where(self.SQUARE == letter) indexes = np.concatenate([index1 + 1, index2 + 1]) return indexes def numbers_to_letter(self, index1: int, index2: int) -> str: """ Return the letter corresponding to the position [index1, index2] in the polybius square >>> PolybiusCipher().numbers_to_letter(4, 5) == "u" True >>> PolybiusCipher().numbers_to_letter(1, 1) == "a" True """ return self.SQUARE[index1 - 1, index2 - 1] def encode(self, message: str) -> str: """ Return the encoded version of message according to the polybius cipher >>> PolybiusCipher().encode("test message") == "44154344 32154343112215" True >>> PolybiusCipher().encode("Test Message") == "44154344 32154343112215" True """ message = message.lower() message = message.replace("j", "i") encoded_message = "" for letter_index in range(len(message)): if message[letter_index] != " ": numbers = self.letter_to_numbers(message[letter_index]) encoded_message = encoded_message + str(numbers[0]) + str(numbers[1]) elif message[letter_index] == " ": encoded_message = encoded_message + " " return encoded_message def decode(self, message: str) -> str: """ Return the decoded version of message according to the polybius cipher >>> PolybiusCipher().decode("44154344 32154343112215") == "test message" True >>> PolybiusCipher().decode("4415434432154343112215") == "testmessage" True """ message = message.replace(" ", " ") decoded_message = "" for numbers_index in range(int(len(message) / 2)): if message[numbers_index * 2] != " ": index1 = message[numbers_index * 2] index2 = message[numbers_index * 2 + 1] letter = self.numbers_to_letter(int(index1), int(index2)) decoded_message = decoded_message + letter elif message[numbers_index * 2] == " ": decoded_message = decoded_message + " " return decoded_message
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" Peak signal-to-noise ratio - PSNR https://en.wikipedia.org/wiki/Peak_signal-to-noise_ratio Source: https://tutorials.techonical.com/how-to-calculate-psnr-value-of-two-images-using-python """ import math import os import cv2 import numpy as np def psnr(original: float, contrast: float) -> float: mse = np.mean((original - contrast) ** 2) if mse == 0: return 100 PIXEL_MAX = 255.0 # noqa: N806 PSNR = 20 * math.log10(PIXEL_MAX / math.sqrt(mse)) # noqa: N806 return PSNR def main() -> None: dir_path = os.path.dirname(os.path.realpath(__file__)) # Loading images (original image and compressed image) original = cv2.imread(os.path.join(dir_path, "image_data/original_image.png")) contrast = cv2.imread(os.path.join(dir_path, "image_data/compressed_image.png"), 1) original2 = cv2.imread(os.path.join(dir_path, "image_data/PSNR-example-base.png")) contrast2 = cv2.imread( os.path.join(dir_path, "image_data/PSNR-example-comp-10.jpg"), 1 ) # Value expected: 29.73dB print("-- First Test --") print(f"PSNR value is {psnr(original, contrast)} dB") # # Value expected: 31.53dB (Wikipedia Example) print("\n-- Second Test --") print(f"PSNR value is {psnr(original2, contrast2)} dB") if __name__ == "__main__": main()
""" Peak signal-to-noise ratio - PSNR https://en.wikipedia.org/wiki/Peak_signal-to-noise_ratio Source: https://tutorials.techonical.com/how-to-calculate-psnr-value-of-two-images-using-python """ import math import os import cv2 import numpy as np PIXEL_MAX = 255.0 def peak_signal_to_noise_ratio(original: float, contrast: float) -> float: mse = np.mean((original - contrast) ** 2) if mse == 0: return 100 return 20 * math.log10(PIXEL_MAX / math.sqrt(mse)) def main() -> None: dir_path = os.path.dirname(os.path.realpath(__file__)) # Loading images (original image and compressed image) original = cv2.imread(os.path.join(dir_path, "image_data/original_image.png")) contrast = cv2.imread(os.path.join(dir_path, "image_data/compressed_image.png"), 1) original2 = cv2.imread(os.path.join(dir_path, "image_data/PSNR-example-base.png")) contrast2 = cv2.imread( os.path.join(dir_path, "image_data/PSNR-example-comp-10.jpg"), 1 ) # Value expected: 29.73dB print("-- First Test --") print(f"PSNR value is {peak_signal_to_noise_ratio(original, contrast)} dB") # # Value expected: 31.53dB (Wikipedia Example) print("\n-- Second Test --") print(f"PSNR value is {peak_signal_to_noise_ratio(original2, contrast2)} dB") if __name__ == "__main__": main()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 bin_to_hexadecimal(binary_str: str) -> str: """ Converting a binary string into hexadecimal using Grouping Method >>> bin_to_hexadecimal('101011111') '0x15f' >>> bin_to_hexadecimal(' 1010 ') '0x0a' >>> bin_to_hexadecimal('-11101') '-0x1d' >>> bin_to_hexadecimal('a') Traceback (most recent call last): ... ValueError: Non-binary value was passed to the function >>> bin_to_hexadecimal('') Traceback (most recent call last): ... ValueError: Empty string was passed to the function """ BITS_TO_HEX = { # noqa: N806 "0000": "0", "0001": "1", "0010": "2", "0011": "3", "0100": "4", "0101": "5", "0110": "6", "0111": "7", "1000": "8", "1001": "9", "1010": "a", "1011": "b", "1100": "c", "1101": "d", "1110": "e", "1111": "f", } # Sanitising parameter binary_str = str(binary_str).strip() # Exceptions if not binary_str: raise ValueError("Empty string was passed to the function") is_negative = binary_str[0] == "-" binary_str = binary_str[1:] if is_negative else binary_str if not all(char in "01" for char in binary_str): raise ValueError("Non-binary value was passed to the function") binary_str = ( "0" * (4 * (divmod(len(binary_str), 4)[0] + 1) - len(binary_str)) + binary_str ) hexadecimal = [] for x in range(0, len(binary_str), 4): hexadecimal.append(BITS_TO_HEX[binary_str[x : x + 4]]) hexadecimal_str = "0x" + "".join(hexadecimal) return "-" + hexadecimal_str if is_negative else hexadecimal_str if __name__ == "__main__": from doctest import testmod testmod()
BITS_TO_HEX = { "0000": "0", "0001": "1", "0010": "2", "0011": "3", "0100": "4", "0101": "5", "0110": "6", "0111": "7", "1000": "8", "1001": "9", "1010": "a", "1011": "b", "1100": "c", "1101": "d", "1110": "e", "1111": "f", } def bin_to_hexadecimal(binary_str: str) -> str: """ Converting a binary string into hexadecimal using Grouping Method >>> bin_to_hexadecimal('101011111') '0x15f' >>> bin_to_hexadecimal(' 1010 ') '0x0a' >>> bin_to_hexadecimal('-11101') '-0x1d' >>> bin_to_hexadecimal('a') Traceback (most recent call last): ... ValueError: Non-binary value was passed to the function >>> bin_to_hexadecimal('') Traceback (most recent call last): ... ValueError: Empty string was passed to the function """ # Sanitising parameter binary_str = str(binary_str).strip() # Exceptions if not binary_str: raise ValueError("Empty string was passed to the function") is_negative = binary_str[0] == "-" binary_str = binary_str[1:] if is_negative else binary_str if not all(char in "01" for char in binary_str): raise ValueError("Non-binary value was passed to the function") binary_str = ( "0" * (4 * (divmod(len(binary_str), 4)[0] + 1) - len(binary_str)) + binary_str ) hexadecimal = [] for x in range(0, len(binary_str), 4): hexadecimal.append(BITS_TO_HEX[binary_str[x : x + 4]]) hexadecimal_str = "0x" + "".join(hexadecimal) return "-" + hexadecimal_str if is_negative else hexadecimal_str if __name__ == "__main__": from doctest import testmod testmod()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
"""Convert a positive Decimal Number to Any Other Representation""" def decimal_to_any(num: int, base: int) -> str: """ Convert a positive integer to another base as str. >>> decimal_to_any(0, 2) '0' >>> decimal_to_any(5, 4) '11' >>> decimal_to_any(20, 3) '202' >>> decimal_to_any(58, 16) '3A' >>> decimal_to_any(243, 17) 'E5' >>> decimal_to_any(34923, 36) 'QY3' >>> decimal_to_any(10, 11) 'A' >>> decimal_to_any(16, 16) '10' >>> decimal_to_any(36, 36) '10' >>> # negatives will error >>> decimal_to_any(-45, 8) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: parameter must be positive int >>> # floats will error >>> decimal_to_any(34.4, 6) # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: int() can't convert non-string with explicit base >>> # a float base will error >>> decimal_to_any(5, 2.5) # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: 'float' object cannot be interpreted as an integer >>> # a str base will error >>> decimal_to_any(10, '16') # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: 'str' object cannot be interpreted as an integer >>> # a base less than 2 will error >>> decimal_to_any(7, 0) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: base must be >= 2 >>> # a base greater than 36 will error >>> decimal_to_any(34, 37) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: base must be <= 36 """ if isinstance(num, float): raise TypeError("int() can't convert non-string with explicit base") if num < 0: raise ValueError("parameter must be positive int") if isinstance(base, str): raise TypeError("'str' object cannot be interpreted as an integer") if isinstance(base, float): raise TypeError("'float' object cannot be interpreted as an integer") if base in (0, 1): raise ValueError("base must be >= 2") if base > 36: raise ValueError("base must be <= 36") # fmt: off ALPHABET_VALUES = {'10': 'A', '11': 'B', '12': 'C', '13': 'D', '14': 'E', '15': 'F', # noqa: N806, E501 '16': 'G', '17': 'H', '18': 'I', '19': 'J', '20': 'K', '21': 'L', '22': 'M', '23': 'N', '24': 'O', '25': 'P', '26': 'Q', '27': 'R', '28': 'S', '29': 'T', '30': 'U', '31': 'V', '32': 'W', '33': 'X', '34': 'Y', '35': 'Z'} # fmt: on new_value = "" mod = 0 div = 0 while div != 1: div, mod = divmod(num, base) if base >= 11 and 9 < mod < 36: actual_value = ALPHABET_VALUES[str(mod)] mod = actual_value new_value += str(mod) div = num // base num = div if div == 0: return str(new_value[::-1]) elif div == 1: new_value += str(div) return str(new_value[::-1]) return new_value[::-1] if __name__ == "__main__": import doctest doctest.testmod() for base in range(2, 37): for num in range(1000): assert int(decimal_to_any(num, base), base) == num, ( num, base, decimal_to_any(num, base), int(decimal_to_any(num, base), base), )
"""Convert a positive Decimal Number to Any Other Representation""" from string import ascii_uppercase ALPHABET_VALUES = {str(ord(c) - 55): c for c in ascii_uppercase} def decimal_to_any(num: int, base: int) -> str: """ Convert a positive integer to another base as str. >>> decimal_to_any(0, 2) '0' >>> decimal_to_any(5, 4) '11' >>> decimal_to_any(20, 3) '202' >>> decimal_to_any(58, 16) '3A' >>> decimal_to_any(243, 17) 'E5' >>> decimal_to_any(34923, 36) 'QY3' >>> decimal_to_any(10, 11) 'A' >>> decimal_to_any(16, 16) '10' >>> decimal_to_any(36, 36) '10' >>> # negatives will error >>> decimal_to_any(-45, 8) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: parameter must be positive int >>> # floats will error >>> decimal_to_any(34.4, 6) # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: int() can't convert non-string with explicit base >>> # a float base will error >>> decimal_to_any(5, 2.5) # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: 'float' object cannot be interpreted as an integer >>> # a str base will error >>> decimal_to_any(10, '16') # doctest: +ELLIPSIS Traceback (most recent call last): ... TypeError: 'str' object cannot be interpreted as an integer >>> # a base less than 2 will error >>> decimal_to_any(7, 0) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: base must be >= 2 >>> # a base greater than 36 will error >>> decimal_to_any(34, 37) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: base must be <= 36 """ if isinstance(num, float): raise TypeError("int() can't convert non-string with explicit base") if num < 0: raise ValueError("parameter must be positive int") if isinstance(base, str): raise TypeError("'str' object cannot be interpreted as an integer") if isinstance(base, float): raise TypeError("'float' object cannot be interpreted as an integer") if base in (0, 1): raise ValueError("base must be >= 2") if base > 36: raise ValueError("base must be <= 36") new_value = "" mod = 0 div = 0 while div != 1: div, mod = divmod(num, base) if base >= 11 and 9 < mod < 36: actual_value = ALPHABET_VALUES[str(mod)] mod = actual_value new_value += str(mod) div = num // base num = div if div == 0: return str(new_value[::-1]) elif div == 1: new_value += str(div) return str(new_value[::-1]) return new_value[::-1] if __name__ == "__main__": import doctest doctest.testmod() for base in range(2, 37): for num in range(1000): assert int(decimal_to_any(num, base), base) == num, ( num, base, decimal_to_any(num, base), int(decimal_to_any(num, base), base), )
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 roman_to_int(roman: str) -> int: """ LeetCode No. 13 Roman to Integer Given a roman numeral, convert it to an integer. Input is guaranteed to be within the range from 1 to 3999. https://en.wikipedia.org/wiki/Roman_numerals >>> tests = {"III": 3, "CLIV": 154, "MIX": 1009, "MMD": 2500, "MMMCMXCIX": 3999} >>> all(roman_to_int(key) == value for key, value in tests.items()) True """ vals = {"I": 1, "V": 5, "X": 10, "L": 50, "C": 100, "D": 500, "M": 1000} total = 0 place = 0 while place < len(roman): if (place + 1 < len(roman)) and (vals[roman[place]] < vals[roman[place + 1]]): total += vals[roman[place + 1]] - vals[roman[place]] place += 2 else: total += vals[roman[place]] place += 1 return total def int_to_roman(number: int) -> str: """ Given a integer, convert it to an roman numeral. https://en.wikipedia.org/wiki/Roman_numerals >>> tests = {"III": 3, "CLIV": 154, "MIX": 1009, "MMD": 2500, "MMMCMXCIX": 3999} >>> all(int_to_roman(value) == key for key, value in tests.items()) True """ ROMAN = [ # noqa: N806 (1000, "M"), (900, "CM"), (500, "D"), (400, "CD"), (100, "C"), (90, "XC"), (50, "L"), (40, "XL"), (10, "X"), (9, "IX"), (5, "V"), (4, "IV"), (1, "I"), ] result = [] for (arabic, roman) in ROMAN: (factor, number) = divmod(number, arabic) result.append(roman * factor) if number == 0: break return "".join(result) if __name__ == "__main__": import doctest doctest.testmod()
ROMAN = [ (1000, "M"), (900, "CM"), (500, "D"), (400, "CD"), (100, "C"), (90, "XC"), (50, "L"), (40, "XL"), (10, "X"), (9, "IX"), (5, "V"), (4, "IV"), (1, "I"), ] def roman_to_int(roman: str) -> int: """ LeetCode No. 13 Roman to Integer Given a roman numeral, convert it to an integer. Input is guaranteed to be within the range from 1 to 3999. https://en.wikipedia.org/wiki/Roman_numerals >>> tests = {"III": 3, "CLIV": 154, "MIX": 1009, "MMD": 2500, "MMMCMXCIX": 3999} >>> all(roman_to_int(key) == value for key, value in tests.items()) True """ vals = {"I": 1, "V": 5, "X": 10, "L": 50, "C": 100, "D": 500, "M": 1000} total = 0 place = 0 while place < len(roman): if (place + 1 < len(roman)) and (vals[roman[place]] < vals[roman[place + 1]]): total += vals[roman[place + 1]] - vals[roman[place]] place += 2 else: total += vals[roman[place]] place += 1 return total def int_to_roman(number: int) -> str: """ Given a integer, convert it to an roman numeral. https://en.wikipedia.org/wiki/Roman_numerals >>> tests = {"III": 3, "CLIV": 154, "MIX": 1009, "MMD": 2500, "MMMCMXCIX": 3999} >>> all(int_to_roman(value) == key for key, value in tests.items()) True """ result = [] for (arabic, roman) in ROMAN: (factor, number) = divmod(number, arabic) result.append(roman * factor) if number == 0: break return "".join(result) if __name__ == "__main__": import doctest doctest.testmod()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 math import asin, atan, cos, radians, sin, sqrt, tan def haversine_distance(lat1: float, lon1: float, lat2: float, lon2: float) -> float: """ Calculate great circle distance between two points in a sphere, given longitudes and latitudes https://en.wikipedia.org/wiki/Haversine_formula We know that the globe is "sort of" spherical, so a path between two points isn't exactly a straight line. We need to account for the Earth's curvature when calculating distance from point A to B. This effect is negligible for small distances but adds up as distance increases. The Haversine method treats the earth as a sphere which allows us to "project" the two points A and B onto the surface of that sphere and approximate the spherical distance between them. Since the Earth is not a perfect sphere, other methods which model the Earth's ellipsoidal nature are more accurate but a quick and modifiable computation like Haversine can be handy for shorter range distances. Args: lat1, lon1: latitude and longitude of coordinate 1 lat2, lon2: latitude and longitude of coordinate 2 Returns: geographical distance between two points in metres >>> from collections import namedtuple >>> point_2d = namedtuple("point_2d", "lat lon") >>> SAN_FRANCISCO = point_2d(37.774856, -122.424227) >>> YOSEMITE = point_2d(37.864742, -119.537521) >>> f"{haversine_distance(*SAN_FRANCISCO, *YOSEMITE):0,.0f} meters" '254,352 meters' """ # CONSTANTS per WGS84 https://en.wikipedia.org/wiki/World_Geodetic_System # Distance in metres(m) AXIS_A = 6378137.0 # noqa: N806 AXIS_B = 6356752.314245 # noqa: N806 RADIUS = 6378137 # noqa: N806 # Equation parameters # Equation https://en.wikipedia.org/wiki/Haversine_formula#Formulation flattening = (AXIS_A - AXIS_B) / AXIS_A phi_1 = atan((1 - flattening) * tan(radians(lat1))) phi_2 = atan((1 - flattening) * tan(radians(lat2))) lambda_1 = radians(lon1) lambda_2 = radians(lon2) # Equation sin_sq_phi = sin((phi_2 - phi_1) / 2) sin_sq_lambda = sin((lambda_2 - lambda_1) / 2) # Square both values sin_sq_phi *= sin_sq_phi sin_sq_lambda *= sin_sq_lambda h_value = sqrt(sin_sq_phi + (cos(phi_1) * cos(phi_2) * sin_sq_lambda)) return 2 * RADIUS * asin(h_value) if __name__ == "__main__": import doctest doctest.testmod()
from math import asin, atan, cos, radians, sin, sqrt, tan AXIS_A = 6378137.0 AXIS_B = 6356752.314245 RADIUS = 6378137 def haversine_distance(lat1: float, lon1: float, lat2: float, lon2: float) -> float: """ Calculate great circle distance between two points in a sphere, given longitudes and latitudes https://en.wikipedia.org/wiki/Haversine_formula We know that the globe is "sort of" spherical, so a path between two points isn't exactly a straight line. We need to account for the Earth's curvature when calculating distance from point A to B. This effect is negligible for small distances but adds up as distance increases. The Haversine method treats the earth as a sphere which allows us to "project" the two points A and B onto the surface of that sphere and approximate the spherical distance between them. Since the Earth is not a perfect sphere, other methods which model the Earth's ellipsoidal nature are more accurate but a quick and modifiable computation like Haversine can be handy for shorter range distances. Args: lat1, lon1: latitude and longitude of coordinate 1 lat2, lon2: latitude and longitude of coordinate 2 Returns: geographical distance between two points in metres >>> from collections import namedtuple >>> point_2d = namedtuple("point_2d", "lat lon") >>> SAN_FRANCISCO = point_2d(37.774856, -122.424227) >>> YOSEMITE = point_2d(37.864742, -119.537521) >>> f"{haversine_distance(*SAN_FRANCISCO, *YOSEMITE):0,.0f} meters" '254,352 meters' """ # CONSTANTS per WGS84 https://en.wikipedia.org/wiki/World_Geodetic_System # Distance in metres(m) # Equation parameters # Equation https://en.wikipedia.org/wiki/Haversine_formula#Formulation flattening = (AXIS_A - AXIS_B) / AXIS_A phi_1 = atan((1 - flattening) * tan(radians(lat1))) phi_2 = atan((1 - flattening) * tan(radians(lat2))) lambda_1 = radians(lon1) lambda_2 = radians(lon2) # Equation sin_sq_phi = sin((phi_2 - phi_1) / 2) sin_sq_lambda = sin((lambda_2 - lambda_1) / 2) # Square both values sin_sq_phi *= sin_sq_phi sin_sq_lambda *= sin_sq_lambda h_value = sqrt(sin_sq_phi + (cos(phi_1) * cos(phi_2) * sin_sq_lambda)) return 2 * RADIUS * asin(h_value) if __name__ == "__main__": import doctest doctest.testmod()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 math import atan, cos, radians, sin, tan from .haversine_distance import haversine_distance def lamberts_ellipsoidal_distance( lat1: float, lon1: float, lat2: float, lon2: float ) -> float: """ Calculate the shortest distance along the surface of an ellipsoid between two points on the surface of earth given longitudes and latitudes https://en.wikipedia.org/wiki/Geographical_distance#Lambert's_formula_for_long_lines NOTE: This algorithm uses geodesy/haversine_distance.py to compute central angle, sigma Representing the earth as an ellipsoid allows us to approximate distances between points on the surface much better than a sphere. Ellipsoidal formulas treat the Earth as an oblate ellipsoid which means accounting for the flattening that happens at the North and South poles. Lambert's formulae provide accuracy on the order of 10 meteres over thousands of kilometeres. Other methods can provide millimeter-level accuracy but this is a simpler method to calculate long range distances without increasing computational intensity. Args: lat1, lon1: latitude and longitude of coordinate 1 lat2, lon2: latitude and longitude of coordinate 2 Returns: geographical distance between two points in metres >>> from collections import namedtuple >>> point_2d = namedtuple("point_2d", "lat lon") >>> SAN_FRANCISCO = point_2d(37.774856, -122.424227) >>> YOSEMITE = point_2d(37.864742, -119.537521) >>> NEW_YORK = point_2d(40.713019, -74.012647) >>> VENICE = point_2d(45.443012, 12.313071) >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *YOSEMITE):0,.0f} meters" '254,351 meters' >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *NEW_YORK):0,.0f} meters" '4,138,992 meters' >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *VENICE):0,.0f} meters" '9,737,326 meters' """ # CONSTANTS per WGS84 https://en.wikipedia.org/wiki/World_Geodetic_System # Distance in metres(m) AXIS_A = 6378137.0 # noqa: N806 AXIS_B = 6356752.314245 # noqa: N806 EQUATORIAL_RADIUS = 6378137 # noqa: N806 # Equation Parameters # https://en.wikipedia.org/wiki/Geographical_distance#Lambert's_formula_for_long_lines flattening = (AXIS_A - AXIS_B) / AXIS_A # Parametric latitudes # https://en.wikipedia.org/wiki/Latitude#Parametric_(or_reduced)_latitude b_lat1 = atan((1 - flattening) * tan(radians(lat1))) b_lat2 = atan((1 - flattening) * tan(radians(lat2))) # Compute central angle between two points # using haversine theta. sigma = haversine_distance / equatorial radius sigma = haversine_distance(lat1, lon1, lat2, lon2) / EQUATORIAL_RADIUS # Intermediate P and Q values p_value = (b_lat1 + b_lat2) / 2 q_value = (b_lat2 - b_lat1) / 2 # Intermediate X value # X = (sigma - sin(sigma)) * sin^2Pcos^2Q / cos^2(sigma/2) x_numerator = (sin(p_value) ** 2) * (cos(q_value) ** 2) x_demonimator = cos(sigma / 2) ** 2 x_value = (sigma - sin(sigma)) * (x_numerator / x_demonimator) # Intermediate Y value # Y = (sigma + sin(sigma)) * cos^2Psin^2Q / sin^2(sigma/2) y_numerator = (cos(p_value) ** 2) * (sin(q_value) ** 2) y_denominator = sin(sigma / 2) ** 2 y_value = (sigma + sin(sigma)) * (y_numerator / y_denominator) return EQUATORIAL_RADIUS * (sigma - ((flattening / 2) * (x_value + y_value))) if __name__ == "__main__": import doctest doctest.testmod()
from math import atan, cos, radians, sin, tan from .haversine_distance import haversine_distance AXIS_A = 6378137.0 AXIS_B = 6356752.314245 EQUATORIAL_RADIUS = 6378137 def lamberts_ellipsoidal_distance( lat1: float, lon1: float, lat2: float, lon2: float ) -> float: """ Calculate the shortest distance along the surface of an ellipsoid between two points on the surface of earth given longitudes and latitudes https://en.wikipedia.org/wiki/Geographical_distance#Lambert's_formula_for_long_lines NOTE: This algorithm uses geodesy/haversine_distance.py to compute central angle, sigma Representing the earth as an ellipsoid allows us to approximate distances between points on the surface much better than a sphere. Ellipsoidal formulas treat the Earth as an oblate ellipsoid which means accounting for the flattening that happens at the North and South poles. Lambert's formulae provide accuracy on the order of 10 meteres over thousands of kilometeres. Other methods can provide millimeter-level accuracy but this is a simpler method to calculate long range distances without increasing computational intensity. Args: lat1, lon1: latitude and longitude of coordinate 1 lat2, lon2: latitude and longitude of coordinate 2 Returns: geographical distance between two points in metres >>> from collections import namedtuple >>> point_2d = namedtuple("point_2d", "lat lon") >>> SAN_FRANCISCO = point_2d(37.774856, -122.424227) >>> YOSEMITE = point_2d(37.864742, -119.537521) >>> NEW_YORK = point_2d(40.713019, -74.012647) >>> VENICE = point_2d(45.443012, 12.313071) >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *YOSEMITE):0,.0f} meters" '254,351 meters' >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *NEW_YORK):0,.0f} meters" '4,138,992 meters' >>> f"{lamberts_ellipsoidal_distance(*SAN_FRANCISCO, *VENICE):0,.0f} meters" '9,737,326 meters' """ # CONSTANTS per WGS84 https://en.wikipedia.org/wiki/World_Geodetic_System # Distance in metres(m) # Equation Parameters # https://en.wikipedia.org/wiki/Geographical_distance#Lambert's_formula_for_long_lines flattening = (AXIS_A - AXIS_B) / AXIS_A # Parametric latitudes # https://en.wikipedia.org/wiki/Latitude#Parametric_(or_reduced)_latitude b_lat1 = atan((1 - flattening) * tan(radians(lat1))) b_lat2 = atan((1 - flattening) * tan(radians(lat2))) # Compute central angle between two points # using haversine theta. sigma = haversine_distance / equatorial radius sigma = haversine_distance(lat1, lon1, lat2, lon2) / EQUATORIAL_RADIUS # Intermediate P and Q values p_value = (b_lat1 + b_lat2) / 2 q_value = (b_lat2 - b_lat1) / 2 # Intermediate X value # X = (sigma - sin(sigma)) * sin^2Pcos^2Q / cos^2(sigma/2) x_numerator = (sin(p_value) ** 2) * (cos(q_value) ** 2) x_demonimator = cos(sigma / 2) ** 2 x_value = (sigma - sin(sigma)) * (x_numerator / x_demonimator) # Intermediate Y value # Y = (sigma + sin(sigma)) * cos^2Psin^2Q / sin^2(sigma/2) y_numerator = (cos(p_value) ** 2) * (sin(q_value) ** 2) y_denominator = sin(sigma / 2) ** 2 y_value = (sigma + sin(sigma)) * (y_numerator / y_denominator) return EQUATORIAL_RADIUS * (sigma - ((flattening / 2) * (x_value + y_value))) if __name__ == "__main__": import doctest doctest.testmod()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" Adler-32 is a checksum algorithm which was invented by Mark Adler in 1995. Compared to a cyclic redundancy check of the same length, it trades reliability for speed (preferring the latter). Adler-32 is more reliable than Fletcher-16, and slightly less reliable than Fletcher-32.[2] source: https://en.wikipedia.org/wiki/Adler-32 """ def adler32(plain_text: str) -> int: """ Function implements adler-32 hash. Iterates and evaluates a new value for each character >>> adler32('Algorithms') 363791387 >>> adler32('go adler em all') 708642122 """ MOD_ADLER = 65521 # noqa: N806 a = 1 b = 0 for plain_chr in plain_text: a = (a + ord(plain_chr)) % MOD_ADLER b = (b + a) % MOD_ADLER return (b << 16) | a
""" Adler-32 is a checksum algorithm which was invented by Mark Adler in 1995. Compared to a cyclic redundancy check of the same length, it trades reliability for speed (preferring the latter). Adler-32 is more reliable than Fletcher-16, and slightly less reliable than Fletcher-32.[2] source: https://en.wikipedia.org/wiki/Adler-32 """ MOD_ADLER = 65521 def adler32(plain_text: str) -> int: """ Function implements adler-32 hash. Iterates and evaluates a new value for each character >>> adler32('Algorithms') 363791387 >>> adler32('go adler em all') 708642122 """ a = 1 b = 0 for plain_chr in plain_text: a = (a + ord(plain_chr)) % MOD_ADLER b = (b + a) % MOD_ADLER return (b << 16) | a
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" In physics and astronomy, a gravitational N-body simulation is a simulation of a dynamical system of particles under the influence of gravity. The system consists of a number of bodies, each of which exerts a gravitational force on all other bodies. These forces are calculated using Newton's law of universal gravitation. The Euler method is used at each time-step to calculate the change in velocity and position brought about by these forces. Softening is used to prevent numerical divergences when a particle comes too close to another (and the force goes to infinity). (Description adapted from https://en.wikipedia.org/wiki/N-body_simulation ) (See also https://www.shodor.org/refdesk/Resources/Algorithms/EulersMethod/ ) """ from __future__ import annotations import random from matplotlib import animation from matplotlib import pyplot as plt class Body: def __init__( self, position_x: float, position_y: float, velocity_x: float, velocity_y: float, mass: float = 1.0, size: float = 1.0, color: str = "blue", ) -> None: """ The parameters "size" & "color" are not relevant for the simulation itself, they are only used for plotting. """ self.position_x = position_x self.position_y = position_y self.velocity_x = velocity_x self.velocity_y = velocity_y self.mass = mass self.size = size self.color = color @property def position(self) -> tuple[float, float]: return self.position_x, self.position_y @property def velocity(self) -> tuple[float, float]: return self.velocity_x, self.velocity_y def update_velocity( self, force_x: float, force_y: float, delta_time: float ) -> None: """ Euler algorithm for velocity >>> body_1 = Body(0.,0.,0.,0.) >>> body_1.update_velocity(1.,0.,1.) >>> body_1.velocity (1.0, 0.0) >>> body_1.update_velocity(1.,0.,1.) >>> body_1.velocity (2.0, 0.0) >>> body_2 = Body(0.,0.,5.,0.) >>> body_2.update_velocity(0.,-10.,10.) >>> body_2.velocity (5.0, -100.0) >>> body_2.update_velocity(0.,-10.,10.) >>> body_2.velocity (5.0, -200.0) """ self.velocity_x += force_x * delta_time self.velocity_y += force_y * delta_time def update_position(self, delta_time: float) -> None: """ Euler algorithm for position >>> body_1 = Body(0.,0.,1.,0.) >>> body_1.update_position(1.) >>> body_1.position (1.0, 0.0) >>> body_1.update_position(1.) >>> body_1.position (2.0, 0.0) >>> body_2 = Body(10.,10.,0.,-2.) >>> body_2.update_position(1.) >>> body_2.position (10.0, 8.0) >>> body_2.update_position(1.) >>> body_2.position (10.0, 6.0) """ self.position_x += self.velocity_x * delta_time self.position_y += self.velocity_y * delta_time class BodySystem: """ This class is used to hold the bodies, the gravitation constant, the time factor and the softening factor. The time factor is used to control the speed of the simulation. The softening factor is used for softening, a numerical trick for N-body simulations to prevent numerical divergences when two bodies get too close to each other. """ def __init__( self, bodies: list[Body], gravitation_constant: float = 1.0, time_factor: float = 1.0, softening_factor: float = 0.0, ) -> None: self.bodies = bodies self.gravitation_constant = gravitation_constant self.time_factor = time_factor self.softening_factor = softening_factor def __len__(self) -> int: return len(self.bodies) def update_system(self, delta_time: float) -> None: """ For each body, loop through all other bodies to calculate the total force they exert on it. Use that force to update the body's velocity. >>> body_system_1 = BodySystem([Body(0,0,0,0), Body(10,0,0,0)]) >>> len(body_system_1) 2 >>> body_system_1.update_system(1) >>> body_system_1.bodies[0].position (0.01, 0.0) >>> body_system_1.bodies[0].velocity (0.01, 0.0) >>> body_system_2 = BodySystem([Body(-10,0,0,0), Body(10,0,0,0, mass=4)], 1, 10) >>> body_system_2.update_system(1) >>> body_system_2.bodies[0].position (-9.0, 0.0) >>> body_system_2.bodies[0].velocity (0.1, 0.0) """ for body1 in self.bodies: force_x = 0.0 force_y = 0.0 for body2 in self.bodies: if body1 != body2: dif_x = body2.position_x - body1.position_x dif_y = body2.position_y - body1.position_y # Calculation of the distance using Pythagoras's theorem # Extra factor due to the softening technique distance = (dif_x**2 + dif_y**2 + self.softening_factor) ** ( 1 / 2 ) # Newton's law of universal gravitation. force_x += ( self.gravitation_constant * body2.mass * dif_x / distance**3 ) force_y += ( self.gravitation_constant * body2.mass * dif_y / distance**3 ) # Update the body's velocity once all the force components have been added body1.update_velocity(force_x, force_y, delta_time * self.time_factor) # Update the positions only after all the velocities have been updated for body in self.bodies: body.update_position(delta_time * self.time_factor) def update_step( body_system: BodySystem, delta_time: float, patches: list[plt.Circle] ) -> None: """ Updates the body-system and applies the change to the patch-list used for plotting >>> body_system_1 = BodySystem([Body(0,0,0,0), Body(10,0,0,0)]) >>> patches_1 = [plt.Circle((body.position_x, body.position_y), body.size, ... fc=body.color)for body in body_system_1.bodies] #doctest: +ELLIPSIS >>> update_step(body_system_1, 1, patches_1) >>> patches_1[0].center (0.01, 0.0) >>> body_system_2 = BodySystem([Body(-10,0,0,0), Body(10,0,0,0, mass=4)], 1, 10) >>> patches_2 = [plt.Circle((body.position_x, body.position_y), body.size, ... fc=body.color)for body in body_system_2.bodies] #doctest: +ELLIPSIS >>> update_step(body_system_2, 1, patches_2) >>> patches_2[0].center (-9.0, 0.0) """ # Update the positions of the bodies body_system.update_system(delta_time) # Update the positions of the patches for patch, body in zip(patches, body_system.bodies): patch.center = (body.position_x, body.position_y) def plot( title: str, body_system: BodySystem, x_start: float = -1, x_end: float = 1, y_start: float = -1, y_end: float = 1, ) -> None: """ Utility function to plot how the given body-system evolves over time. No doctest provided since this function does not have a return value. """ # Frame rate of the animation INTERVAL = 20 # noqa: N806 # Time between time steps in seconds DELTA_TIME = INTERVAL / 1000 # noqa: N806 fig = plt.figure() fig.canvas.set_window_title(title) ax = plt.axes( xlim=(x_start, x_end), ylim=(y_start, y_end) ) # Set section to be plotted plt.gca().set_aspect("equal") # Fix aspect ratio # Each body is drawn as a patch by the plt-function patches = [ plt.Circle((body.position_x, body.position_y), body.size, fc=body.color) for body in body_system.bodies ] for patch in patches: ax.add_patch(patch) # Function called at each step of the animation def update(frame: int) -> list[plt.Circle]: update_step(body_system, DELTA_TIME, patches) return patches anim = animation.FuncAnimation( # noqa: F841 fig, update, interval=INTERVAL, blit=True ) plt.show() def example_1() -> BodySystem: """ Example 1: figure-8 solution to the 3-body-problem This example can be seen as a test of the implementation: given the right initial conditions, the bodies should move in a figure-8. (initial conditions taken from https://www.artcompsci.org/vol_1/v1_web/node56.html) >>> body_system = example_1() >>> len(body_system) 3 """ position_x = 0.9700436 position_y = -0.24308753 velocity_x = 0.466203685 velocity_y = 0.43236573 bodies1 = [ Body(position_x, position_y, velocity_x, velocity_y, size=0.2, color="red"), Body(-position_x, -position_y, velocity_x, velocity_y, size=0.2, color="green"), Body(0, 0, -2 * velocity_x, -2 * velocity_y, size=0.2, color="blue"), ] return BodySystem(bodies1, time_factor=3) def example_2() -> BodySystem: """ Example 2: Moon's orbit around the earth This example can be seen as a test of the implementation: given the right initial conditions, the moon should orbit around the earth as it actually does. (mass, velocity and distance taken from https://en.wikipedia.org/wiki/Earth and https://en.wikipedia.org/wiki/Moon) No doctest provided since this function does not have a return value. """ moon_mass = 7.3476e22 earth_mass = 5.972e24 velocity_dif = 1022 earth_moon_distance = 384399000 gravitation_constant = 6.674e-11 # Calculation of the respective velocities so that total impulse is zero, # i.e. the two bodies together don't move moon_velocity = earth_mass * velocity_dif / (earth_mass + moon_mass) earth_velocity = moon_velocity - velocity_dif moon = Body(-earth_moon_distance, 0, 0, moon_velocity, moon_mass, 10000000, "grey") earth = Body(0, 0, 0, earth_velocity, earth_mass, 50000000, "blue") return BodySystem([earth, moon], gravitation_constant, time_factor=1000000) def example_3() -> BodySystem: """ Example 3: Random system with many bodies. No doctest provided since this function does not have a return value. """ bodies = [] for _ in range(10): velocity_x = random.uniform(-0.5, 0.5) velocity_y = random.uniform(-0.5, 0.5) # Bodies are created pairwise with opposite velocities so that the # total impulse remains zero bodies.append( Body( random.uniform(-0.5, 0.5), random.uniform(-0.5, 0.5), velocity_x, velocity_y, size=0.05, ) ) bodies.append( Body( random.uniform(-0.5, 0.5), random.uniform(-0.5, 0.5), -velocity_x, -velocity_y, size=0.05, ) ) return BodySystem(bodies, 0.01, 10, 0.1) if __name__ == "__main__": plot("Figure-8 solution to the 3-body-problem", example_1(), -2, 2, -2, 2) plot( "Moon's orbit around the earth", example_2(), -430000000, 430000000, -430000000, 430000000, ) plot("Random system with many bodies", example_3(), -1.5, 1.5, -1.5, 1.5)
""" In physics and astronomy, a gravitational N-body simulation is a simulation of a dynamical system of particles under the influence of gravity. The system consists of a number of bodies, each of which exerts a gravitational force on all other bodies. These forces are calculated using Newton's law of universal gravitation. The Euler method is used at each time-step to calculate the change in velocity and position brought about by these forces. Softening is used to prevent numerical divergences when a particle comes too close to another (and the force goes to infinity). (Description adapted from https://en.wikipedia.org/wiki/N-body_simulation ) (See also https://www.shodor.org/refdesk/Resources/Algorithms/EulersMethod/ ) """ from __future__ import annotations import random from matplotlib import animation from matplotlib import pyplot as plt # Frame rate of the animation INTERVAL = 20 # Time between time steps in seconds DELTA_TIME = INTERVAL / 1000 class Body: def __init__( self, position_x: float, position_y: float, velocity_x: float, velocity_y: float, mass: float = 1.0, size: float = 1.0, color: str = "blue", ) -> None: """ The parameters "size" & "color" are not relevant for the simulation itself, they are only used for plotting. """ self.position_x = position_x self.position_y = position_y self.velocity_x = velocity_x self.velocity_y = velocity_y self.mass = mass self.size = size self.color = color @property def position(self) -> tuple[float, float]: return self.position_x, self.position_y @property def velocity(self) -> tuple[float, float]: return self.velocity_x, self.velocity_y def update_velocity( self, force_x: float, force_y: float, delta_time: float ) -> None: """ Euler algorithm for velocity >>> body_1 = Body(0.,0.,0.,0.) >>> body_1.update_velocity(1.,0.,1.) >>> body_1.velocity (1.0, 0.0) >>> body_1.update_velocity(1.,0.,1.) >>> body_1.velocity (2.0, 0.0) >>> body_2 = Body(0.,0.,5.,0.) >>> body_2.update_velocity(0.,-10.,10.) >>> body_2.velocity (5.0, -100.0) >>> body_2.update_velocity(0.,-10.,10.) >>> body_2.velocity (5.0, -200.0) """ self.velocity_x += force_x * delta_time self.velocity_y += force_y * delta_time def update_position(self, delta_time: float) -> None: """ Euler algorithm for position >>> body_1 = Body(0.,0.,1.,0.) >>> body_1.update_position(1.) >>> body_1.position (1.0, 0.0) >>> body_1.update_position(1.) >>> body_1.position (2.0, 0.0) >>> body_2 = Body(10.,10.,0.,-2.) >>> body_2.update_position(1.) >>> body_2.position (10.0, 8.0) >>> body_2.update_position(1.) >>> body_2.position (10.0, 6.0) """ self.position_x += self.velocity_x * delta_time self.position_y += self.velocity_y * delta_time class BodySystem: """ This class is used to hold the bodies, the gravitation constant, the time factor and the softening factor. The time factor is used to control the speed of the simulation. The softening factor is used for softening, a numerical trick for N-body simulations to prevent numerical divergences when two bodies get too close to each other. """ def __init__( self, bodies: list[Body], gravitation_constant: float = 1.0, time_factor: float = 1.0, softening_factor: float = 0.0, ) -> None: self.bodies = bodies self.gravitation_constant = gravitation_constant self.time_factor = time_factor self.softening_factor = softening_factor def __len__(self) -> int: return len(self.bodies) def update_system(self, delta_time: float) -> None: """ For each body, loop through all other bodies to calculate the total force they exert on it. Use that force to update the body's velocity. >>> body_system_1 = BodySystem([Body(0,0,0,0), Body(10,0,0,0)]) >>> len(body_system_1) 2 >>> body_system_1.update_system(1) >>> body_system_1.bodies[0].position (0.01, 0.0) >>> body_system_1.bodies[0].velocity (0.01, 0.0) >>> body_system_2 = BodySystem([Body(-10,0,0,0), Body(10,0,0,0, mass=4)], 1, 10) >>> body_system_2.update_system(1) >>> body_system_2.bodies[0].position (-9.0, 0.0) >>> body_system_2.bodies[0].velocity (0.1, 0.0) """ for body1 in self.bodies: force_x = 0.0 force_y = 0.0 for body2 in self.bodies: if body1 != body2: dif_x = body2.position_x - body1.position_x dif_y = body2.position_y - body1.position_y # Calculation of the distance using Pythagoras's theorem # Extra factor due to the softening technique distance = (dif_x**2 + dif_y**2 + self.softening_factor) ** ( 1 / 2 ) # Newton's law of universal gravitation. force_x += ( self.gravitation_constant * body2.mass * dif_x / distance**3 ) force_y += ( self.gravitation_constant * body2.mass * dif_y / distance**3 ) # Update the body's velocity once all the force components have been added body1.update_velocity(force_x, force_y, delta_time * self.time_factor) # Update the positions only after all the velocities have been updated for body in self.bodies: body.update_position(delta_time * self.time_factor) def update_step( body_system: BodySystem, delta_time: float, patches: list[plt.Circle] ) -> None: """ Updates the body-system and applies the change to the patch-list used for plotting >>> body_system_1 = BodySystem([Body(0,0,0,0), Body(10,0,0,0)]) >>> patches_1 = [plt.Circle((body.position_x, body.position_y), body.size, ... fc=body.color)for body in body_system_1.bodies] #doctest: +ELLIPSIS >>> update_step(body_system_1, 1, patches_1) >>> patches_1[0].center (0.01, 0.0) >>> body_system_2 = BodySystem([Body(-10,0,0,0), Body(10,0,0,0, mass=4)], 1, 10) >>> patches_2 = [plt.Circle((body.position_x, body.position_y), body.size, ... fc=body.color)for body in body_system_2.bodies] #doctest: +ELLIPSIS >>> update_step(body_system_2, 1, patches_2) >>> patches_2[0].center (-9.0, 0.0) """ # Update the positions of the bodies body_system.update_system(delta_time) # Update the positions of the patches for patch, body in zip(patches, body_system.bodies): patch.center = (body.position_x, body.position_y) def plot( title: str, body_system: BodySystem, x_start: float = -1, x_end: float = 1, y_start: float = -1, y_end: float = 1, ) -> None: """ Utility function to plot how the given body-system evolves over time. No doctest provided since this function does not have a return value. """ fig = plt.figure() fig.canvas.set_window_title(title) ax = plt.axes( xlim=(x_start, x_end), ylim=(y_start, y_end) ) # Set section to be plotted plt.gca().set_aspect("equal") # Fix aspect ratio # Each body is drawn as a patch by the plt-function patches = [ plt.Circle((body.position_x, body.position_y), body.size, fc=body.color) for body in body_system.bodies ] for patch in patches: ax.add_patch(patch) # Function called at each step of the animation def update(frame: int) -> list[plt.Circle]: update_step(body_system, DELTA_TIME, patches) return patches anim = animation.FuncAnimation( # noqa: F841 fig, update, interval=INTERVAL, blit=True ) plt.show() def example_1() -> BodySystem: """ Example 1: figure-8 solution to the 3-body-problem This example can be seen as a test of the implementation: given the right initial conditions, the bodies should move in a figure-8. (initial conditions taken from https://www.artcompsci.org/vol_1/v1_web/node56.html) >>> body_system = example_1() >>> len(body_system) 3 """ position_x = 0.9700436 position_y = -0.24308753 velocity_x = 0.466203685 velocity_y = 0.43236573 bodies1 = [ Body(position_x, position_y, velocity_x, velocity_y, size=0.2, color="red"), Body(-position_x, -position_y, velocity_x, velocity_y, size=0.2, color="green"), Body(0, 0, -2 * velocity_x, -2 * velocity_y, size=0.2, color="blue"), ] return BodySystem(bodies1, time_factor=3) def example_2() -> BodySystem: """ Example 2: Moon's orbit around the earth This example can be seen as a test of the implementation: given the right initial conditions, the moon should orbit around the earth as it actually does. (mass, velocity and distance taken from https://en.wikipedia.org/wiki/Earth and https://en.wikipedia.org/wiki/Moon) No doctest provided since this function does not have a return value. """ moon_mass = 7.3476e22 earth_mass = 5.972e24 velocity_dif = 1022 earth_moon_distance = 384399000 gravitation_constant = 6.674e-11 # Calculation of the respective velocities so that total impulse is zero, # i.e. the two bodies together don't move moon_velocity = earth_mass * velocity_dif / (earth_mass + moon_mass) earth_velocity = moon_velocity - velocity_dif moon = Body(-earth_moon_distance, 0, 0, moon_velocity, moon_mass, 10000000, "grey") earth = Body(0, 0, 0, earth_velocity, earth_mass, 50000000, "blue") return BodySystem([earth, moon], gravitation_constant, time_factor=1000000) def example_3() -> BodySystem: """ Example 3: Random system with many bodies. No doctest provided since this function does not have a return value. """ bodies = [] for _ in range(10): velocity_x = random.uniform(-0.5, 0.5) velocity_y = random.uniform(-0.5, 0.5) # Bodies are created pairwise with opposite velocities so that the # total impulse remains zero bodies.append( Body( random.uniform(-0.5, 0.5), random.uniform(-0.5, 0.5), velocity_x, velocity_y, size=0.05, ) ) bodies.append( Body( random.uniform(-0.5, 0.5), random.uniform(-0.5, 0.5), -velocity_x, -velocity_y, size=0.05, ) ) return BodySystem(bodies, 0.01, 10, 0.1) if __name__ == "__main__": plot("Figure-8 solution to the 3-body-problem", example_1(), -2, 2, -2, 2) plot( "Moon's orbit around the earth", example_2(), -430000000, 430000000, -430000000, 430000000, ) plot("Random system with many bodies", example_3(), -1.5, 1.5, -1.5, 1.5)
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 os from itertools import chain from random import randrange, shuffle import pytest from .sol1 import PokerHand SORTED_HANDS = ( "4S 3H 2C 7S 5H", "9D 8H 2C 6S 7H", "2D 6D 9D TH 7D", "TC 8C 2S JH 6C", "JH 8S TH AH QH", "TS KS 5S 9S AC", "KD 6S 9D TH AD", "KS 8D 4D 9S 4S", # pair "8C 4S KH JS 4D", # pair "QH 8H KD JH 8S", # pair "KC 4H KS 2H 8D", # pair "KD 4S KC 3H 8S", # pair "AH 8S AS KC JH", # pair "3H 4C 4H 3S 2H", # 2 pairs "5S 5D 2C KH KH", # 2 pairs "3C KH 5D 5S KH", # 2 pairs "AS 3C KH AD KH", # 2 pairs "7C 7S 3S 7H 5S", # 3 of a kind "7C 7S KH 2H 7H", # 3 of a kind "AC KH QH AH AS", # 3 of a kind "2H 4D 3C AS 5S", # straight (low ace) "3C 5C 4C 2C 6H", # straight "6S 8S 7S 5H 9H", # straight "JS QS 9H TS KH", # straight "QC KH TS JS AH", # straight (high ace) "8C 9C 5C 3C TC", # flush "3S 8S 9S 5S KS", # flush "4C 5C 9C 8C KC", # flush "JH 8H AH KH QH", # flush "3D 2H 3H 2C 2D", # full house "2H 2C 3S 3H 3D", # full house "KH KC 3S 3H 3D", # full house "JC 6H JS JD JH", # 4 of a kind "JC 7H JS JD JH", # 4 of a kind "JC KH JS JD JH", # 4 of a kind "2S AS 4S 5S 3S", # straight flush (low ace) "2D 6D 3D 4D 5D", # straight flush "5C 6C 3C 7C 4C", # straight flush "JH 9H TH KH QH", # straight flush "JH AH TH KH QH", # royal flush (high ace straight flush) ) TEST_COMPARE = ( ("2H 3H 4H 5H 6H", "KS AS TS QS JS", "Loss"), ("2H 3H 4H 5H 6H", "AS AD AC AH JD", "Win"), ("AS AH 2H AD AC", "JS JD JC JH 3D", "Win"), ("2S AH 2H AS AC", "JS JD JC JH AD", "Loss"), ("2S AH 2H AS AC", "2H 3H 5H 6H 7H", "Win"), ("AS 3S 4S 8S 2S", "2H 3H 5H 6H 7H", "Win"), ("2H 3H 5H 6H 7H", "2S 3H 4H 5S 6C", "Win"), ("2S 3H 4H 5S 6C", "3D 4C 5H 6H 2S", "Tie"), ("2S 3H 4H 5S 6C", "AH AC 5H 6H AS", "Win"), ("2S 2H 4H 5S 4C", "AH AC 5H 6H AS", "Loss"), ("2S 2H 4H 5S 4C", "AH AC 5H 6H 7S", "Win"), ("6S AD 7H 4S AS", "AH AC 5H 6H 7S", "Loss"), ("2S AH 4H 5S KC", "AH AC 5H 6H 7S", "Loss"), ("2S 3H 6H 7S 9C", "7H 3C TH 6H 9S", "Loss"), ("4S 5H 6H TS AC", "3S 5H 6H TS AC", "Win"), ("2S AH 4H 5S 6C", "AD 4C 5H 6H 2C", "Tie"), ("AS AH 3H AD AC", "AS AH 2H AD AC", "Win"), ("AH AC 5H 5C QS", "AH AC 5H 5C KS", "Loss"), ("AH AC 5H 5C QS", "KH KC 5H 5C QS", "Win"), ("7C 7S KH 2H 7H", "3C 3S AH 2H 3H", "Win"), ("3C 3S AH 2H 3H", "7C 7S KH 2H 7H", "Loss"), ("6H 5H 4H 3H 2H", "5H 4H 3H 2H AH", "Win"), ("5H 4H 3H 2H AH", "5H 4H 3H 2H AH", "Tie"), ("5H 4H 3H 2H AH", "6H 5H 4H 3H 2H", "Loss"), ("AH AD KS KC AC", "AH KD KH AC KC", "Win"), ("2H 4D 3C AS 5S", "2H 4D 3C 6S 5S", "Loss"), ("2H 3S 3C 3H 2S", "3S 3C 2S 2H 2D", "Win"), ("4D 6D 5D 2D JH", "3S 8S 3H TC KH", "Loss"), ("4S 6C 8S 3S 7S", "AD KS 2D 7D 7C", "Loss"), ("6S 4C 7H 8C 3H", "5H JC AH 9D 9C", "Loss"), ("9D 9H JH TC QH", "3C 2S JS 5C 7H", "Win"), ("2H TC 8S AD 9S", "4H TS 7H 2C 5C", "Win"), ("9D 3S 2C 7S 7C", "JC TD 3C TC 9H", "Loss"), ) TEST_FLUSH = ( ("2H 3H 4H 5H 6H", True), ("AS AH 2H AD AC", False), ("2H 3H 5H 6H 7H", True), ("KS AS TS QS JS", True), ("8H 9H QS JS TH", False), ("AS 3S 4S 8S 2S", True), ) TEST_STRAIGHT = ( ("2H 3H 4H 5H 6H", True), ("AS AH 2H AD AC", False), ("2H 3H 5H 6H 7H", False), ("KS AS TS QS JS", True), ("8H 9H QS JS TH", True), ) TEST_FIVE_HIGH_STRAIGHT = ( ("2H 4D 3C AS 5S", True, [5, 4, 3, 2, 14]), ("2H 5D 3C AS 5S", False, [14, 5, 5, 3, 2]), ("JH QD KC AS TS", False, [14, 13, 12, 11, 10]), ("9D 3S 2C 7S 7C", False, [9, 7, 7, 3, 2]), ) TEST_KIND = ( ("JH AH TH KH QH", 0), ("JH 9H TH KH QH", 0), ("JC KH JS JD JH", 7), ("KH KC 3S 3H 3D", 6), ("8C 9C 5C 3C TC", 0), ("JS QS 9H TS KH", 0), ("7C 7S KH 2H 7H", 3), ("3C KH 5D 5S KH", 2), ("QH 8H KD JH 8S", 1), ("2D 6D 9D TH 7D", 0), ) TEST_TYPES = ( ("JH AH TH KH QH", 23), ("JH 9H TH KH QH", 22), ("JC KH JS JD JH", 21), ("KH KC 3S 3H 3D", 20), ("8C 9C 5C 3C TC", 19), ("JS QS 9H TS KH", 18), ("7C 7S KH 2H 7H", 17), ("3C KH 5D 5S KH", 16), ("QH 8H KD JH 8S", 15), ("2D 6D 9D TH 7D", 14), ) def generate_random_hand(): play, oppo = randrange(len(SORTED_HANDS)), randrange(len(SORTED_HANDS)) expected = ["Loss", "Tie", "Win"][(play >= oppo) + (play > oppo)] hand, other = SORTED_HANDS[play], SORTED_HANDS[oppo] return hand, other, expected def generate_random_hands(number_of_hands: int = 100): return (generate_random_hand() for _ in range(number_of_hands)) @pytest.mark.parametrize("hand, expected", TEST_FLUSH) def test_hand_is_flush(hand, expected): assert PokerHand(hand)._is_flush() == expected @pytest.mark.parametrize("hand, expected", TEST_STRAIGHT) def test_hand_is_straight(hand, expected): assert PokerHand(hand)._is_straight() == expected @pytest.mark.parametrize("hand, expected, card_values", TEST_FIVE_HIGH_STRAIGHT) def test_hand_is_five_high_straight(hand, expected, card_values): player = PokerHand(hand) assert player._is_five_high_straight() == expected assert player._card_values == card_values @pytest.mark.parametrize("hand, expected", TEST_KIND) def test_hand_is_same_kind(hand, expected): assert PokerHand(hand)._is_same_kind() == expected @pytest.mark.parametrize("hand, expected", TEST_TYPES) def test_hand_values(hand, expected): assert PokerHand(hand)._hand_type == expected @pytest.mark.parametrize("hand, other, expected", TEST_COMPARE) def test_compare_simple(hand, other, expected): assert PokerHand(hand).compare_with(PokerHand(other)) == expected @pytest.mark.parametrize("hand, other, expected", generate_random_hands()) def test_compare_random(hand, other, expected): assert PokerHand(hand).compare_with(PokerHand(other)) == expected def test_hand_sorted(): POKER_HANDS = [PokerHand(hand) for hand in SORTED_HANDS] # noqa: N806 list_copy = POKER_HANDS.copy() shuffle(list_copy) user_sorted = chain(sorted(list_copy)) for index, hand in enumerate(user_sorted): assert hand == POKER_HANDS[index] def test_custom_sort_five_high_straight(): # Test that five high straights are compared correctly. pokerhands = [PokerHand("2D AC 3H 4H 5S"), PokerHand("2S 3H 4H 5S 6C")] pokerhands.sort(reverse=True) assert pokerhands[0].__str__() == "2S 3H 4H 5S 6C" def test_multiple_calls_five_high_straight(): # Multiple calls to five_high_straight function should still return True # and shouldn't mutate the list in every call other than the first. pokerhand = PokerHand("2C 4S AS 3D 5C") expected = True expected_card_values = [5, 4, 3, 2, 14] for _ in range(10): assert pokerhand._is_five_high_straight() == expected assert pokerhand._card_values == expected_card_values def test_euler_project(): # Problem number 54 from Project Euler # Testing from poker_hands.txt file answer = 0 script_dir = os.path.abspath(os.path.dirname(__file__)) poker_hands = os.path.join(script_dir, "poker_hands.txt") with open(poker_hands) as file_hand: for line in file_hand: player_hand = line[:14].strip() opponent_hand = line[15:].strip() player, opponent = PokerHand(player_hand), PokerHand(opponent_hand) output = player.compare_with(opponent) if output == "Win": answer += 1 assert answer == 376
import os from itertools import chain from random import randrange, shuffle import pytest from .sol1 import PokerHand SORTED_HANDS = ( "4S 3H 2C 7S 5H", "9D 8H 2C 6S 7H", "2D 6D 9D TH 7D", "TC 8C 2S JH 6C", "JH 8S TH AH QH", "TS KS 5S 9S AC", "KD 6S 9D TH AD", "KS 8D 4D 9S 4S", # pair "8C 4S KH JS 4D", # pair "QH 8H KD JH 8S", # pair "KC 4H KS 2H 8D", # pair "KD 4S KC 3H 8S", # pair "AH 8S AS KC JH", # pair "3H 4C 4H 3S 2H", # 2 pairs "5S 5D 2C KH KH", # 2 pairs "3C KH 5D 5S KH", # 2 pairs "AS 3C KH AD KH", # 2 pairs "7C 7S 3S 7H 5S", # 3 of a kind "7C 7S KH 2H 7H", # 3 of a kind "AC KH QH AH AS", # 3 of a kind "2H 4D 3C AS 5S", # straight (low ace) "3C 5C 4C 2C 6H", # straight "6S 8S 7S 5H 9H", # straight "JS QS 9H TS KH", # straight "QC KH TS JS AH", # straight (high ace) "8C 9C 5C 3C TC", # flush "3S 8S 9S 5S KS", # flush "4C 5C 9C 8C KC", # flush "JH 8H AH KH QH", # flush "3D 2H 3H 2C 2D", # full house "2H 2C 3S 3H 3D", # full house "KH KC 3S 3H 3D", # full house "JC 6H JS JD JH", # 4 of a kind "JC 7H JS JD JH", # 4 of a kind "JC KH JS JD JH", # 4 of a kind "2S AS 4S 5S 3S", # straight flush (low ace) "2D 6D 3D 4D 5D", # straight flush "5C 6C 3C 7C 4C", # straight flush "JH 9H TH KH QH", # straight flush "JH AH TH KH QH", # royal flush (high ace straight flush) ) TEST_COMPARE = ( ("2H 3H 4H 5H 6H", "KS AS TS QS JS", "Loss"), ("2H 3H 4H 5H 6H", "AS AD AC AH JD", "Win"), ("AS AH 2H AD AC", "JS JD JC JH 3D", "Win"), ("2S AH 2H AS AC", "JS JD JC JH AD", "Loss"), ("2S AH 2H AS AC", "2H 3H 5H 6H 7H", "Win"), ("AS 3S 4S 8S 2S", "2H 3H 5H 6H 7H", "Win"), ("2H 3H 5H 6H 7H", "2S 3H 4H 5S 6C", "Win"), ("2S 3H 4H 5S 6C", "3D 4C 5H 6H 2S", "Tie"), ("2S 3H 4H 5S 6C", "AH AC 5H 6H AS", "Win"), ("2S 2H 4H 5S 4C", "AH AC 5H 6H AS", "Loss"), ("2S 2H 4H 5S 4C", "AH AC 5H 6H 7S", "Win"), ("6S AD 7H 4S AS", "AH AC 5H 6H 7S", "Loss"), ("2S AH 4H 5S KC", "AH AC 5H 6H 7S", "Loss"), ("2S 3H 6H 7S 9C", "7H 3C TH 6H 9S", "Loss"), ("4S 5H 6H TS AC", "3S 5H 6H TS AC", "Win"), ("2S AH 4H 5S 6C", "AD 4C 5H 6H 2C", "Tie"), ("AS AH 3H AD AC", "AS AH 2H AD AC", "Win"), ("AH AC 5H 5C QS", "AH AC 5H 5C KS", "Loss"), ("AH AC 5H 5C QS", "KH KC 5H 5C QS", "Win"), ("7C 7S KH 2H 7H", "3C 3S AH 2H 3H", "Win"), ("3C 3S AH 2H 3H", "7C 7S KH 2H 7H", "Loss"), ("6H 5H 4H 3H 2H", "5H 4H 3H 2H AH", "Win"), ("5H 4H 3H 2H AH", "5H 4H 3H 2H AH", "Tie"), ("5H 4H 3H 2H AH", "6H 5H 4H 3H 2H", "Loss"), ("AH AD KS KC AC", "AH KD KH AC KC", "Win"), ("2H 4D 3C AS 5S", "2H 4D 3C 6S 5S", "Loss"), ("2H 3S 3C 3H 2S", "3S 3C 2S 2H 2D", "Win"), ("4D 6D 5D 2D JH", "3S 8S 3H TC KH", "Loss"), ("4S 6C 8S 3S 7S", "AD KS 2D 7D 7C", "Loss"), ("6S 4C 7H 8C 3H", "5H JC AH 9D 9C", "Loss"), ("9D 9H JH TC QH", "3C 2S JS 5C 7H", "Win"), ("2H TC 8S AD 9S", "4H TS 7H 2C 5C", "Win"), ("9D 3S 2C 7S 7C", "JC TD 3C TC 9H", "Loss"), ) TEST_FLUSH = ( ("2H 3H 4H 5H 6H", True), ("AS AH 2H AD AC", False), ("2H 3H 5H 6H 7H", True), ("KS AS TS QS JS", True), ("8H 9H QS JS TH", False), ("AS 3S 4S 8S 2S", True), ) TEST_STRAIGHT = ( ("2H 3H 4H 5H 6H", True), ("AS AH 2H AD AC", False), ("2H 3H 5H 6H 7H", False), ("KS AS TS QS JS", True), ("8H 9H QS JS TH", True), ) TEST_FIVE_HIGH_STRAIGHT = ( ("2H 4D 3C AS 5S", True, [5, 4, 3, 2, 14]), ("2H 5D 3C AS 5S", False, [14, 5, 5, 3, 2]), ("JH QD KC AS TS", False, [14, 13, 12, 11, 10]), ("9D 3S 2C 7S 7C", False, [9, 7, 7, 3, 2]), ) TEST_KIND = ( ("JH AH TH KH QH", 0), ("JH 9H TH KH QH", 0), ("JC KH JS JD JH", 7), ("KH KC 3S 3H 3D", 6), ("8C 9C 5C 3C TC", 0), ("JS QS 9H TS KH", 0), ("7C 7S KH 2H 7H", 3), ("3C KH 5D 5S KH", 2), ("QH 8H KD JH 8S", 1), ("2D 6D 9D TH 7D", 0), ) TEST_TYPES = ( ("JH AH TH KH QH", 23), ("JH 9H TH KH QH", 22), ("JC KH JS JD JH", 21), ("KH KC 3S 3H 3D", 20), ("8C 9C 5C 3C TC", 19), ("JS QS 9H TS KH", 18), ("7C 7S KH 2H 7H", 17), ("3C KH 5D 5S KH", 16), ("QH 8H KD JH 8S", 15), ("2D 6D 9D TH 7D", 14), ) def generate_random_hand(): play, oppo = randrange(len(SORTED_HANDS)), randrange(len(SORTED_HANDS)) expected = ["Loss", "Tie", "Win"][(play >= oppo) + (play > oppo)] hand, other = SORTED_HANDS[play], SORTED_HANDS[oppo] return hand, other, expected def generate_random_hands(number_of_hands: int = 100): return (generate_random_hand() for _ in range(number_of_hands)) @pytest.mark.parametrize("hand, expected", TEST_FLUSH) def test_hand_is_flush(hand, expected): assert PokerHand(hand)._is_flush() == expected @pytest.mark.parametrize("hand, expected", TEST_STRAIGHT) def test_hand_is_straight(hand, expected): assert PokerHand(hand)._is_straight() == expected @pytest.mark.parametrize("hand, expected, card_values", TEST_FIVE_HIGH_STRAIGHT) def test_hand_is_five_high_straight(hand, expected, card_values): player = PokerHand(hand) assert player._is_five_high_straight() == expected assert player._card_values == card_values @pytest.mark.parametrize("hand, expected", TEST_KIND) def test_hand_is_same_kind(hand, expected): assert PokerHand(hand)._is_same_kind() == expected @pytest.mark.parametrize("hand, expected", TEST_TYPES) def test_hand_values(hand, expected): assert PokerHand(hand)._hand_type == expected @pytest.mark.parametrize("hand, other, expected", TEST_COMPARE) def test_compare_simple(hand, other, expected): assert PokerHand(hand).compare_with(PokerHand(other)) == expected @pytest.mark.parametrize("hand, other, expected", generate_random_hands()) def test_compare_random(hand, other, expected): assert PokerHand(hand).compare_with(PokerHand(other)) == expected def test_hand_sorted(): poker_hands = [PokerHand(hand) for hand in SORTED_HANDS] list_copy = poker_hands.copy() shuffle(list_copy) user_sorted = chain(sorted(list_copy)) for index, hand in enumerate(user_sorted): assert hand == poker_hands[index] def test_custom_sort_five_high_straight(): # Test that five high straights are compared correctly. pokerhands = [PokerHand("2D AC 3H 4H 5S"), PokerHand("2S 3H 4H 5S 6C")] pokerhands.sort(reverse=True) assert pokerhands[0].__str__() == "2S 3H 4H 5S 6C" def test_multiple_calls_five_high_straight(): # Multiple calls to five_high_straight function should still return True # and shouldn't mutate the list in every call other than the first. pokerhand = PokerHand("2C 4S AS 3D 5C") expected = True expected_card_values = [5, 4, 3, 2, 14] for _ in range(10): assert pokerhand._is_five_high_straight() == expected assert pokerhand._card_values == expected_card_values def test_euler_project(): # Problem number 54 from Project Euler # Testing from poker_hands.txt file answer = 0 script_dir = os.path.abspath(os.path.dirname(__file__)) poker_hands = os.path.join(script_dir, "poker_hands.txt") with open(poker_hands) as file_hand: for line in file_hand: player_hand = line[:14].strip() opponent_hand = line[15:].strip() player, opponent = PokerHand(player_hand), PokerHand(opponent_hand) output = player.compare_with(opponent) if output == "Win": answer += 1 assert answer == 376
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 64: https://projecteuler.net/problem=64 All square roots are periodic when written as continued fractions. For example, let us consider sqrt(23). It can be seen that the sequence is repeating. For conciseness, we use the notation sqrt(23)=[4;(1,3,1,8)], to indicate that the block (1,3,1,8) repeats indefinitely. Exactly four continued fractions, for N<=13, have an odd period. How many continued fractions for N<=10000 have an odd period? References: - https://en.wikipedia.org/wiki/Continued_fraction """ from math import floor, sqrt def continuous_fraction_period(n: int) -> int: """ Returns the continued fraction period of a number n. >>> continuous_fraction_period(2) 1 >>> continuous_fraction_period(5) 1 >>> continuous_fraction_period(7) 4 >>> continuous_fraction_period(11) 2 >>> continuous_fraction_period(13) 5 """ numerator = 0.0 denominator = 1.0 ROOT = int(sqrt(n)) # noqa: N806 integer_part = ROOT period = 0 while integer_part != 2 * ROOT: numerator = denominator * integer_part - numerator denominator = (n - numerator**2) / denominator integer_part = int((ROOT + numerator) / denominator) period += 1 return period def solution(n: int = 10000) -> int: """ Returns the count of numbers <= 10000 with odd periods. This function calls continuous_fraction_period for numbers which are not perfect squares. This is checked in if sr - floor(sr) != 0 statement. If an odd period is returned by continuous_fraction_period, count_odd_periods is increased by 1. >>> solution(2) 1 >>> solution(5) 2 >>> solution(7) 2 >>> solution(11) 3 >>> solution(13) 4 """ count_odd_periods = 0 for i in range(2, n + 1): sr = sqrt(i) if sr - floor(sr) != 0: if continuous_fraction_period(i) % 2 == 1: count_odd_periods += 1 return count_odd_periods if __name__ == "__main__": print(f"{solution(int(input().strip()))}")
""" Project Euler Problem 64: https://projecteuler.net/problem=64 All square roots are periodic when written as continued fractions. For example, let us consider sqrt(23). It can be seen that the sequence is repeating. For conciseness, we use the notation sqrt(23)=[4;(1,3,1,8)], to indicate that the block (1,3,1,8) repeats indefinitely. Exactly four continued fractions, for N<=13, have an odd period. How many continued fractions for N<=10000 have an odd period? References: - https://en.wikipedia.org/wiki/Continued_fraction """ from math import floor, sqrt def continuous_fraction_period(n: int) -> int: """ Returns the continued fraction period of a number n. >>> continuous_fraction_period(2) 1 >>> continuous_fraction_period(5) 1 >>> continuous_fraction_period(7) 4 >>> continuous_fraction_period(11) 2 >>> continuous_fraction_period(13) 5 """ numerator = 0.0 denominator = 1.0 root = int(sqrt(n)) integer_part = root period = 0 while integer_part != 2 * root: numerator = denominator * integer_part - numerator denominator = (n - numerator**2) / denominator integer_part = int((root + numerator) / denominator) period += 1 return period def solution(n: int = 10000) -> int: """ Returns the count of numbers <= 10000 with odd periods. This function calls continuous_fraction_period for numbers which are not perfect squares. This is checked in if sr - floor(sr) != 0 statement. If an odd period is returned by continuous_fraction_period, count_odd_periods is increased by 1. >>> solution(2) 1 >>> solution(5) 2 >>> solution(7) 2 >>> solution(11) 3 >>> solution(13) 4 """ count_odd_periods = 0 for i in range(2, n + 1): sr = sqrt(i) if sr - floor(sr) != 0: if continuous_fraction_period(i) % 2 == 1: count_odd_periods += 1 return count_odd_periods if __name__ == "__main__": print(f"{solution(int(input().strip()))}")
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" The first known prime found to exceed one million digits was discovered in 1999, and is a Mersenne prime of the form 2**6972593 − 1; it contains exactly 2,098,960 digits. Subsequently other Mersenne primes, of the form 2**p − 1, have been found which contain more digits. However, in 2004 there was found a massive non-Mersenne prime which contains 2,357,207 digits: (28433 * (2 ** 7830457 + 1)). Find the last ten digits of this prime number. """ def solution(n: int = 10) -> str: """ Returns the last n digits of NUMBER. >>> solution() '8739992577' >>> solution(8) '39992577' >>> solution(1) '7' >>> solution(-1) Traceback (most recent call last): ... ValueError: Invalid input >>> solution(8.3) Traceback (most recent call last): ... ValueError: Invalid input >>> solution("a") Traceback (most recent call last): ... ValueError: Invalid input """ if not isinstance(n, int) or n < 0: raise ValueError("Invalid input") MODULUS = 10**n # noqa: N806 NUMBER = 28433 * (pow(2, 7830457, MODULUS)) + 1 # noqa: N806 return str(NUMBER % MODULUS) if __name__ == "__main__": from doctest import testmod testmod() print(f"{solution(10) = }")
""" The first known prime found to exceed one million digits was discovered in 1999, and is a Mersenne prime of the form 2**6972593 − 1; it contains exactly 2,098,960 digits. Subsequently other Mersenne primes, of the form 2**p − 1, have been found which contain more digits. However, in 2004 there was found a massive non-Mersenne prime which contains 2,357,207 digits: (28433 * (2 ** 7830457 + 1)). Find the last ten digits of this prime number. """ def solution(n: int = 10) -> str: """ Returns the last n digits of NUMBER. >>> solution() '8739992577' >>> solution(8) '39992577' >>> solution(1) '7' >>> solution(-1) Traceback (most recent call last): ... ValueError: Invalid input >>> solution(8.3) Traceback (most recent call last): ... ValueError: Invalid input >>> solution("a") Traceback (most recent call last): ... ValueError: Invalid input """ if not isinstance(n, int) or n < 0: raise ValueError("Invalid input") modulus = 10**n number = 28433 * (pow(2, 7830457, modulus)) + 1 return str(number % modulus) if __name__ == "__main__": from doctest import testmod testmod() print(f"{solution(10) = }")
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 125: https://projecteuler.net/problem=125 The palindromic number 595 is interesting because it can be written as the sum of consecutive squares: 6^2 + 7^2 + 8^2 + 9^2 + 10^2 + 11^2 + 12^2. There are exactly eleven palindromes below one-thousand that can be written as consecutive square sums, and the sum of these palindromes is 4164. Note that 1 = 0^2 + 1^2 has not been included as this problem is concerned with the squares of positive integers. Find the sum of all the numbers less than 10^8 that are both palindromic and can be written as the sum of consecutive squares. """ def is_palindrome(n: int) -> bool: """ Check if an integer is palindromic. >>> is_palindrome(12521) True >>> is_palindrome(12522) False >>> is_palindrome(12210) False """ if n % 10 == 0: return False s = str(n) return s == s[::-1] def solution() -> int: """ Returns the sum of all numbers less than 1e8 that are both palindromic and can be written as the sum of consecutive squares. """ LIMIT = 10**8 # noqa: N806 answer = set() first_square = 1 sum_squares = 5 while sum_squares < LIMIT: last_square = first_square + 1 while sum_squares < LIMIT: if is_palindrome(sum_squares): answer.add(sum_squares) last_square += 1 sum_squares += last_square**2 first_square += 1 sum_squares = first_square**2 + (first_square + 1) ** 2 return sum(answer) if __name__ == "__main__": print(solution())
""" Problem 125: https://projecteuler.net/problem=125 The palindromic number 595 is interesting because it can be written as the sum of consecutive squares: 6^2 + 7^2 + 8^2 + 9^2 + 10^2 + 11^2 + 12^2. There are exactly eleven palindromes below one-thousand that can be written as consecutive square sums, and the sum of these palindromes is 4164. Note that 1 = 0^2 + 1^2 has not been included as this problem is concerned with the squares of positive integers. Find the sum of all the numbers less than 10^8 that are both palindromic and can be written as the sum of consecutive squares. """ LIMIT = 10**8 def is_palindrome(n: int) -> bool: """ Check if an integer is palindromic. >>> is_palindrome(12521) True >>> is_palindrome(12522) False >>> is_palindrome(12210) False """ if n % 10 == 0: return False s = str(n) return s == s[::-1] def solution() -> int: """ Returns the sum of all numbers less than 1e8 that are both palindromic and can be written as the sum of consecutive squares. """ answer = set() first_square = 1 sum_squares = 5 while sum_squares < LIMIT: last_square = first_square + 1 while sum_squares < LIMIT: if is_palindrome(sum_squares): answer.add(sum_squares) last_square += 1 sum_squares += last_square**2 first_square += 1 sum_squares = first_square**2 + (first_square + 1) ** 2 return sum(answer) if __name__ == "__main__": print(solution())
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 is a pure Python implementation of the radix sort algorithm Source: https://en.wikipedia.org/wiki/Radix_sort """ from __future__ import annotations def radix_sort(list_of_ints: list[int]) -> list[int]: """ Examples: >>> radix_sort([0, 5, 3, 2, 2]) [0, 2, 2, 3, 5] >>> radix_sort(list(range(15))) == sorted(range(15)) True >>> radix_sort(list(range(14,-1,-1))) == sorted(range(15)) True >>> radix_sort([1,100,10,1000]) == sorted([1,100,10,1000]) True """ RADIX = 10 # noqa: N806 placement = 1 max_digit = max(list_of_ints) while placement <= max_digit: # declare and initialize empty buckets buckets: list[list] = [[] for _ in range(RADIX)] # split list_of_ints between the buckets for i in list_of_ints: tmp = int((i / placement) % RADIX) buckets[tmp].append(i) # put each buckets' contents into list_of_ints a = 0 for b in range(RADIX): for i in buckets[b]: list_of_ints[a] = i a += 1 # move to next placement *= RADIX return list_of_ints if __name__ == "__main__": import doctest doctest.testmod()
""" This is a pure Python implementation of the radix sort algorithm Source: https://en.wikipedia.org/wiki/Radix_sort """ from __future__ import annotations RADIX = 10 def radix_sort(list_of_ints: list[int]) -> list[int]: """ Examples: >>> radix_sort([0, 5, 3, 2, 2]) [0, 2, 2, 3, 5] >>> radix_sort(list(range(15))) == sorted(range(15)) True >>> radix_sort(list(range(14,-1,-1))) == sorted(range(15)) True >>> radix_sort([1,100,10,1000]) == sorted([1,100,10,1000]) True """ placement = 1 max_digit = max(list_of_ints) while placement <= max_digit: # declare and initialize empty buckets buckets: list[list] = [[] for _ in range(RADIX)] # split list_of_ints between the buckets for i in list_of_ints: tmp = int((i / placement) % RADIX) buckets[tmp].append(i) # put each buckets' contents into list_of_ints a = 0 for b in range(RADIX): for i in buckets[b]: list_of_ints[a] = i a += 1 # move to next placement *= RADIX return list_of_ints if __name__ == "__main__": import doctest doctest.testmod()
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 file fetches quotes from the " ZenQuotes API ". It does not require any API key as it uses free tier. For more details and premium features visit: https://zenquotes.io/ """ import pprint import requests def quote_of_the_day() -> list: API_ENDPOINT_URL = "https://zenquotes.io/api/today/" # noqa: N806 return requests.get(API_ENDPOINT_URL).json() def random_quotes() -> list: API_ENDPOINT_URL = "https://zenquotes.io/api/random/" # noqa: N806 return requests.get(API_ENDPOINT_URL).json() if __name__ == "__main__": """ response object has all the info with the quote To retrieve the actual quote access the response.json() object as below response.json() is a list of json object response.json()[0]['q'] = actual quote. response.json()[0]['a'] = author name. response.json()[0]['h'] = in html format. """ response = random_quotes() pprint.pprint(response)
""" This file fetches quotes from the " ZenQuotes API ". It does not require any API key as it uses free tier. For more details and premium features visit: https://zenquotes.io/ """ import pprint import requests API_ENDPOINT_URL = "https://zenquotes.io/api" def quote_of_the_day() -> list: return requests.get(API_ENDPOINT_URL + "/today").json() def random_quotes() -> list: return requests.get(API_ENDPOINT_URL + "/random").json() if __name__ == "__main__": """ response object has all the info with the quote To retrieve the actual quote access the response.json() object as below response.json() is a list of json object response.json()[0]['q'] = actual quote. response.json()[0]['a'] = author name. response.json()[0]['h'] = in html format. """ response = random_quotes() pprint.pprint(response)
1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 class Point: def __init__(self, x: float, y: float) -> None: self.x = x self.y = y def is_in_unit_circle(self) -> bool: """ True, if the point lies in the unit circle False, otherwise """ return (self.x**2 + self.y**2) <= 1 @classmethod def random_unit_square(cls): """ Generates a point randomly drawn from the unit square [0, 1) x [0, 1). """ return cls(x=random.random(), y=random.random()) def estimate_pi(number_of_simulations: int) -> float: """ Generates an estimate of the mathematical constant PI. See https://en.wikipedia.org/wiki/Monte_Carlo_method#Overview The estimate is generated by Monte Carlo simulations. Let U be uniformly drawn from the unit square [0, 1) x [0, 1). The probability that U lies in the unit circle is: P[U in unit circle] = 1/4 PI and therefore PI = 4 * P[U in unit circle] We can get an estimate of the probability P[U in unit circle]. See https://en.wikipedia.org/wiki/Empirical_probability by: 1. Draw a point uniformly from the unit square. 2. Repeat the first step n times and count the number of points in the unit circle, which is called m. 3. An estimate of P[U in unit circle] is m/n """ if number_of_simulations < 1: raise ValueError("At least one simulation is necessary to estimate PI.") number_in_unit_circle = 0 for _ in range(number_of_simulations): random_point = Point.random_unit_square() if random_point.is_in_unit_circle(): number_in_unit_circle += 1 return 4 * number_in_unit_circle / number_of_simulations if __name__ == "__main__": # import doctest # doctest.testmod() from math import pi prompt = "Please enter the desired number of Monte Carlo simulations: " my_pi = estimate_pi(int(input(prompt).strip())) print(f"An estimate of PI is {my_pi} with an error of {abs(my_pi - pi)}")
import random class Point: def __init__(self, x: float, y: float) -> None: self.x = x self.y = y def is_in_unit_circle(self) -> bool: """ True, if the point lies in the unit circle False, otherwise """ return (self.x**2 + self.y**2) <= 1 @classmethod def random_unit_square(cls): """ Generates a point randomly drawn from the unit square [0, 1) x [0, 1). """ return cls(x=random.random(), y=random.random()) def estimate_pi(number_of_simulations: int) -> float: """ Generates an estimate of the mathematical constant PI. See https://en.wikipedia.org/wiki/Monte_Carlo_method#Overview The estimate is generated by Monte Carlo simulations. Let U be uniformly drawn from the unit square [0, 1) x [0, 1). The probability that U lies in the unit circle is: P[U in unit circle] = 1/4 PI and therefore PI = 4 * P[U in unit circle] We can get an estimate of the probability P[U in unit circle]. See https://en.wikipedia.org/wiki/Empirical_probability by: 1. Draw a point uniformly from the unit square. 2. Repeat the first step n times and count the number of points in the unit circle, which is called m. 3. An estimate of P[U in unit circle] is m/n """ if number_of_simulations < 1: raise ValueError("At least one simulation is necessary to estimate PI.") number_in_unit_circle = 0 for _ in range(number_of_simulations): random_point = Point.random_unit_square() if random_point.is_in_unit_circle(): number_in_unit_circle += 1 return 4 * number_in_unit_circle / number_of_simulations if __name__ == "__main__": # import doctest # doctest.testmod() from math import pi prompt = "Please enter the desired number of Monte Carlo simulations: " my_pi = estimate_pi(int(input(prompt).strip())) print(f"An estimate of PI is {my_pi} with an error of {abs(my_pi - pi)}")
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 numpy as np from PIL import Image def rgb2gray(rgb: np.array) -> np.array: """ Return gray image from rgb image >>> rgb2gray(np.array([[[127, 255, 0]]])) array([[187.6453]]) >>> rgb2gray(np.array([[[0, 0, 0]]])) array([[0.]]) >>> rgb2gray(np.array([[[2, 4, 1]]])) array([[3.0598]]) >>> rgb2gray(np.array([[[26, 255, 14], [5, 147, 20], [1, 200, 0]]])) array([[159.0524, 90.0635, 117.6989]]) """ r, g, b = rgb[:, :, 0], rgb[:, :, 1], rgb[:, :, 2] return 0.2989 * r + 0.5870 * g + 0.1140 * b def gray2binary(gray: np.array) -> np.array: """ Return binary image from gray image >>> gray2binary(np.array([[127, 255, 0]])) array([[False, True, False]]) >>> gray2binary(np.array([[0]])) array([[False]]) >>> gray2binary(np.array([[26.2409, 4.9315, 1.4729]])) array([[False, False, False]]) >>> gray2binary(np.array([[26, 255, 14], [5, 147, 20], [1, 200, 0]])) array([[False, True, False], [False, True, False], [False, True, False]]) """ return (127 < gray) & (gray <= 255) def dilation(image: np.array, kernel: np.array) -> np.array: """ Return dilated image >>> dilation(np.array([[True, False, True]]), np.array([[0, 1, 0]])) array([[False, False, False]]) >>> dilation(np.array([[False, False, True]]), np.array([[1, 0, 1]])) array([[False, False, False]]) """ output = np.zeros_like(image) image_padded = np.zeros( (image.shape[0] + kernel.shape[0] - 1, image.shape[1] + kernel.shape[1] - 1) ) # Copy image to padded image image_padded[kernel.shape[0] - 2 : -1 :, kernel.shape[1] - 2 : -1 :] = image # Iterate over image & apply kernel for x in range(image.shape[1]): for y in range(image.shape[0]): summation = ( kernel * image_padded[y : y + kernel.shape[0], x : x + kernel.shape[1]] ).sum() output[y, x] = int(summation > 0) return output # kernel to be applied structuring_element = np.array([[0, 1, 0], [1, 1, 1], [0, 1, 0]]) if __name__ == "__main__": # read original image image = np.array(Image.open(r"..\image_data\lena.jpg")) output = dilation(gray2binary(rgb2gray(image)), structuring_element) # Save the output image pil_img = Image.fromarray(output).convert("RGB") pil_img.save("result_dilation.png")
import numpy as np from PIL import Image def rgb2gray(rgb: np.array) -> np.array: """ Return gray image from rgb image >>> rgb2gray(np.array([[[127, 255, 0]]])) array([[187.6453]]) >>> rgb2gray(np.array([[[0, 0, 0]]])) array([[0.]]) >>> rgb2gray(np.array([[[2, 4, 1]]])) array([[3.0598]]) >>> rgb2gray(np.array([[[26, 255, 14], [5, 147, 20], [1, 200, 0]]])) array([[159.0524, 90.0635, 117.6989]]) """ r, g, b = rgb[:, :, 0], rgb[:, :, 1], rgb[:, :, 2] return 0.2989 * r + 0.5870 * g + 0.1140 * b def gray2binary(gray: np.array) -> np.array: """ Return binary image from gray image >>> gray2binary(np.array([[127, 255, 0]])) array([[False, True, False]]) >>> gray2binary(np.array([[0]])) array([[False]]) >>> gray2binary(np.array([[26.2409, 4.9315, 1.4729]])) array([[False, False, False]]) >>> gray2binary(np.array([[26, 255, 14], [5, 147, 20], [1, 200, 0]])) array([[False, True, False], [False, True, False], [False, True, False]]) """ return (127 < gray) & (gray <= 255) def dilation(image: np.array, kernel: np.array) -> np.array: """ Return dilated image >>> dilation(np.array([[True, False, True]]), np.array([[0, 1, 0]])) array([[False, False, False]]) >>> dilation(np.array([[False, False, True]]), np.array([[1, 0, 1]])) array([[False, False, False]]) """ output = np.zeros_like(image) image_padded = np.zeros( (image.shape[0] + kernel.shape[0] - 1, image.shape[1] + kernel.shape[1] - 1) ) # Copy image to padded image image_padded[kernel.shape[0] - 2 : -1 :, kernel.shape[1] - 2 : -1 :] = image # Iterate over image & apply kernel for x in range(image.shape[1]): for y in range(image.shape[0]): summation = ( kernel * image_padded[y : y + kernel.shape[0], x : x + kernel.shape[1]] ).sum() output[y, x] = int(summation > 0) return output # kernel to be applied structuring_element = np.array([[0, 1, 0], [1, 1, 1], [0, 1, 0]]) if __name__ == "__main__": # read original image image = np.array(Image.open(r"..\image_data\lena.jpg")) output = dilation(gray2binary(rgb2gray(image)), structuring_element) # Save the output image pil_img = Image.fromarray(output).convert("RGB") pil_img.save("result_dilation.png")
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
#!/usr/bin/env python3 import requests giphy_api_key = "YOUR API KEY" # Can be fetched from https://developers.giphy.com/dashboard/ def get_gifs(query: str, api_key: str = giphy_api_key) -> list: """ Get a list of URLs of GIFs based on a given query.. """ formatted_query = "+".join(query.split()) url = f"https://api.giphy.com/v1/gifs/search?q={formatted_query}&api_key={api_key}" gifs = requests.get(url).json()["data"] return [gif["url"] for gif in gifs] if __name__ == "__main__": print("\n".join(get_gifs("space ship")))
#!/usr/bin/env python3 import requests giphy_api_key = "YOUR API KEY" # Can be fetched from https://developers.giphy.com/dashboard/ def get_gifs(query: str, api_key: str = giphy_api_key) -> list: """ Get a list of URLs of GIFs based on a given query.. """ formatted_query = "+".join(query.split()) url = f"https://api.giphy.com/v1/gifs/search?q={formatted_query}&api_key={api_key}" gifs = requests.get(url).json()["data"] return [gif["url"] for gif in gifs] if __name__ == "__main__": print("\n".join(get_gifs("space ship")))
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 numpy as np from PIL import Image def rgb2gray(rgb: np.array) -> np.array: """ Return gray image from rgb image >>> rgb2gray(np.array([[[127, 255, 0]]])) array([[187.6453]]) >>> rgb2gray(np.array([[[0, 0, 0]]])) array([[0.]]) >>> rgb2gray(np.array([[[2, 4, 1]]])) array([[3.0598]]) >>> rgb2gray(np.array([[[26, 255, 14], [5, 147, 20], [1, 200, 0]]])) array([[159.0524, 90.0635, 117.6989]]) """ r, g, b = rgb[:, :, 0], rgb[:, :, 1], rgb[:, :, 2] return 0.2989 * r + 0.5870 * g + 0.1140 * b def gray2binary(gray: np.array) -> np.array: """ Return binary image from gray image >>> gray2binary(np.array([[127, 255, 0]])) array([[False, True, False]]) >>> gray2binary(np.array([[0]])) array([[False]]) >>> gray2binary(np.array([[26.2409, 4.9315, 1.4729]])) array([[False, False, False]]) >>> gray2binary(np.array([[26, 255, 14], [5, 147, 20], [1, 200, 0]])) array([[False, True, False], [False, True, False], [False, True, False]]) """ return (127 < gray) & (gray <= 255) def erosion(image: np.array, kernel: np.array) -> np.array: """ Return eroded image >>> erosion(np.array([[True, True, False]]), np.array([[0, 1, 0]])) array([[False, False, False]]) >>> erosion(np.array([[True, False, False]]), np.array([[1, 1, 0]])) array([[False, False, False]]) """ output = np.zeros_like(image) image_padded = np.zeros( (image.shape[0] + kernel.shape[0] - 1, image.shape[1] + kernel.shape[1] - 1) ) # Copy image to padded image image_padded[kernel.shape[0] - 2 : -1 :, kernel.shape[1] - 2 : -1 :] = image # Iterate over image & apply kernel for x in range(image.shape[1]): for y in range(image.shape[0]): summation = ( kernel * image_padded[y : y + kernel.shape[0], x : x + kernel.shape[1]] ).sum() output[y, x] = int(summation == 5) return output # kernel to be applied structuring_element = np.array([[0, 1, 0], [1, 1, 1], [0, 1, 0]]) if __name__ == "__main__": # read original image image = np.array(Image.open(r"..\image_data\lena.jpg")) # Apply erosion operation to a binary image output = erosion(gray2binary(rgb2gray(image)), structuring_element) # Save the output image pil_img = Image.fromarray(output).convert("RGB") pil_img.save("result_erosion.png")
import numpy as np from PIL import Image def rgb2gray(rgb: np.array) -> np.array: """ Return gray image from rgb image >>> rgb2gray(np.array([[[127, 255, 0]]])) array([[187.6453]]) >>> rgb2gray(np.array([[[0, 0, 0]]])) array([[0.]]) >>> rgb2gray(np.array([[[2, 4, 1]]])) array([[3.0598]]) >>> rgb2gray(np.array([[[26, 255, 14], [5, 147, 20], [1, 200, 0]]])) array([[159.0524, 90.0635, 117.6989]]) """ r, g, b = rgb[:, :, 0], rgb[:, :, 1], rgb[:, :, 2] return 0.2989 * r + 0.5870 * g + 0.1140 * b def gray2binary(gray: np.array) -> np.array: """ Return binary image from gray image >>> gray2binary(np.array([[127, 255, 0]])) array([[False, True, False]]) >>> gray2binary(np.array([[0]])) array([[False]]) >>> gray2binary(np.array([[26.2409, 4.9315, 1.4729]])) array([[False, False, False]]) >>> gray2binary(np.array([[26, 255, 14], [5, 147, 20], [1, 200, 0]])) array([[False, True, False], [False, True, False], [False, True, False]]) """ return (127 < gray) & (gray <= 255) def erosion(image: np.array, kernel: np.array) -> np.array: """ Return eroded image >>> erosion(np.array([[True, True, False]]), np.array([[0, 1, 0]])) array([[False, False, False]]) >>> erosion(np.array([[True, False, False]]), np.array([[1, 1, 0]])) array([[False, False, False]]) """ output = np.zeros_like(image) image_padded = np.zeros( (image.shape[0] + kernel.shape[0] - 1, image.shape[1] + kernel.shape[1] - 1) ) # Copy image to padded image image_padded[kernel.shape[0] - 2 : -1 :, kernel.shape[1] - 2 : -1 :] = image # Iterate over image & apply kernel for x in range(image.shape[1]): for y in range(image.shape[0]): summation = ( kernel * image_padded[y : y + kernel.shape[0], x : x + kernel.shape[1]] ).sum() output[y, x] = int(summation == 5) return output # kernel to be applied structuring_element = np.array([[0, 1, 0], [1, 1, 1], [0, 1, 0]]) if __name__ == "__main__": # read original image image = np.array(Image.open(r"..\image_data\lena.jpg")) # Apply erosion operation to a binary image output = erosion(gray2binary(rgb2gray(image)), structuring_element) # Save the output image pil_img = Image.fromarray(output).convert("RGB") pil_img.save("result_erosion.png")
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" Conway's Game of Life implemented in Python. https://en.wikipedia.org/wiki/Conway%27s_Game_of_Life """ from __future__ import annotations from PIL import Image # Define glider example GLIDER = [ [0, 1, 0, 0, 0, 0, 0, 0], [0, 0, 1, 0, 0, 0, 0, 0], [1, 1, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], ] # Define blinker example BLINKER = [[0, 1, 0], [0, 1, 0], [0, 1, 0]] def new_generation(cells: list[list[int]]) -> list[list[int]]: """ Generates the next generation for a given state of Conway's Game of Life. >>> new_generation(BLINKER) [[0, 0, 0], [1, 1, 1], [0, 0, 0]] """ next_generation = [] for i in range(len(cells)): next_generation_row = [] for j in range(len(cells[i])): # Get the number of live neighbours neighbour_count = 0 if i > 0 and j > 0: neighbour_count += cells[i - 1][j - 1] if i > 0: neighbour_count += cells[i - 1][j] if i > 0 and j < len(cells[i]) - 1: neighbour_count += cells[i - 1][j + 1] if j > 0: neighbour_count += cells[i][j - 1] if j < len(cells[i]) - 1: neighbour_count += cells[i][j + 1] if i < len(cells) - 1 and j > 0: neighbour_count += cells[i + 1][j - 1] if i < len(cells) - 1: neighbour_count += cells[i + 1][j] if i < len(cells) - 1 and j < len(cells[i]) - 1: neighbour_count += cells[i + 1][j + 1] # Rules of the game of life (excerpt from Wikipedia): # 1. Any live cell with two or three live neighbours survives. # 2. Any dead cell with three live neighbours becomes a live cell. # 3. All other live cells die in the next generation. # Similarly, all other dead cells stay dead. alive = cells[i][j] == 1 if ( (alive and 2 <= neighbour_count <= 3) or not alive and neighbour_count == 3 ): next_generation_row.append(1) else: next_generation_row.append(0) next_generation.append(next_generation_row) return next_generation def generate_images(cells: list[list[int]], frames: int) -> list[Image.Image]: """ Generates a list of images of subsequent Game of Life states. """ images = [] for _ in range(frames): # Create output image img = Image.new("RGB", (len(cells[0]), len(cells))) pixels = img.load() # Save cells to image for x in range(len(cells)): for y in range(len(cells[0])): colour = 255 - cells[y][x] * 255 pixels[x, y] = (colour, colour, colour) # Save image images.append(img) cells = new_generation(cells) return images if __name__ == "__main__": images = generate_images(GLIDER, 16) images[0].save("out.gif", save_all=True, append_images=images[1:])
""" Conway's Game of Life implemented in Python. https://en.wikipedia.org/wiki/Conway%27s_Game_of_Life """ from __future__ import annotations from PIL import Image # Define glider example GLIDER = [ [0, 1, 0, 0, 0, 0, 0, 0], [0, 0, 1, 0, 0, 0, 0, 0], [1, 1, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0, 0, 0], ] # Define blinker example BLINKER = [[0, 1, 0], [0, 1, 0], [0, 1, 0]] def new_generation(cells: list[list[int]]) -> list[list[int]]: """ Generates the next generation for a given state of Conway's Game of Life. >>> new_generation(BLINKER) [[0, 0, 0], [1, 1, 1], [0, 0, 0]] """ next_generation = [] for i in range(len(cells)): next_generation_row = [] for j in range(len(cells[i])): # Get the number of live neighbours neighbour_count = 0 if i > 0 and j > 0: neighbour_count += cells[i - 1][j - 1] if i > 0: neighbour_count += cells[i - 1][j] if i > 0 and j < len(cells[i]) - 1: neighbour_count += cells[i - 1][j + 1] if j > 0: neighbour_count += cells[i][j - 1] if j < len(cells[i]) - 1: neighbour_count += cells[i][j + 1] if i < len(cells) - 1 and j > 0: neighbour_count += cells[i + 1][j - 1] if i < len(cells) - 1: neighbour_count += cells[i + 1][j] if i < len(cells) - 1 and j < len(cells[i]) - 1: neighbour_count += cells[i + 1][j + 1] # Rules of the game of life (excerpt from Wikipedia): # 1. Any live cell with two or three live neighbours survives. # 2. Any dead cell with three live neighbours becomes a live cell. # 3. All other live cells die in the next generation. # Similarly, all other dead cells stay dead. alive = cells[i][j] == 1 if ( (alive and 2 <= neighbour_count <= 3) or not alive and neighbour_count == 3 ): next_generation_row.append(1) else: next_generation_row.append(0) next_generation.append(next_generation_row) return next_generation def generate_images(cells: list[list[int]], frames: int) -> list[Image.Image]: """ Generates a list of images of subsequent Game of Life states. """ images = [] for _ in range(frames): # Create output image img = Image.new("RGB", (len(cells[0]), len(cells))) pixels = img.load() # Save cells to image for x in range(len(cells)): for y in range(len(cells[0])): colour = 255 - cells[y][x] * 255 pixels[x, y] = (colour, colour, colour) # Save image images.append(img) cells = new_generation(cells) return images if __name__ == "__main__": images = generate_images(GLIDER, 16) images[0].save("out.gif", save_all=True, append_images=images[1:])
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" The Horn-Schunck method estimates the optical flow for every single pixel of a sequence of images. It works by assuming brightness constancy between two consecutive frames and smoothness in the optical flow. Useful resources: Wikipedia: https://en.wikipedia.org/wiki/Horn%E2%80%93Schunck_method Paper: http://image.diku.dk/imagecanon/material/HornSchunckOptical_Flow.pdf """ from typing import SupportsIndex import numpy as np from scipy.ndimage.filters import convolve def warp( image: np.ndarray, horizontal_flow: np.ndarray, vertical_flow: np.ndarray ) -> np.ndarray: """ Warps the pixels of an image into a new image using the horizontal and vertical flows. Pixels that are warped from an invalid location are set to 0. Parameters: image: Grayscale image horizontal_flow: Horizontal flow vertical_flow: Vertical flow Returns: Warped image >>> warp(np.array([[0, 1, 2], [0, 3, 0], [2, 2, 2]]), \ np.array([[0, 1, -1], [-1, 0, 0], [1, 1, 1]]), \ np.array([[0, 0, 0], [0, 1, 0], [0, 0, 1]])) array([[0, 0, 0], [3, 1, 0], [0, 2, 3]]) """ flow = np.stack((horizontal_flow, vertical_flow), 2) # Create a grid of all pixel coordinates and subtract the flow to get the # target pixels coordinates grid = np.stack( np.meshgrid(np.arange(0, image.shape[1]), np.arange(0, image.shape[0])), 2 ) grid = np.round(grid - flow).astype(np.int32) # Find the locations outside of the original image invalid = (grid < 0) | (grid >= np.array([image.shape[1], image.shape[0]])) grid[invalid] = 0 warped = image[grid[:, :, 1], grid[:, :, 0]] # Set pixels at invalid locations to 0 warped[invalid[:, :, 0] | invalid[:, :, 1]] = 0 return warped def horn_schunck( image0: np.ndarray, image1: np.ndarray, num_iter: SupportsIndex, alpha: float | None = None, ) -> tuple[np.ndarray, np.ndarray]: """ This function performs the Horn-Schunck algorithm and returns the estimated optical flow. It is assumed that the input images are grayscale and normalized to be in [0, 1]. Parameters: image0: First image of the sequence image1: Second image of the sequence alpha: Regularization constant num_iter: Number of iterations performed Returns: estimated horizontal & vertical flow >>> np.round(horn_schunck(np.array([[0, 0, 2], [0, 0, 2]]), \ np.array([[0, 2, 0], [0, 2, 0]]), alpha=0.1, num_iter=110)).\ astype(np.int32) array([[[ 0, -1, -1], [ 0, -1, -1]], <BLANKLINE> [[ 0, 0, 0], [ 0, 0, 0]]], dtype=int32) """ if alpha is None: alpha = 0.1 # Initialize flow horizontal_flow = np.zeros_like(image0) vertical_flow = np.zeros_like(image0) # Prepare kernels for the calculation of the derivatives and the average velocity kernel_x = np.array([[-1, 1], [-1, 1]]) * 0.25 kernel_y = np.array([[-1, -1], [1, 1]]) * 0.25 kernel_t = np.array([[1, 1], [1, 1]]) * 0.25 kernel_laplacian = np.array( [[1 / 12, 1 / 6, 1 / 12], [1 / 6, 0, 1 / 6], [1 / 12, 1 / 6, 1 / 12]] ) # Iteratively refine the flow for _ in range(num_iter): warped_image = warp(image0, horizontal_flow, vertical_flow) derivative_x = convolve(warped_image, kernel_x) + convolve(image1, kernel_x) derivative_y = convolve(warped_image, kernel_y) + convolve(image1, kernel_y) derivative_t = convolve(warped_image, kernel_t) + convolve(image1, -kernel_t) avg_horizontal_velocity = convolve(horizontal_flow, kernel_laplacian) avg_vertical_velocity = convolve(vertical_flow, kernel_laplacian) # This updates the flow as proposed in the paper (Step 12) update = ( derivative_x * avg_horizontal_velocity + derivative_y * avg_vertical_velocity + derivative_t ) update = update / (alpha**2 + derivative_x**2 + derivative_y**2) horizontal_flow = avg_horizontal_velocity - derivative_x * update vertical_flow = avg_vertical_velocity - derivative_y * update return horizontal_flow, vertical_flow if __name__ == "__main__": import doctest doctest.testmod()
""" The Horn-Schunck method estimates the optical flow for every single pixel of a sequence of images. It works by assuming brightness constancy between two consecutive frames and smoothness in the optical flow. Useful resources: Wikipedia: https://en.wikipedia.org/wiki/Horn%E2%80%93Schunck_method Paper: http://image.diku.dk/imagecanon/material/HornSchunckOptical_Flow.pdf """ from typing import SupportsIndex import numpy as np from scipy.ndimage.filters import convolve def warp( image: np.ndarray, horizontal_flow: np.ndarray, vertical_flow: np.ndarray ) -> np.ndarray: """ Warps the pixels of an image into a new image using the horizontal and vertical flows. Pixels that are warped from an invalid location are set to 0. Parameters: image: Grayscale image horizontal_flow: Horizontal flow vertical_flow: Vertical flow Returns: Warped image >>> warp(np.array([[0, 1, 2], [0, 3, 0], [2, 2, 2]]), \ np.array([[0, 1, -1], [-1, 0, 0], [1, 1, 1]]), \ np.array([[0, 0, 0], [0, 1, 0], [0, 0, 1]])) array([[0, 0, 0], [3, 1, 0], [0, 2, 3]]) """ flow = np.stack((horizontal_flow, vertical_flow), 2) # Create a grid of all pixel coordinates and subtract the flow to get the # target pixels coordinates grid = np.stack( np.meshgrid(np.arange(0, image.shape[1]), np.arange(0, image.shape[0])), 2 ) grid = np.round(grid - flow).astype(np.int32) # Find the locations outside of the original image invalid = (grid < 0) | (grid >= np.array([image.shape[1], image.shape[0]])) grid[invalid] = 0 warped = image[grid[:, :, 1], grid[:, :, 0]] # Set pixels at invalid locations to 0 warped[invalid[:, :, 0] | invalid[:, :, 1]] = 0 return warped def horn_schunck( image0: np.ndarray, image1: np.ndarray, num_iter: SupportsIndex, alpha: float | None = None, ) -> tuple[np.ndarray, np.ndarray]: """ This function performs the Horn-Schunck algorithm and returns the estimated optical flow. It is assumed that the input images are grayscale and normalized to be in [0, 1]. Parameters: image0: First image of the sequence image1: Second image of the sequence alpha: Regularization constant num_iter: Number of iterations performed Returns: estimated horizontal & vertical flow >>> np.round(horn_schunck(np.array([[0, 0, 2], [0, 0, 2]]), \ np.array([[0, 2, 0], [0, 2, 0]]), alpha=0.1, num_iter=110)).\ astype(np.int32) array([[[ 0, -1, -1], [ 0, -1, -1]], <BLANKLINE> [[ 0, 0, 0], [ 0, 0, 0]]], dtype=int32) """ if alpha is None: alpha = 0.1 # Initialize flow horizontal_flow = np.zeros_like(image0) vertical_flow = np.zeros_like(image0) # Prepare kernels for the calculation of the derivatives and the average velocity kernel_x = np.array([[-1, 1], [-1, 1]]) * 0.25 kernel_y = np.array([[-1, -1], [1, 1]]) * 0.25 kernel_t = np.array([[1, 1], [1, 1]]) * 0.25 kernel_laplacian = np.array( [[1 / 12, 1 / 6, 1 / 12], [1 / 6, 0, 1 / 6], [1 / 12, 1 / 6, 1 / 12]] ) # Iteratively refine the flow for _ in range(num_iter): warped_image = warp(image0, horizontal_flow, vertical_flow) derivative_x = convolve(warped_image, kernel_x) + convolve(image1, kernel_x) derivative_y = convolve(warped_image, kernel_y) + convolve(image1, kernel_y) derivative_t = convolve(warped_image, kernel_t) + convolve(image1, -kernel_t) avg_horizontal_velocity = convolve(horizontal_flow, kernel_laplacian) avg_vertical_velocity = convolve(vertical_flow, kernel_laplacian) # This updates the flow as proposed in the paper (Step 12) update = ( derivative_x * avg_horizontal_velocity + derivative_y * avg_vertical_velocity + derivative_t ) update = update / (alpha**2 + derivative_x**2 + derivative_y**2) horizontal_flow = avg_horizontal_velocity - derivative_x * update vertical_flow = avg_vertical_velocity - derivative_y * update return horizontal_flow, vertical_flow if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 math import pi def radians(degree: float) -> float: """ Coverts the given angle from degrees to radians https://en.wikipedia.org/wiki/Radian >>> radians(180) 3.141592653589793 >>> radians(92) 1.6057029118347832 >>> radians(274) 4.782202150464463 >>> radians(109.82) 1.9167205845401725 >>> from math import radians as math_radians >>> all(abs(radians(i)-math_radians(i)) <= 0.00000001 for i in range(-2, 361)) True """ return degree / (180 / pi) if __name__ == "__main__": from doctest import testmod testmod()
from math import pi def radians(degree: float) -> float: """ Coverts the given angle from degrees to radians https://en.wikipedia.org/wiki/Radian >>> radians(180) 3.141592653589793 >>> radians(92) 1.6057029118347832 >>> radians(274) 4.782202150464463 >>> radians(109.82) 1.9167205845401725 >>> from math import radians as math_radians >>> all(abs(radians(i)-math_radians(i)) <= 0.00000001 for i in range(-2, 361)) True """ return degree / (180 / pi) if __name__ == "__main__": from doctest import testmod testmod()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" The nqueens problem is of placing N queens on a N * N chess board such that no queen can attack any other queens placed on that chess board. This means that one queen cannot have any other queen on its horizontal, vertical and diagonal lines. """ from __future__ import annotations solution = [] def is_safe(board: list[list[int]], row: int, column: int) -> bool: """ This function returns a boolean value True if it is safe to place a queen there considering the current state of the board. Parameters : board(2D matrix) : board row ,column : coordinates of the cell on a board Returns : Boolean Value """ for i in range(len(board)): if board[row][i] == 1: return False for i in range(len(board)): if board[i][column] == 1: return False for i, j in zip(range(row, -1, -1), range(column, -1, -1)): if board[i][j] == 1: return False for i, j in zip(range(row, -1, -1), range(column, len(board))): if board[i][j] == 1: return False return True def solve(board: list[list[int]], row: int) -> bool: """ It creates a state space tree and calls the safe function until it receives a False Boolean and terminates that branch and backtracks to the next possible solution branch. """ if row >= len(board): """ If the row number exceeds N we have board with a successful combination and that combination is appended to the solution list and the board is printed. """ solution.append(board) printboard(board) print() return True for i in range(len(board)): """ For every row it iterates through each column to check if it is feasible to place a queen there. If all the combinations for that particular branch are successful the board is reinitialized for the next possible combination. """ if is_safe(board, row, i): board[row][i] = 1 solve(board, row + 1) board[row][i] = 0 return False def printboard(board: list[list[int]]) -> None: """ Prints the boards that have a successful combination. """ for i in range(len(board)): for j in range(len(board)): if board[i][j] == 1: print("Q", end=" ") else: print(".", end=" ") print() # n=int(input("The no. of queens")) n = 8 board = [[0 for i in range(n)] for j in range(n)] solve(board, 0) print("The total no. of solutions are :", len(solution))
""" The nqueens problem is of placing N queens on a N * N chess board such that no queen can attack any other queens placed on that chess board. This means that one queen cannot have any other queen on its horizontal, vertical and diagonal lines. """ from __future__ import annotations solution = [] def is_safe(board: list[list[int]], row: int, column: int) -> bool: """ This function returns a boolean value True if it is safe to place a queen there considering the current state of the board. Parameters : board(2D matrix) : board row ,column : coordinates of the cell on a board Returns : Boolean Value """ for i in range(len(board)): if board[row][i] == 1: return False for i in range(len(board)): if board[i][column] == 1: return False for i, j in zip(range(row, -1, -1), range(column, -1, -1)): if board[i][j] == 1: return False for i, j in zip(range(row, -1, -1), range(column, len(board))): if board[i][j] == 1: return False return True def solve(board: list[list[int]], row: int) -> bool: """ It creates a state space tree and calls the safe function until it receives a False Boolean and terminates that branch and backtracks to the next possible solution branch. """ if row >= len(board): """ If the row number exceeds N we have board with a successful combination and that combination is appended to the solution list and the board is printed. """ solution.append(board) printboard(board) print() return True for i in range(len(board)): """ For every row it iterates through each column to check if it is feasible to place a queen there. If all the combinations for that particular branch are successful the board is reinitialized for the next possible combination. """ if is_safe(board, row, i): board[row][i] = 1 solve(board, row + 1) board[row][i] = 0 return False def printboard(board: list[list[int]]) -> None: """ Prints the boards that have a successful combination. """ for i in range(len(board)): for j in range(len(board)): if board[i][j] == 1: print("Q", end=" ") else: print(".", end=" ") print() # n=int(input("The no. of queens")) n = 8 board = [[0 for i in range(n)] for j in range(n)] solve(board, 0) print("The total no. of solutions are :", len(solution))
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 89: https://projecteuler.net/problem=89 For a number written in Roman numerals to be considered valid there are basic rules which must be followed. Even though the rules allow some numbers to be expressed in more than one way there is always a "best" way of writing a particular number. For example, it would appear that there are at least six ways of writing the number sixteen: IIIIIIIIIIIIIIII VIIIIIIIIIII VVIIIIII XIIIIII VVVI XVI However, according to the rules only XIIIIII and XVI are valid, and the last example is considered to be the most efficient, as it uses the least number of numerals. The 11K text file, roman.txt (right click and 'Save Link/Target As...'), contains one thousand numbers written in valid, but not necessarily minimal, Roman numerals; see About... Roman Numerals for the definitive rules for this problem. Find the number of characters saved by writing each of these in their minimal form. Note: You can assume that all the Roman numerals in the file contain no more than four consecutive identical units. """ import os SYMBOLS = {"I": 1, "V": 5, "X": 10, "L": 50, "C": 100, "D": 500, "M": 1000} def parse_roman_numerals(numerals: str) -> int: """ Converts a string of roman numerals to an integer. e.g. >>> parse_roman_numerals("LXXXIX") 89 >>> parse_roman_numerals("IIII") 4 """ total_value = 0 index = 0 while index < len(numerals) - 1: current_value = SYMBOLS[numerals[index]] next_value = SYMBOLS[numerals[index + 1]] if current_value < next_value: total_value -= current_value else: total_value += current_value index += 1 total_value += SYMBOLS[numerals[index]] return total_value def generate_roman_numerals(num: int) -> str: """ Generates a string of roman numerals for a given integer. e.g. >>> generate_roman_numerals(89) 'LXXXIX' >>> generate_roman_numerals(4) 'IV' """ numerals = "" m_count = num // 1000 numerals += m_count * "M" num %= 1000 c_count = num // 100 if c_count == 9: numerals += "CM" c_count -= 9 elif c_count == 4: numerals += "CD" c_count -= 4 if c_count >= 5: numerals += "D" c_count -= 5 numerals += c_count * "C" num %= 100 x_count = num // 10 if x_count == 9: numerals += "XC" x_count -= 9 elif x_count == 4: numerals += "XL" x_count -= 4 if x_count >= 5: numerals += "L" x_count -= 5 numerals += x_count * "X" num %= 10 if num == 9: numerals += "IX" num -= 9 elif num == 4: numerals += "IV" num -= 4 if num >= 5: numerals += "V" num -= 5 numerals += num * "I" return numerals def solution(roman_numerals_filename: str = "/p089_roman.txt") -> int: """ Calculates and returns the answer to project euler problem 89. >>> solution("/numeralcleanup_test.txt") 16 """ savings = 0 with open(os.path.dirname(__file__) + roman_numerals_filename) as file1: lines = file1.readlines() for line in lines: original = line.strip() num = parse_roman_numerals(original) shortened = generate_roman_numerals(num) savings += len(original) - len(shortened) return savings if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 89: https://projecteuler.net/problem=89 For a number written in Roman numerals to be considered valid there are basic rules which must be followed. Even though the rules allow some numbers to be expressed in more than one way there is always a "best" way of writing a particular number. For example, it would appear that there are at least six ways of writing the number sixteen: IIIIIIIIIIIIIIII VIIIIIIIIIII VVIIIIII XIIIIII VVVI XVI However, according to the rules only XIIIIII and XVI are valid, and the last example is considered to be the most efficient, as it uses the least number of numerals. The 11K text file, roman.txt (right click and 'Save Link/Target As...'), contains one thousand numbers written in valid, but not necessarily minimal, Roman numerals; see About... Roman Numerals for the definitive rules for this problem. Find the number of characters saved by writing each of these in their minimal form. Note: You can assume that all the Roman numerals in the file contain no more than four consecutive identical units. """ import os SYMBOLS = {"I": 1, "V": 5, "X": 10, "L": 50, "C": 100, "D": 500, "M": 1000} def parse_roman_numerals(numerals: str) -> int: """ Converts a string of roman numerals to an integer. e.g. >>> parse_roman_numerals("LXXXIX") 89 >>> parse_roman_numerals("IIII") 4 """ total_value = 0 index = 0 while index < len(numerals) - 1: current_value = SYMBOLS[numerals[index]] next_value = SYMBOLS[numerals[index + 1]] if current_value < next_value: total_value -= current_value else: total_value += current_value index += 1 total_value += SYMBOLS[numerals[index]] return total_value def generate_roman_numerals(num: int) -> str: """ Generates a string of roman numerals for a given integer. e.g. >>> generate_roman_numerals(89) 'LXXXIX' >>> generate_roman_numerals(4) 'IV' """ numerals = "" m_count = num // 1000 numerals += m_count * "M" num %= 1000 c_count = num // 100 if c_count == 9: numerals += "CM" c_count -= 9 elif c_count == 4: numerals += "CD" c_count -= 4 if c_count >= 5: numerals += "D" c_count -= 5 numerals += c_count * "C" num %= 100 x_count = num // 10 if x_count == 9: numerals += "XC" x_count -= 9 elif x_count == 4: numerals += "XL" x_count -= 4 if x_count >= 5: numerals += "L" x_count -= 5 numerals += x_count * "X" num %= 10 if num == 9: numerals += "IX" num -= 9 elif num == 4: numerals += "IV" num -= 4 if num >= 5: numerals += "V" num -= 5 numerals += num * "I" return numerals def solution(roman_numerals_filename: str = "/p089_roman.txt") -> int: """ Calculates and returns the answer to project euler problem 89. >>> solution("/numeralcleanup_test.txt") 16 """ savings = 0 with open(os.path.dirname(__file__) + roman_numerals_filename) as file1: lines = file1.readlines() for line in lines: original = line.strip() num = parse_roman_numerals(original) shortened = generate_roman_numerals(num) savings += len(original) - len(shortened) return savings if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" Tree_sort algorithm. Build a BST and in order traverse. """ class Node: # BST data structure def __init__(self, val): self.val = val self.left = None self.right = None def insert(self, val): if self.val: if val < self.val: if self.left is None: self.left = Node(val) else: self.left.insert(val) elif val > self.val: if self.right is None: self.right = Node(val) else: self.right.insert(val) else: self.val = val def inorder(root, res): # Recursive traversal if root: inorder(root.left, res) res.append(root.val) inorder(root.right, res) def tree_sort(arr): # Build BST if len(arr) == 0: return arr root = Node(arr[0]) for i in range(1, len(arr)): root.insert(arr[i]) # Traverse BST in order. res = [] inorder(root, res) return res if __name__ == "__main__": print(tree_sort([10, 1, 3, 2, 9, 14, 13]))
""" Tree_sort algorithm. Build a BST and in order traverse. """ class Node: # BST data structure def __init__(self, val): self.val = val self.left = None self.right = None def insert(self, val): if self.val: if val < self.val: if self.left is None: self.left = Node(val) else: self.left.insert(val) elif val > self.val: if self.right is None: self.right = Node(val) else: self.right.insert(val) else: self.val = val def inorder(root, res): # Recursive traversal if root: inorder(root.left, res) res.append(root.val) inorder(root.right, res) def tree_sort(arr): # Build BST if len(arr) == 0: return arr root = Node(arr[0]) for i in range(1, len(arr)): root.insert(arr[i]) # Traverse BST in order. res = [] inorder(root, res) return res if __name__ == "__main__": print(tree_sort([10, 1, 3, 2, 9, 14, 13]))
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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 os import random import sys from . import cryptomath_module as cryptoMath # noqa: N812 from . import rabin_miller as rabinMiller # noqa: N812 def main() -> None: print("Making key files...") make_key_files("rsa", 1024) print("Key files generation successful.") def generate_key(key_size: int) -> tuple[tuple[int, int], tuple[int, int]]: print("Generating prime p...") p = rabinMiller.generate_large_prime(key_size) print("Generating prime q...") q = rabinMiller.generate_large_prime(key_size) n = p * q print("Generating e that is relatively prime to (p - 1) * (q - 1)...") while True: e = random.randrange(2 ** (key_size - 1), 2 ** (key_size)) if cryptoMath.gcd(e, (p - 1) * (q - 1)) == 1: break print("Calculating d that is mod inverse of e...") d = cryptoMath.find_mod_inverse(e, (p - 1) * (q - 1)) public_key = (n, e) private_key = (n, d) return (public_key, private_key) def make_key_files(name: str, key_size: int) -> None: if os.path.exists(f"{name}_pubkey.txt") or os.path.exists(f"{name}_privkey.txt"): print("\nWARNING:") print( '"%s_pubkey.txt" or "%s_privkey.txt" already exists. \n' "Use a different name or delete these files and re-run this program." % (name, name) ) sys.exit() public_key, private_key = generate_key(key_size) print(f"\nWriting public key to file {name}_pubkey.txt...") with open(f"{name}_pubkey.txt", "w") as out_file: out_file.write(f"{key_size},{public_key[0]},{public_key[1]}") print(f"Writing private key to file {name}_privkey.txt...") with open(f"{name}_privkey.txt", "w") as out_file: out_file.write(f"{key_size},{private_key[0]},{private_key[1]}") if __name__ == "__main__": main()
import os import random import sys from . import cryptomath_module as cryptoMath # noqa: N812 from . import rabin_miller as rabinMiller # noqa: N812 def main() -> None: print("Making key files...") make_key_files("rsa", 1024) print("Key files generation successful.") def generate_key(key_size: int) -> tuple[tuple[int, int], tuple[int, int]]: print("Generating prime p...") p = rabinMiller.generate_large_prime(key_size) print("Generating prime q...") q = rabinMiller.generate_large_prime(key_size) n = p * q print("Generating e that is relatively prime to (p - 1) * (q - 1)...") while True: e = random.randrange(2 ** (key_size - 1), 2 ** (key_size)) if cryptoMath.gcd(e, (p - 1) * (q - 1)) == 1: break print("Calculating d that is mod inverse of e...") d = cryptoMath.find_mod_inverse(e, (p - 1) * (q - 1)) public_key = (n, e) private_key = (n, d) return (public_key, private_key) def make_key_files(name: str, key_size: int) -> None: if os.path.exists(f"{name}_pubkey.txt") or os.path.exists(f"{name}_privkey.txt"): print("\nWARNING:") print( '"%s_pubkey.txt" or "%s_privkey.txt" already exists. \n' "Use a different name or delete these files and re-run this program." % (name, name) ) sys.exit() public_key, private_key = generate_key(key_size) print(f"\nWriting public key to file {name}_pubkey.txt...") with open(f"{name}_pubkey.txt", "w") as out_file: out_file.write(f"{key_size},{public_key[0]},{public_key[1]}") print(f"Writing private key to file {name}_privkey.txt...") with open(f"{name}_privkey.txt", "w") as out_file: out_file.write(f"{key_size},{private_key[0]},{private_key[1]}") if __name__ == "__main__": main()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
# Eulers Totient function finds the number of relative primes of a number n from 1 to n def totient(n: int) -> list: is_prime = [True for i in range(n + 1)] totients = [i - 1 for i in range(n + 1)] primes = [] for i in range(2, n + 1): if is_prime[i]: primes.append(i) for j in range(0, len(primes)): if i * primes[j] >= n: break is_prime[i * primes[j]] = False if i % primes[j] == 0: totients[i * primes[j]] = totients[i] * primes[j] break totients[i * primes[j]] = totients[i] * (primes[j] - 1) return totients def test_totient() -> None: """ >>> n = 10 >>> totient_calculation = totient(n) >>> for i in range(1, n): ... print(f"{i} has {totient_calculation[i]} relative primes.") 1 has 0 relative primes. 2 has 1 relative primes. 3 has 2 relative primes. 4 has 2 relative primes. 5 has 4 relative primes. 6 has 2 relative primes. 7 has 6 relative primes. 8 has 4 relative primes. 9 has 6 relative primes. """ pass if __name__ == "__main__": import doctest doctest.testmod()
# Eulers Totient function finds the number of relative primes of a number n from 1 to n def totient(n: int) -> list: is_prime = [True for i in range(n + 1)] totients = [i - 1 for i in range(n + 1)] primes = [] for i in range(2, n + 1): if is_prime[i]: primes.append(i) for j in range(0, len(primes)): if i * primes[j] >= n: break is_prime[i * primes[j]] = False if i % primes[j] == 0: totients[i * primes[j]] = totients[i] * primes[j] break totients[i * primes[j]] = totients[i] * (primes[j] - 1) return totients def test_totient() -> None: """ >>> n = 10 >>> totient_calculation = totient(n) >>> for i in range(1, n): ... print(f"{i} has {totient_calculation[i]} relative primes.") 1 has 0 relative primes. 2 has 1 relative primes. 3 has 2 relative primes. 4 has 2 relative primes. 5 has 4 relative primes. 6 has 2 relative primes. 7 has 6 relative primes. 8 has 4 relative primes. 9 has 6 relative primes. """ pass if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
#!/usr/bin/env python3 from __future__ import annotations from collections.abc import Iterable, Iterator from typing import Any, Generic, TypeVar T = TypeVar("T", bound=bool) class SkewNode(Generic[T]): """ One node of the skew heap. Contains the value and references to two children. """ def __init__(self, value: T) -> None: self._value: T = value self.left: SkewNode[T] | None = None self.right: SkewNode[T] | None = None @property def value(self) -> T: """Return the value of the node.""" return self._value @staticmethod def merge( root1: SkewNode[T] | None, root2: SkewNode[T] | None ) -> SkewNode[T] | None: """Merge 2 nodes together.""" if not root1: return root2 if not root2: return root1 if root1.value > root2.value: root1, root2 = root2, root1 result = root1 temp = root1.right result.right = root1.left result.left = SkewNode.merge(temp, root2) return result class SkewHeap(Generic[T]): """ A data structure that allows inserting a new value and to pop the smallest values. Both operations take O(logN) time where N is the size of the structure. Wiki: https://en.wikipedia.org/wiki/Skew_heap Visualization: https://www.cs.usfca.edu/~galles/visualization/SkewHeap.html >>> list(SkewHeap([2, 3, 1, 5, 1, 7])) [1, 1, 2, 3, 5, 7] >>> sh = SkewHeap() >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. >>> sh.insert(1) >>> sh.insert(-1) >>> sh.insert(0) >>> list(sh) [-1, 0, 1] """ def __init__(self, data: Iterable[T] | None = ()) -> None: """ >>> sh = SkewHeap([3, 1, 3, 7]) >>> list(sh) [1, 3, 3, 7] """ self._root: SkewNode[T] | None = None if data: for item in data: self.insert(item) def __bool__(self) -> bool: """ Check if the heap is not empty. >>> sh = SkewHeap() >>> bool(sh) False >>> sh.insert(1) >>> bool(sh) True >>> sh.clear() >>> bool(sh) False """ return self._root is not None def __iter__(self) -> Iterator[T]: """ Returns sorted list containing all the values in the heap. >>> sh = SkewHeap([3, 1, 3, 7]) >>> list(sh) [1, 3, 3, 7] """ result: list[Any] = [] while self: result.append(self.pop()) # Pushing items back to the heap not to clear it. for item in result: self.insert(item) return iter(result) def insert(self, value: T) -> None: """ Insert the value into the heap. >>> sh = SkewHeap() >>> sh.insert(3) >>> sh.insert(1) >>> sh.insert(3) >>> sh.insert(7) >>> list(sh) [1, 3, 3, 7] """ self._root = SkewNode.merge(self._root, SkewNode(value)) def pop(self) -> T | None: """ Pop the smallest value from the heap and return it. >>> sh = SkewHeap([3, 1, 3, 7]) >>> sh.pop() 1 >>> sh.pop() 3 >>> sh.pop() 3 >>> sh.pop() 7 >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. """ result = self.top() self._root = ( SkewNode.merge(self._root.left, self._root.right) if self._root else None ) return result def top(self) -> T: """ Return the smallest value from the heap. >>> sh = SkewHeap() >>> sh.insert(3) >>> sh.top() 3 >>> sh.insert(1) >>> sh.top() 1 >>> sh.insert(3) >>> sh.top() 1 >>> sh.insert(7) >>> sh.top() 1 """ if not self._root: raise IndexError("Can't get top element for the empty heap.") return self._root.value def clear(self) -> None: """ Clear the heap. >>> sh = SkewHeap([3, 1, 3, 7]) >>> sh.clear() >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. """ self._root = None if __name__ == "__main__": import doctest doctest.testmod()
#!/usr/bin/env python3 from __future__ import annotations from collections.abc import Iterable, Iterator from typing import Any, Generic, TypeVar T = TypeVar("T", bound=bool) class SkewNode(Generic[T]): """ One node of the skew heap. Contains the value and references to two children. """ def __init__(self, value: T) -> None: self._value: T = value self.left: SkewNode[T] | None = None self.right: SkewNode[T] | None = None @property def value(self) -> T: """Return the value of the node.""" return self._value @staticmethod def merge( root1: SkewNode[T] | None, root2: SkewNode[T] | None ) -> SkewNode[T] | None: """Merge 2 nodes together.""" if not root1: return root2 if not root2: return root1 if root1.value > root2.value: root1, root2 = root2, root1 result = root1 temp = root1.right result.right = root1.left result.left = SkewNode.merge(temp, root2) return result class SkewHeap(Generic[T]): """ A data structure that allows inserting a new value and to pop the smallest values. Both operations take O(logN) time where N is the size of the structure. Wiki: https://en.wikipedia.org/wiki/Skew_heap Visualization: https://www.cs.usfca.edu/~galles/visualization/SkewHeap.html >>> list(SkewHeap([2, 3, 1, 5, 1, 7])) [1, 1, 2, 3, 5, 7] >>> sh = SkewHeap() >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. >>> sh.insert(1) >>> sh.insert(-1) >>> sh.insert(0) >>> list(sh) [-1, 0, 1] """ def __init__(self, data: Iterable[T] | None = ()) -> None: """ >>> sh = SkewHeap([3, 1, 3, 7]) >>> list(sh) [1, 3, 3, 7] """ self._root: SkewNode[T] | None = None if data: for item in data: self.insert(item) def __bool__(self) -> bool: """ Check if the heap is not empty. >>> sh = SkewHeap() >>> bool(sh) False >>> sh.insert(1) >>> bool(sh) True >>> sh.clear() >>> bool(sh) False """ return self._root is not None def __iter__(self) -> Iterator[T]: """ Returns sorted list containing all the values in the heap. >>> sh = SkewHeap([3, 1, 3, 7]) >>> list(sh) [1, 3, 3, 7] """ result: list[Any] = [] while self: result.append(self.pop()) # Pushing items back to the heap not to clear it. for item in result: self.insert(item) return iter(result) def insert(self, value: T) -> None: """ Insert the value into the heap. >>> sh = SkewHeap() >>> sh.insert(3) >>> sh.insert(1) >>> sh.insert(3) >>> sh.insert(7) >>> list(sh) [1, 3, 3, 7] """ self._root = SkewNode.merge(self._root, SkewNode(value)) def pop(self) -> T | None: """ Pop the smallest value from the heap and return it. >>> sh = SkewHeap([3, 1, 3, 7]) >>> sh.pop() 1 >>> sh.pop() 3 >>> sh.pop() 3 >>> sh.pop() 7 >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. """ result = self.top() self._root = ( SkewNode.merge(self._root.left, self._root.right) if self._root else None ) return result def top(self) -> T: """ Return the smallest value from the heap. >>> sh = SkewHeap() >>> sh.insert(3) >>> sh.top() 3 >>> sh.insert(1) >>> sh.top() 1 >>> sh.insert(3) >>> sh.top() 1 >>> sh.insert(7) >>> sh.top() 1 """ if not self._root: raise IndexError("Can't get top element for the empty heap.") return self._root.value def clear(self) -> None: """ Clear the heap. >>> sh = SkewHeap([3, 1, 3, 7]) >>> sh.clear() >>> sh.pop() Traceback (most recent call last): ... IndexError: Can't get top element for the empty heap. """ self._root = None if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
""" Hey, we are going to find an exciting number called Catalan number which is use to find the number of possible binary search trees from tree of a given number of nodes. We will use the formula: t(n) = SUMMATION(i = 1 to n)t(i-1)t(n-i) Further details at Wikipedia: https://en.wikipedia.org/wiki/Catalan_number """ """ Our Contribution: Basically we Create the 2 function: 1. catalan_number(node_count: int) -> int Returns the number of possible binary search trees for n nodes. 2. binary_tree_count(node_count: int) -> int Returns the number of possible binary trees for n nodes. """ def binomial_coefficient(n: int, k: int) -> int: """ Since Here we Find the Binomial Coefficient: https://en.wikipedia.org/wiki/Binomial_coefficient C(n,k) = n! / k!(n-k)! :param n: 2 times of Number of nodes :param k: Number of nodes :return: Integer Value >>> binomial_coefficient(4, 2) 6 """ result = 1 # To kept the Calculated Value # Since C(n, k) = C(n, n-k) if k > (n - k): k = n - k # Calculate C(n,k) for i in range(k): result *= n - i result //= i + 1 return result def catalan_number(node_count: int) -> int: """ We can find Catalan number many ways but here we use Binomial Coefficient because it does the job in O(n) return the Catalan number of n using 2nCn/(n+1). :param n: number of nodes :return: Catalan number of n nodes >>> catalan_number(5) 42 >>> catalan_number(6) 132 """ return binomial_coefficient(2 * node_count, node_count) // (node_count + 1) def factorial(n: int) -> int: """ Return the factorial of a number. :param n: Number to find the Factorial of. :return: Factorial of n. >>> import math >>> all(factorial(i) == math.factorial(i) for i in range(10)) True >>> factorial(-5) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: factorial() not defined for negative values """ if n < 0: raise ValueError("factorial() not defined for negative values") result = 1 for i in range(1, n + 1): result *= i return result def binary_tree_count(node_count: int) -> int: """ Return the number of possible of binary trees. :param n: number of nodes :return: Number of possible binary trees >>> binary_tree_count(5) 5040 >>> binary_tree_count(6) 95040 """ return catalan_number(node_count) * factorial(node_count) if __name__ == "__main__": node_count = int(input("Enter the number of nodes: ").strip() or 0) if node_count <= 0: raise ValueError("We need some nodes to work with.") print( f"Given {node_count} nodes, there are {binary_tree_count(node_count)} " f"binary trees and {catalan_number(node_count)} binary search trees." )
""" Hey, we are going to find an exciting number called Catalan number which is use to find the number of possible binary search trees from tree of a given number of nodes. We will use the formula: t(n) = SUMMATION(i = 1 to n)t(i-1)t(n-i) Further details at Wikipedia: https://en.wikipedia.org/wiki/Catalan_number """ """ Our Contribution: Basically we Create the 2 function: 1. catalan_number(node_count: int) -> int Returns the number of possible binary search trees for n nodes. 2. binary_tree_count(node_count: int) -> int Returns the number of possible binary trees for n nodes. """ def binomial_coefficient(n: int, k: int) -> int: """ Since Here we Find the Binomial Coefficient: https://en.wikipedia.org/wiki/Binomial_coefficient C(n,k) = n! / k!(n-k)! :param n: 2 times of Number of nodes :param k: Number of nodes :return: Integer Value >>> binomial_coefficient(4, 2) 6 """ result = 1 # To kept the Calculated Value # Since C(n, k) = C(n, n-k) if k > (n - k): k = n - k # Calculate C(n,k) for i in range(k): result *= n - i result //= i + 1 return result def catalan_number(node_count: int) -> int: """ We can find Catalan number many ways but here we use Binomial Coefficient because it does the job in O(n) return the Catalan number of n using 2nCn/(n+1). :param n: number of nodes :return: Catalan number of n nodes >>> catalan_number(5) 42 >>> catalan_number(6) 132 """ return binomial_coefficient(2 * node_count, node_count) // (node_count + 1) def factorial(n: int) -> int: """ Return the factorial of a number. :param n: Number to find the Factorial of. :return: Factorial of n. >>> import math >>> all(factorial(i) == math.factorial(i) for i in range(10)) True >>> factorial(-5) # doctest: +ELLIPSIS Traceback (most recent call last): ... ValueError: factorial() not defined for negative values """ if n < 0: raise ValueError("factorial() not defined for negative values") result = 1 for i in range(1, n + 1): result *= i return result def binary_tree_count(node_count: int) -> int: """ Return the number of possible of binary trees. :param n: number of nodes :return: Number of possible binary trees >>> binary_tree_count(5) 5040 >>> binary_tree_count(6) 95040 """ return catalan_number(node_count) * factorial(node_count) if __name__ == "__main__": node_count = int(input("Enter the number of nodes: ").strip() or 0) if node_count <= 0: raise ValueError("We need some nodes to work with.") print( f"Given {node_count} nodes, there are {binary_tree_count(node_count)} " f"binary trees and {catalan_number(node_count)} binary search trees." )
-1
TheAlgorithms/Python
7,262
refactor: Move constants outside of variable scope
### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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}`.
CaedenPH
"2022-10-15T19:51:55Z"
"2022-10-16T09:33:29Z"
77764116217708933bdc65b29801092fa291398e
c6582b35bf8b8aba622c63096e3ab2f01aa36854
refactor: Move constants outside of variable scope. ### Describe your change: Moves constants outside of variable scope, removing the need for `noqa: N806` * [ ] Add an algorithm? * [x] 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. * [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